From 453fb961f203af59e0cd3790bb16fab15f41bd32 Mon Sep 17 00:00:00 2001 From: Lawrence Lee Date: Sun, 28 Mar 2021 18:12:47 -0700 Subject: [PATCH 001/170] Create a preferences widget for external editors The widget is intended to be embedded in the preferences dialog. It displays a list of external editors using an icon, name, and command for each editor. The name and command can be edited. Editors can be added, removed, and rearranged. A button allows one to set an editor's information by selecting from a list of installed applications. --- rtgui/externaleditorpreferences.cc | 261 +++++++++++++++++++++++++++++ rtgui/externaleditorpreferences.h | 147 ++++++++++++++++ 2 files changed, 408 insertions(+) create mode 100644 rtgui/externaleditorpreferences.cc create mode 100644 rtgui/externaleditorpreferences.h diff --git a/rtgui/externaleditorpreferences.cc b/rtgui/externaleditorpreferences.cc new file mode 100644 index 000000000..df6b6efc2 --- /dev/null +++ b/rtgui/externaleditorpreferences.cc @@ -0,0 +1,261 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Lawrence Lee + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ +#include "externaleditorpreferences.h" +#include "multilangmgr.h" +#include "rtimage.h" + + +ExternalEditorPreferences::ExternalEditorPreferences(): + Box(Gtk::Orientation::ORIENTATION_VERTICAL), + list_model(Gtk::ListStore::create(model_columns)), + toolbar(Gtk::Orientation::ORIENTATION_HORIZONTAL) +{ + // List view. + list_view = Gtk::make_managed(); + list_view->set_model(list_model); + list_view->append_column(*Gtk::manage(makeAppColumn())); + list_view->append_column(*Gtk::manage(makeCommandColumn())); + + for (auto &&column : list_view->get_columns()) { + column->set_sizing(Gtk::TreeViewColumnSizing::TREE_VIEW_COLUMN_FIXED); + } + + list_view->set_grid_lines(Gtk::TREE_VIEW_GRID_LINES_VERTICAL); + list_view->set_reorderable(); + + // List scroll area. + list_scroll_area.set_hexpand(); + list_scroll_area.set_vexpand(); + list_scroll_area.add(*list_view); + + // Toolbar buttons. + auto add_image = Gtk::make_managed("add-small.png"); + auto remove_image = Gtk::make_managed("remove-small.png"); + button_add = Gtk::make_managed(); + button_remove = Gtk::make_managed(); + button_add->set_image(*add_image); + button_remove->set_image(*remove_image); + button_app_chooser = Gtk::make_managed(M("PREFERENCES_EXTERNALEDITOR_CHANGE")); + + button_app_chooser->signal_pressed().connect(sigc::mem_fun( + *this, &ExternalEditorPreferences::openAppChooserDialog)); + button_add->signal_pressed().connect(sigc::mem_fun( + *this, &ExternalEditorPreferences::addEditor)); + button_remove->signal_pressed().connect(sigc::mem_fun( + *this, &ExternalEditorPreferences::removeSelectedEditors)); + + list_view->get_selection()->signal_changed().connect(sigc::mem_fun( + *this, &ExternalEditorPreferences::updateToolbarSensitivity)); + updateToolbarSensitivity(); + + // Toolbar. + toolbar.set_halign(Gtk::Align::ALIGN_END); + toolbar.add(*button_app_chooser); + toolbar.add(*button_add); + toolbar.add(*button_remove); + + // This widget's children. + add(list_scroll_area); + add(toolbar); + show_all(); +} + +std::vector +ExternalEditorPreferences::getEditors() const +{ + std::vector editors; + + auto children = list_model->children(); + + for (auto rowIter = children.begin(); rowIter != children.end(); rowIter++) { + const Gio::Icon *const icon = rowIter->get_value(model_columns.icon).get(); + const auto &icon_name = icon == nullptr ? "" : icon->to_string(); + editors.push_back(ExternalEditorPreferences::EditorInfo( + rowIter->get_value(model_columns.name), + rowIter->get_value(model_columns.command), + icon_name, + rowIter->get_value(model_columns.other_data) + )); + } + + return editors; +} + +void ExternalEditorPreferences::setEditors( + const std::vector &editors) +{ + list_model->clear(); + + for (const ExternalEditorPreferences::EditorInfo & editor : editors) { + auto row = *list_model->append(); + row[model_columns.name] = editor.name; + row[model_columns.icon] = editor.icon_name.empty() ? Glib::RefPtr() : Gio::Icon::create(editor.icon_name); + row[model_columns.command] = editor.command; + row[model_columns.other_data] = editor.other_data; + } +} + +void ExternalEditorPreferences::addEditor() +{ + Gtk::TreeModel::Row row; + auto selected = list_view->get_selection()->get_selected_rows(); + + if (selected.size()) { + row = *list_model->insert_after(list_model->get_iter(selected.back())); + } else { + row = *list_model->append(); + } + + row[model_columns.name] = "-"; + list_view->get_selection()->select(row); +} + +Gtk::TreeViewColumn *ExternalEditorPreferences::makeAppColumn() +{ + auto name_renderer = Gtk::make_managed(); + auto icon_renderer = Gtk::make_managed(); + auto col = Gtk::make_managed(); + + col->set_title(M("PREFERENCES_EXTERNALEDITOR_COLUMN_NAME")); + col->set_resizable(); + col->pack_start(*icon_renderer, false); + col->pack_start(*name_renderer); + col->add_attribute(*icon_renderer, "gicon", model_columns.icon); + col->add_attribute(*name_renderer, "text", model_columns.name); + col->set_min_width(20); + + name_renderer->property_editable() = true; + name_renderer->signal_edited().connect( + sigc::mem_fun(*this, &ExternalEditorPreferences::setAppName)); + + return col; +} + +Gtk::TreeViewColumn *ExternalEditorPreferences::makeCommandColumn() +{ + auto command_renderer = Gtk::make_managed(); + auto col = Gtk::make_managed(); + + col->set_title(M("PREFERENCES_EXTERNALEDITOR_COLUMN_COMMAND")); + col->pack_start(*command_renderer); + col->add_attribute(*command_renderer, "text", model_columns.command); + + command_renderer->property_editable() = true; + command_renderer->signal_edited().connect( + sigc::mem_fun(*this, &ExternalEditorPreferences::setAppCommand)); + + return col; +} + +void ExternalEditorPreferences::onAppChooserDialogResponse( + int response_id, Gtk::AppChooserDialog *dialog) +{ + switch (response_id) { + case Gtk::RESPONSE_OK: + dialog->close(); + setApp(dialog->get_app_info()); + break; + + case Gtk::RESPONSE_CANCEL: + case Gtk::RESPONSE_CLOSE: + dialog->close(); + break; + + default: + break; + } +} + +void ExternalEditorPreferences::openAppChooserDialog() +{ + if (app_chooser_dialog.get()) { + app_chooser_dialog->refresh(); + app_chooser_dialog->show(); + return; + } + + app_chooser_dialog.reset(new Gtk::AppChooserDialog("image/tiff")); + app_chooser_dialog->signal_response().connect(sigc::bind( + sigc::mem_fun(*this, &ExternalEditorPreferences::onAppChooserDialogResponse), + app_chooser_dialog.get() + )); + app_chooser_dialog->set_modal(); + app_chooser_dialog->show(); +} + +void ExternalEditorPreferences::removeSelectedEditors() +{ + auto selection = list_view->get_selection()->get_selected_rows(); + + for (const auto &selected : selection) { + list_model->erase(list_model->get_iter(selected)); + } +} + +void ExternalEditorPreferences::setApp(const Glib::RefPtr app_info) +{ + auto selection = list_view->get_selection()->get_selected_rows(); + + for (const auto &selected : selection) { + auto row = *list_model->get_iter(selected); + row[model_columns.icon] = app_info->get_icon(); + row[model_columns.name] = app_info->get_name(); + row[model_columns.command] = app_info->get_commandline(); + } +} + +void ExternalEditorPreferences::setAppCommand( + const Glib::ustring & path, const Glib::ustring & new_text) +{ + auto row_iter = list_model->get_iter(path); + + if (!row_iter->get_value(model_columns.command).compare(new_text)) { + return; + } + + row_iter->set_value(model_columns.command, new_text); + row_iter->set_value(model_columns.icon, Glib::RefPtr(nullptr)); +} + +void ExternalEditorPreferences::setAppName( + const Glib::ustring & path, const Glib::ustring & new_text) +{ + list_model->get_iter(path)->set_value(model_columns.name, new_text); +} + +void ExternalEditorPreferences::updateToolbarSensitivity() +{ + bool selected = list_view->get_selection()->count_selected_rows(); + button_app_chooser->set_sensitive(selected); + button_remove->set_sensitive(selected); +} + +ExternalEditorPreferences::EditorInfo::EditorInfo( + Glib::ustring name, Glib::ustring command, Glib::ustring icon_name, void *other_data +) : name(name), icon_name(icon_name), command(command), other_data(other_data) +{ +} + +ExternalEditorPreferences::ModelColumns::ModelColumns() +{ + add(name); + add(icon); + add(command); + add(other_data); +} diff --git a/rtgui/externaleditorpreferences.h b/rtgui/externaleditorpreferences.h new file mode 100644 index 000000000..be988e901 --- /dev/null +++ b/rtgui/externaleditorpreferences.h @@ -0,0 +1,147 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Lawrence Lee + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ +#pragma once + +#include +#include +#include +#include +#include +#include +#include + + +/** + * Widget for editing the external editors options. + */ +class ExternalEditorPreferences : public Gtk::Box +{ +public: + /** + * Data struct containing information about an external editor. + */ + struct EditorInfo { + explicit EditorInfo( + Glib::ustring name = Glib::ustring(), + Glib::ustring command = Glib::ustring(), + Glib::ustring icon_name = Glib::ustring(), + void *other_data = nullptr + ); + /** + * Name of the external editor. + */ + Glib::ustring name; + /** + * The string representation of the icon. See Gio::Icon::to_string(). + */ + Glib::ustring icon_name; + /** + * The commandline for running the program. See + * Gio::AppInfo::get_commandline() + */ + Glib::ustring command; + /** + * Holds any other data associated with the editor. For example, it can + * be used as a tag to uniquely identify the editor. + */ + void *other_data; + }; + + ExternalEditorPreferences(); + + /** + * Creates and returns a vector representing the external editors shown in + * this widget. + */ + std::vector getEditors() const; + /** + * Populates this widget with the external editors described in the + * argument. + */ + void setEditors(const std::vector &editors); + +private: + /** + * Model representing the data fields each external editor entry has. + */ + class ModelColumns : public Gtk::TreeModelColumnRecord + { + public: + ModelColumns(); + Gtk::TreeModelColumn name; + Gtk::TreeModelColumn> icon; + Gtk::TreeModelColumn command; + Gtk::TreeModelColumn other_data; + }; + + ModelColumns model_columns; + Glib::RefPtr list_model; // The list of editors. + Gtk::ScrolledWindow list_scroll_area; // Allows the list to be scrolled. + Gtk::TreeView *list_view; // Widget for displaying the list. + Gtk::Box toolbar; // Contains buttons for editing the list. + Gtk::Button *button_app_chooser; + Gtk::Button *button_add; + Gtk::Button *button_remove; + std::unique_ptr app_chooser_dialog; + + /** + * Inserts a new editor entry after the current selection, or at the end if + * no editor is selected. + */ + void addEditor(); + /** + * Constructs the column for displaying the external editor name (and icon). + */ + Gtk::TreeViewColumn *makeAppColumn(); + /** + * Constructs the column for displaying an editable commandline. + */ + Gtk::TreeViewColumn *makeCommandColumn(); + /** + * Called when the user is done interacting with the app chooser dialog. + * Closes the dialog and updates the selected entry if an app was chosen. + */ + void onAppChooserDialogResponse(int responseId, Gtk::AppChooserDialog *dialog); + /** + * Shows the app chooser dialog. + */ + void openAppChooserDialog(); + /** + * Removes all selected editors. + */ + void removeSelectedEditors(); + /** + * Sets the selected entries with the provided information. + */ + void setApp(const Glib::RefPtr app_info); + /** + * Updates the application command and removes the icon for the given row. + */ + void setAppCommand(const Glib::ustring & path, const Glib::ustring & new_text); + /** + * Updates the application name for the given row. + */ + void setAppName(const Glib::ustring & path, const Glib::ustring & new_text); + /** + * Sets the sensitivity of the widgets in the toolbar to reflect the current + * state of the list. For example, makes the remove button insensitive if no + * entries are selected. + */ + void updateToolbarSensitivity(); +}; From d2a280fbf361b804bbe70c4da46d21cf7827064a Mon Sep 17 00:00:00 2001 From: Lawrence Lee Date: Tue, 30 Mar 2021 21:45:20 -0700 Subject: [PATCH 002/170] Update language file and cmake list Update for the external editor preferences widget. --- rtdata/languages/default | 3 +++ rtgui/CMakeLists.txt | 1 + 2 files changed, 4 insertions(+) diff --git a/rtdata/languages/default b/rtdata/languages/default index 15aceb51b..2ff654ede 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1755,6 +1755,9 @@ PREFERENCES_DIRSOFTWARE;Installation directory PREFERENCES_EDITORCMDLINE;Custom command line PREFERENCES_EDITORLAYOUT;Editor layout PREFERENCES_EXTERNALEDITOR;External Editor +PREFERENCES_EXTERNALEDITOR_CHANGE;Change Application +PREFERENCES_EXTERNALEDITOR_COLUMN_NAME;Name +PREFERENCES_EXTERNALEDITOR_COLUMN_COMMAND;Command PREFERENCES_FBROWSEROPTS;File Browser / Thumbnail Options PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser PREFERENCES_FLATFIELDFOUND;Found diff --git a/rtgui/CMakeLists.txt b/rtgui/CMakeLists.txt index 5f8baed47..1d4b57553 100644 --- a/rtgui/CMakeLists.txt +++ b/rtgui/CMakeLists.txt @@ -62,6 +62,7 @@ set(NONCLISOURCEFILES exiffiltersettings.cc exifpanel.cc exportpanel.cc + externaleditorpreferences.cc extprog.cc fattaltonemap.cc filebrowser.cc From afe20fee0e0046083cd61abe28e8f44591baf212 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 4 Apr 2021 22:16:16 -0700 Subject: [PATCH 003/170] Add Gio::Icon based RTImages --- rtgui/rtimage.cc | 102 ++++++++++++++++++++++++++++++++++++++++++++++- rtgui/rtimage.h | 8 ++++ 2 files changed, 109 insertions(+), 1 deletion(-) diff --git a/rtgui/rtimage.cc b/rtgui/rtimage.cc index 44078ed3b..9a38c1885 100644 --- a/rtgui/rtimage.cc +++ b/rtgui/rtimage.cc @@ -22,12 +22,40 @@ #include #include +#include +#include #include "../rtengine/settings.h" namespace { +struct GIconKey { + Glib::RefPtr icon; + /** + * Icon size in pixels. + */ + int icon_size; + + GIconKey() {} + GIconKey(const Glib::RefPtr &icon, int icon_size): icon(icon), icon_size(icon_size) {} + + bool operator==(const GIconKey &other) const + { + bool icons_match = (icon.get() == nullptr && other.icon.get() == nullptr) || (icon.get() != nullptr && icon->equal(Glib::RefPtr::cast_const(other.icon))); + return icons_match && icon_size == other.icon_size; + } +}; + +struct GIconKeyHash { + size_t operator()(const GIconKey &key) const + { + const size_t icon_hash = key.icon ? key.icon->hash() : 0; + return icon_hash ^ std::hash()(key.icon_size); + } +}; + +std::unordered_map, GIconKeyHash> gIconPixbufCache; std::map > pixbufCache; std::map > surfaceCache; @@ -44,6 +72,8 @@ RTImage::RTImage (RTImage &other) : surface(other.surface), pixbuf(other.pixbuf) set(pixbuf); } else if (surface) { set(surface); + } else if (other.gIcon) { + changeImage(other.gIcon, other.gIconSize); } } @@ -80,13 +110,27 @@ RTImage::RTImage (Glib::RefPtr &other) if (other->get_surface()) { surface = other->get_surface(); set(surface); - } else { + } else if (other->pixbuf) { pixbuf = other->get_pixbuf(); set(pixbuf); + } else if (other->gIcon) { + changeImage(other->gIcon, other->gIconSize); } } } +RTImage::RTImage(const Glib::RefPtr &gIcon, Gtk::IconSize size) +{ + changeImage(gIcon, size); +} + +int RTImage::iconSizeToPixels(Gtk::IconSize size) const +{ + int width, height; + Gtk::IconSize::lookup(size, width, height); + return std::round(getTweakedDPI() / baseDPI * std::max(width, height)); +} + void RTImage::setImage (const Glib::ustring& fileName, const Glib::ustring& rtlFileName) { Glib::ustring imageName; @@ -113,10 +157,41 @@ void RTImage::setDPInScale (const double newDPI, const int newScale) } } +void RTImage::changeImage(const Glib::RefPtr &gIcon, int size) +{ + clear(); + + pixbuf.reset(); + surface.clear(); + this->gIcon = gIcon; + + if (!gIcon) { + return; + } + + gIconSize = size; + GIconKey key(gIcon, gIconSize); + auto iterator = gIconPixbufCache.find(key); + + if (iterator == gIconPixbufCache.end()) { + auto icon_pixbuf = createPixbufFromGIcon(gIcon, gIconSize); + iterator = gIconPixbufCache.emplace(key, icon_pixbuf).first; + } + + set(iterator->second); +} + +void RTImage::changeImage(const Glib::RefPtr &gIcon, Gtk::IconSize size) +{ + changeImage(gIcon, iconSizeToPixels(size)); +} + void RTImage::changeImage (const Glib::ustring& imageName) { clear (); + gIcon.reset(); + if (imageName.empty()) { return; } @@ -150,6 +225,11 @@ int RTImage::get_width() if (pixbuf) { return pixbuf->get_width(); } + + if (gIcon) { + return this->get_pixbuf()->get_width(); + } + return -1; } @@ -161,6 +241,11 @@ int RTImage::get_height() if (pixbuf) { return pixbuf->get_height(); } + + if (gIcon) { + return this->get_pixbuf()->get_height(); + } + return -1; } @@ -178,6 +263,11 @@ void RTImage::cleanup(bool all) for (auto& entry : surfaceCache) { entry.second.clear(); } + + for (auto& entry : gIconPixbufCache) { + entry.second.reset(); + } + RTScalable::cleanup(all); } @@ -189,6 +279,10 @@ void RTImage::updateImages() for (auto& entry : surfaceCache) { entry.second = createImgSurfFromFile(entry.first); } + + for (auto& entry : gIconPixbufCache) { + entry.second = createPixbufFromGIcon(entry.first.icon, entry.first.icon_size); + } } Glib::RefPtr RTImage::createPixbufFromFile (const Glib::ustring& fileName) @@ -197,6 +291,12 @@ Glib::RefPtr RTImage::createPixbufFromFile (const Glib::ustring& fi return Gdk::Pixbuf::create(imgSurf, 0, 0, imgSurf->get_width(), imgSurf->get_height()); } +Glib::RefPtr RTImage::createPixbufFromGIcon(const Glib::RefPtr &icon, int size) +{ + // TODO: Listen for theme changes and update icon, remove from cache. + return Gtk::IconTheme::get_default()->lookup_icon(icon, size, Gtk::ICON_LOOKUP_FORCE_SIZE).load_icon(); +} + Cairo::RefPtr RTImage::createImgSurfFromFile (const Glib::ustring& fileName) { Cairo::RefPtr surf; diff --git a/rtgui/rtimage.h b/rtgui/rtimage.h index eb1930d28..183a83a94 100644 --- a/rtgui/rtimage.h +++ b/rtgui/rtimage.h @@ -34,6 +34,11 @@ class RTImage final : public Gtk::Image, public RTScalable protected: Cairo::RefPtr surface; Glib::RefPtr pixbuf; + Glib::RefPtr gIcon; + int gIconSize; + + void changeImage(const Glib::RefPtr &gIcon, int size); + int iconSizeToPixels(Gtk::IconSize size) const; public: RTImage (); @@ -42,9 +47,11 @@ public: explicit RTImage (Cairo::RefPtr &surf); explicit RTImage(Cairo::RefPtr other); explicit RTImage (Glib::RefPtr &other); + explicit RTImage(const Glib::RefPtr &gIcon, Gtk::IconSize size); explicit RTImage (const Glib::ustring& fileName, const Glib::ustring& rtlFileName = Glib::ustring()); void setImage (const Glib::ustring& fileName, const Glib::ustring& rtlFileName = Glib::ustring()); + void changeImage(const Glib::RefPtr &gIcon, Gtk::IconSize size); void changeImage (const Glib::ustring& imageName); Cairo::RefPtr get_surface(); int get_width(); @@ -58,6 +65,7 @@ public: static void setScale (const int newScale); static Glib::RefPtr createPixbufFromFile (const Glib::ustring& fileName); + static Glib::RefPtr createPixbufFromGIcon(const Glib::RefPtr &icon, int size); static Cairo::RefPtr createImgSurfFromFile (const Glib::ustring& fileName); }; From f30f094a6c014976e6930ee6f4e8aa6d007e9c06 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 10 Apr 2021 17:41:33 -0700 Subject: [PATCH 004/170] Improve pop-up common with gicons and item ops Add ability to use gicon images, insert pop-up entries in any location, and remove entries. --- rtgui/popupcommon.cc | 157 +++++++++++++++++++++++++++++++++---------- rtgui/popupcommon.h | 19 +++++- 2 files changed, 141 insertions(+), 35 deletions(-) diff --git a/rtgui/popupcommon.cc b/rtgui/popupcommon.cc index 8c4c9dda1..fabc4d572 100644 --- a/rtgui/popupcommon.cc +++ b/rtgui/popupcommon.cc @@ -27,7 +27,7 @@ PopUpCommon::PopUpCommon (Gtk::Button* thisButton, const Glib::ustring& label) : buttonImage (nullptr) - , menu (nullptr) + , menu(new Gtk::Menu()) , selected (-1) // -1 means that the button is invalid { button = thisButton; @@ -48,59 +48,148 @@ PopUpCommon::PopUpCommon (Gtk::Button* thisButton, const Glib::ustring& label) setExpandAlignProperties(buttonGroup, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); buttonGroup->attach(*button, 0, 0, 1, 1); buttonGroup->get_style_context()->add_class("image-combo"); + + // Create the image for the button + buttonImage = Gtk::make_managed(); + setExpandAlignProperties(buttonImage, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); + imageContainer->attach_next_to(*buttonImage, Gtk::POS_RIGHT, 1, 1); + buttonImage->set_no_show_all(); + + // Create the button for showing the pop-up. + arrowButton = Gtk::make_managed(); + Gtk::Image *arrowImage = Gtk::make_managed(); + arrowImage->set_from_icon_name("pan-down-symbolic", Gtk::ICON_SIZE_BUTTON); + setExpandAlignProperties(arrowButton, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); + arrowButton->add(*arrowImage); //menuSymbol); + arrowImage->show(); + buttonGroup->attach_next_to(*arrowButton, *button, Gtk::POS_RIGHT, 1, 1); + arrowButton->signal_button_release_event().connect_notify(sigc::mem_fun(*this, &PopUpCommon::showMenu)); + arrowButton->get_style_context()->add_class("Right"); + arrowButton->get_style_context()->add_class("popupbutton-arrow"); + arrowButton->set_no_show_all(); } PopUpCommon::~PopUpCommon () { - delete menu; - delete buttonImage; } bool PopUpCommon::addEntry (const Glib::ustring& fileName, const Glib::ustring& label) { - if (label.empty ()) - return false; + return insertEntry(getEntryCount(), fileName, label); +} + +bool PopUpCommon::insertEntry(int position, const Glib::ustring& fileName, const Glib::ustring& label) +{ + RTImage* image = nullptr; + if (!fileName.empty()) { + image = Gtk::make_managed(fileName); + } + bool success = insertEntryImpl(position, fileName, Glib::RefPtr(), image, label); + if (!success && image) { + delete image; + } + return success; +} + +bool PopUpCommon::insertEntry(int position, const Glib::RefPtr& gIcon, const Glib::ustring& label) +{ + RTImage* image = Gtk::make_managed(gIcon, Gtk::ICON_SIZE_BUTTON); + bool success = insertEntryImpl(position, "", gIcon, image, label); + if (!success) { + delete image; + } + return success; +} + +bool PopUpCommon::insertEntryImpl(int position, const Glib::ustring& fileName, const Glib::RefPtr& gIcon, RTImage* image, const Glib::ustring& label) +{ + if (label.empty() || position < 0 || position > getEntryCount()) + return false; // Create the menu item and image - MyImageMenuItem* newItem = Gtk::manage (new MyImageMenuItem (label, fileName)); - imageFilenames.push_back (fileName); - images.push_back (newItem->getImage ()); - - if (selected == -1) { - // Create the menu on the first item - menu = new Gtk::Menu (); - // Create the image for the button - buttonImage = new RTImage(fileName); - setExpandAlignProperties(buttonImage, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); - // Use the first image by default - imageContainer->attach_next_to(*buttonImage, Gtk::POS_RIGHT, 1, 1); - selected = 0; - } + MyImageMenuItem *newItem = Gtk::make_managed(label, image); + imageIcons.insert(imageIcons.begin() + position, gIcon); + imageFilenames.insert(imageFilenames.begin() + position, fileName); + images.insert(images.begin() + position, newItem->getImage()); // When there is at least 1 choice, we add the arrow button if (images.size() == 1) { - Gtk::Button* arrowButton = Gtk::manage( new Gtk::Button() ); - Gtk::Image *arrowImage = Gtk::manage(new Gtk::Image()); - arrowImage->set_from_icon_name("pan-down-symbolic", Gtk::ICON_SIZE_BUTTON); - setExpandAlignProperties(arrowButton, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); - arrowButton->add(*arrowImage); //menuSymbol); - buttonGroup->attach_next_to(*arrowButton, *button, Gtk::POS_RIGHT, 1, 1); - arrowButton->signal_button_release_event().connect_notify( sigc::mem_fun(*this, &PopUpCommon::showMenu) ); + changeImage(fileName, gIcon); + buttonImage->show(); + selected = 0; button->get_style_context()->add_class("Left"); - arrowButton->get_style_context()->add_class("Right"); - arrowButton->get_style_context()->add_class("popupbutton-arrow"); + arrowButton->show(); hasMenu = true; + } else if (position <= selected) { + selected++; } - newItem->signal_activate ().connect (sigc::bind (sigc::mem_fun (*this, &PopUpCommon::entrySelected), images.size () - 1)); - menu->append (*newItem); - + void (PopUpCommon::*entrySelectedFunc)(Gtk::Widget *) = &PopUpCommon::entrySelected; + newItem->signal_activate ().connect (sigc::bind (sigc::mem_fun (*this, entrySelectedFunc), newItem)); + menu->insert(*newItem, position); return true; } -// TODO: 'PopUpCommon::removeEntry' method to be created... +void PopUpCommon::removeEntry(int position) +{ + if (position < 0 || position >= getEntryCount()) { + return; + } -void PopUpCommon::entrySelected (int i) + if (getEntryCount() == 1) { // Last of the entries. + // Hide the arrow button. + button->get_style_context()->remove_class("Left"); + arrowButton->hide(); + hasMenu = false; + // Remove the button image. + buttonImage->hide(); + selected = -1; + } + else if (position < selected) { + selected--; + } + else if (position == selected) { // Select a different entry before removing. + int nextSelection = position + (position == getEntryCount() - 1 ? -1 : 1); + changeImage(nextSelection); + setButtonHint(); + } + + MyImageMenuItem *menuItem = dynamic_cast(menu->get_children()[position]); + menu->remove(*menuItem); + delete menuItem; + imageIcons.erase(imageIcons.begin() + position); + imageFilenames.erase(imageFilenames.begin() + position); + images.erase(images.begin() + position); +} + +void PopUpCommon::changeImage(int position) +{ + changeImage(imageFilenames.at(position), imageIcons.at(position)); +} + +void PopUpCommon::changeImage(const Glib::ustring& fileName, const Glib::RefPtr& gIcon) +{ + if (!fileName.empty()) { + buttonImage->changeImage(fileName); + } else { + buttonImage->changeImage(gIcon, static_cast(Gtk::ICON_SIZE_BUTTON)); + } +} + +void PopUpCommon::entrySelected(Gtk::Widget* widget) +{ + int i = 0; + for (const auto & child : menu->get_children()) { + if (widget == child) { + break; + } + i++; + } + + entrySelected(i); +} + +void PopUpCommon::entrySelected(int i) { // Emit a signal if the selected item has changed if (setSelected (posToIndex(i))) @@ -130,7 +219,7 @@ bool PopUpCommon::setSelected (int entryNum) return false; } else { // Maybe we could do something better than loading the image file each time the selection is changed !? - buttonImage->changeImage(imageFilenames.at(entryNum)); + changeImage(entryNum); selected = entryNum; setButtonHint(); return true; diff --git a/rtgui/popupcommon.h b/rtgui/popupcommon.h index b4cf4d7e0..59a5b8d0e 100644 --- a/rtgui/popupcommon.h +++ b/rtgui/popupcommon.h @@ -20,12 +20,19 @@ */ #pragma once +#include "glibmm/refptr.h" +#include #include #include #include +namespace Gio +{ +class Icon; +} + namespace Gtk { @@ -33,6 +40,7 @@ class Grid; class Menu; class Button; class ImageMenuItem; +class Widget; } @@ -53,9 +61,12 @@ public: explicit PopUpCommon (Gtk::Button* button, const Glib::ustring& label = ""); virtual ~PopUpCommon (); bool addEntry (const Glib::ustring& fileName, const Glib::ustring& label); + bool insertEntry(int position, const Glib::ustring& fileName, const Glib::ustring& label); + bool insertEntry(int position, const Glib::RefPtr& gIcon, const Glib::ustring& label); int getEntryCount () const; bool setSelected (int entryNum); int getSelected () const; + void removeEntry(int position); void setButtonHint(); void show (); void set_tooltip_text (const Glib::ustring &text); @@ -65,16 +76,22 @@ private: type_signal_changed messageChanged; type_signal_item_selected messageItemSelected; + std::vector> imageIcons; std::vector imageFilenames; std::vector images; Glib::ustring buttonHint; RTImage* buttonImage; Gtk::Grid* imageContainer; - Gtk::Menu* menu; + std::unique_ptr menu; Gtk::Button* button; + Gtk::Button* arrowButton; int selected; bool hasMenu; + void changeImage(int position); + void changeImage(const Glib::ustring& fileName, const Glib::RefPtr& gIcon); + void entrySelected(Gtk::Widget* menuItem); + bool insertEntryImpl(int position, const Glib::ustring& fileName, const Glib::RefPtr& gIcon, RTImage* image, const Glib::ustring& label); void showMenu(GdkEventButton* event); protected: From be7aecac40e5e91ae4047dd84bcc7219b0d4615a Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 11 Apr 2021 18:24:39 -0700 Subject: [PATCH 005/170] Add multiple external editors to options --- rtgui/options.cc | 170 +++++++++++++++++++++++++++++++++++++++++++++++ rtgui/options.h | 13 ++++ 2 files changed, 183 insertions(+) diff --git a/rtgui/options.cc b/rtgui/options.cc index ce03db434..2a00af525 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -413,6 +413,8 @@ void Options::setDefaults() gimpDir = ""; psDir = ""; customEditorProg = ""; + externalEditors.clear(); + externalEditorIndex = -1; CPBKeys = CPBKT_TID; editorToSendTo = 1; favoriteDirs.clear(); @@ -808,6 +810,7 @@ void Options::readFromFile(Glib::ustring fname) } } + // TODO: Remove. if (keyFile.has_group("External Editor")) { if (keyFile.has_key("External Editor", "EditorKind")) { editorToSendTo = keyFile.get_integer("External Editor", "EditorKind"); @@ -826,6 +829,138 @@ void Options::readFromFile(Glib::ustring fname) } } + if (keyFile.has_group("External Editor")) { + if (keyFile.has_key("External Editor", "Names") + || keyFile.has_key("External Editor", "Commands") + || keyFile.has_key("External Editor", "IconNames")) { + // Multiple external editors. + + const auto & names = + !keyFile.has_key("External Editor", "Names") ? + std::vector() : + static_cast>( + keyFile.get_string_list("External Editor", "Names")); + const auto & commands = + !keyFile.has_key("External Editor", "Commands") ? + std::vector() : + static_cast>( + keyFile.get_string_list("External Editor", "Commands")); + const auto & icon_names = + !keyFile.has_key("External Editor", "IconNames") ? + std::vector() : + static_cast>( + keyFile.get_string_list("External Editor", "IconNames")); + externalEditors = std::vector(std::max(std::max( + names.size(), commands.size()), icon_names.size())); + for (unsigned i = 0; i < names.size(); i++) { + externalEditors[i].name = names[i]; + } + for (unsigned i = 0; i < commands.size(); i++) { + externalEditors[i].command = commands[i]; + } + for (unsigned i = 0; i < icon_names.size(); i++) { + externalEditors[i].icon_name = icon_names[i]; + } + + if (keyFile.has_key("External Editor", "EditorIndex")) { + int index = keyFile.get_integer("External Editor", "EditorIndex"); + externalEditorIndex = std::min( + std::max(-1, index), + static_cast(externalEditors.size()) + ); + } + } else if (keyFile.has_key("External Editor", "EditorKind")) { + // Legacy fixed external editors. Convert to flexible. + + // GIMP == 1, Photoshop == 2, Custom == 3. + editorToSendTo = keyFile.get_integer("External Editor", "EditorKind"); + + #ifdef WIN32 + Glib::ustring gimpDir = ""; + if (keyFile.has_key("External Editor", "GimpDir")) { + gimpDir = keyFile.get_string("External Editor", "GimpDir"); + } + auto executable = Glib::build_filename(options.gimpDir, "bin", "gimp-win-remote"); + if (Glib::file_test(executable, Glib::FILE_TEST_IS_EXECUTABLE)) { + if (editorToSendTo == 1) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("GIMP", executable, "gimp")); + } else { + for (auto ver = 12; ver >= 0; --ver) { + executable = Glib::build_filename(gimpDir, "bin", Glib::ustring::compose(Glib::ustring("gimp-2.%1.exe"), ver)); + if (Glib::file_test(executable, Glib::FILE_TEST_IS_EXECUTABLE)) { + if (editorToSendTo == 1) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("GIMP", executable, "gimp")); + break; + } + } + } + + Glib::ustring psDir = ""; + if (keyFile.has_key("External Editor", "PhotoshopDir")) { + psDir = keyFile.get_string("External Editor", "PhotoshopDir"); + } + auto executable = Glib::build_filename(psDir, "Photoshop.exe"); + if (Glib::file_test(executable, Glib::FILE_TEST_IS_EXECUTABLE)) { + if (editorToSendTo == 2) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("Photoshop", executable, "")); + } + + if (keyFile.has_key("External Editor", "CustomEditor")) { + executable = keyFile.get_string("External Editor", "CustomEditor"); + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, ""); + } + #elif defined __APPLE__ + if (editorToSendTo == 1) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("GIMP", "open -a GIMP", "gimp")); + externalEditors.push_back(ExternalEditor("GIMP-dev", "open -a GIMP-dev", "gimp")); + + if (editorToSendTo == 2) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("Photoshop", "open -a Photoshop", "")); + + if (keyFile.has_key("External Editor", "CustomEditor")) { + auto executable = keyFile.get_string("External Editor", "CustomEditor"); + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, "")); + } + #else + if (Glib::find_program_in_path("gimp").compare("")) { + if (editorToSendTo == 1) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("GIMP", "gimp", "gimp")); + } else if (Glib::find_program_in_path("gimp-remote").compare("")) { + if (editorToSendTo == 1) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("GIMP", "gimp-remote", "gimp")); + } + + if (keyFile.has_key("External Editor", "CustomEditor")) { + auto executable = keyFile.get_string("External Editor", "CustomEditor"); + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, "")); + } + #endif + } + } + if (keyFile.has_group("Output")) { if (keyFile.has_key("Output", "Format")) { saveFormat.format = keyFile.get_string("Output", "Format"); @@ -2111,11 +2246,30 @@ void Options::saveToFile(Glib::ustring fname) keyFile.set_boolean("General", "Detectshape", rtSettings.detectshape); keyFile.set_boolean("General", "Fftwsigma", rtSettings.fftwsigma); + // TODO: Remove. keyFile.set_integer("External Editor", "EditorKind", editorToSendTo); keyFile.set_string("External Editor", "GimpDir", gimpDir); keyFile.set_string("External Editor", "PhotoshopDir", psDir); keyFile.set_string("External Editor", "CustomEditor", customEditorProg); + { + std::vector names; + std::vector commands; + std::vector icon_names; + + for (const auto & editor : externalEditors) { + names.push_back(editor.name); + commands.push_back(editor.command); + icon_names.push_back(editor.icon_name); + } + + keyFile.set_string_list("External Editor", "Names", names); + keyFile.set_string_list("External Editor", "Commands", commands); + keyFile.set_string_list("External Editor", "IconNames", icon_names); + + keyFile.set_integer("External Editor", "EditorIndex", externalEditorIndex); + } + keyFile.set_boolean("File Browser", "BrowseOnlyRaw", fbOnlyRaw); keyFile.set_boolean("File Browser", "BrowserShowsDate", fbShowDateTime); keyFile.set_boolean("File Browser", "BrowserShowsExif", fbShowBasicExif); @@ -2778,3 +2932,19 @@ Glib::ustring Options::getICCProfileCopyright() now.set_time_current(); return Glib::ustring::compose("Copyright RawTherapee %1, CC0", now.get_year()); } + +ExternalEditor::ExternalEditor() {} + +ExternalEditor::ExternalEditor( + const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_name +): name(name), command(command), icon_name(icon_name) {} + +bool ExternalEditor::operator==(const ExternalEditor &other) const +{ + return this->name == other.name && this->command == other.command && this->icon_name == other.icon_name; +} + +bool ExternalEditor::operator!=(const ExternalEditor &other) const +{ + return !(*this == other); +} diff --git a/rtgui/options.h b/rtgui/options.h index 03b551efe..be2ba70ab 100644 --- a/rtgui/options.h +++ b/rtgui/options.h @@ -52,6 +52,17 @@ // Special name for the Dynamic profile #define DEFPROFILE_DYNAMIC "Dynamic" +struct ExternalEditor { + ExternalEditor(); + ExternalEditor(const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_name); + Glib::ustring name; + Glib::ustring command; + Glib::ustring icon_name; + + bool operator==(const ExternalEditor & other) const; + bool operator!=(const ExternalEditor & other) const; +}; + struct SaveFormat { SaveFormat( const Glib::ustring& _format, @@ -277,6 +288,8 @@ public: Glib::ustring gimpDir; Glib::ustring psDir; Glib::ustring customEditorProg; + std::vector externalEditors; + int externalEditorIndex; Glib::ustring CPBPath; // Custom Profile Builder's path CPBKeyType CPBKeys; // Custom Profile Builder's key type int editorToSendTo; From 3efbb99ba9eedd4942a5ba34f8d8ce54fbdc07d6 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 12 Apr 2021 21:48:54 -0700 Subject: [PATCH 006/170] Make MyImageMenuItem constructable from an RTImage --- rtgui/guiutils.cc | 19 +++++++++++++++++-- rtgui/guiutils.h | 3 +++ 2 files changed, 20 insertions(+), 2 deletions(-) diff --git a/rtgui/guiutils.cc b/rtgui/guiutils.cc index f415d770f..52ad2d6d4 100644 --- a/rtgui/guiutils.cc +++ b/rtgui/guiutils.cc @@ -1466,13 +1466,28 @@ TextOrIcon::TextOrIcon (const Glib::ustring &fname, const Glib::ustring &labelTx } MyImageMenuItem::MyImageMenuItem(Glib::ustring label, Glib::ustring imageFileName) +{ + RTImage* itemImage = nullptr; + + if (!imageFileName.empty()) { + itemImage = Gtk::manage(new RTImage(imageFileName)); + } + + construct(label, itemImage); +} + +MyImageMenuItem::MyImageMenuItem(Glib::ustring label, RTImage* itemImage) { + construct(label, itemImage); +} + +void MyImageMenuItem::construct(Glib::ustring label, RTImage* itemImage) { box = Gtk::manage (new Gtk::Grid()); this->label = Gtk::manage( new Gtk::Label(label)); box->set_orientation(Gtk::ORIENTATION_HORIZONTAL); - if (!imageFileName.empty()) { - image = Gtk::manage( new RTImage(imageFileName) ); + if (itemImage) { + image = itemImage; box->attach_next_to(*image, Gtk::POS_LEFT, 1, 1); } else { image = nullptr; diff --git a/rtgui/guiutils.h b/rtgui/guiutils.h index d90d45370..2077d505d 100644 --- a/rtgui/guiutils.h +++ b/rtgui/guiutils.h @@ -489,8 +489,11 @@ private: RTImage *image; Gtk::Label *label; + void construct(Glib::ustring label, RTImage* image); + public: MyImageMenuItem (Glib::ustring label, Glib::ustring imageFileName); + MyImageMenuItem (Glib::ustring label, RTImage* image); const RTImage *getImage () const; const Gtk::Label* getLabel () const; }; From 349ceb933627955a8ea7238e2b0c1ecb904e6103 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 12 Apr 2021 21:53:04 -0700 Subject: [PATCH 007/170] Add function for opening images with Gio::AppInfo --- rtgui/extprog.cc | 5 +++++ rtgui/extprog.h | 6 ++++++ 2 files changed, 11 insertions(+) diff --git a/rtgui/extprog.cc b/rtgui/extprog.cc index 57d57ecd8..939ead608 100644 --- a/rtgui/extprog.cc +++ b/rtgui/extprog.cc @@ -339,3 +339,8 @@ bool ExtProgStore::openInCustomEditor (const Glib::ustring& fileName) #endif } + +bool ExtProgStore::openInExternalEditor(const Glib::ustring &fileName, const Glib::RefPtr &editorInfo) +{ + return editorInfo->launch(Gio::File::create_for_path(fileName)); +} diff --git a/rtgui/extprog.h b/rtgui/extprog.h index c5e00bb1b..86dbc1674 100644 --- a/rtgui/extprog.h +++ b/rtgui/extprog.h @@ -24,6 +24,11 @@ #include "threadutils.h" +namespace Gio +{ + class AppInfo; +} + struct ExtProgAction { Glib::ustring filePathEXE; @@ -64,6 +69,7 @@ public: static bool openInGimp (const Glib::ustring& fileName); static bool openInPhotoshop (const Glib::ustring& fileName); static bool openInCustomEditor (const Glib::ustring& fileName); + static bool openInExternalEditor(const Glib::ustring &fileName, const Glib::RefPtr &editorInfo); }; #define extProgStore ExtProgStore::getInstance() From 927e9500ff98ba642a9e31d4b1fcf6348bfdf752 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 17 Apr 2021 12:55:17 -0700 Subject: [PATCH 008/170] Change GUI to support multiple external editors Replace radio selector in external editor section of preferences with external editor preferences widget. Replace send-to-GIMP button with pop-up button for exporting to a selectable application. --- rtdata/languages/default | 3 +- rtgui/editorpanel.cc | 116 +++++++++++++++++++++++++++++++-------- rtgui/editorpanel.h | 12 +++- rtgui/popupcommon.cc | 2 +- rtgui/preferences.cc | 58 ++++++++++++++++++++ rtgui/preferences.h | 2 + rtgui/rtwindow.cc | 7 +++ rtgui/rtwindow.h | 2 + 8 files changed, 175 insertions(+), 27 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 2ff654ede..605f0d95d 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -235,6 +235,7 @@ GENERAL_NO;No GENERAL_NONE;None GENERAL_OK;OK GENERAL_OPEN;Open +GENERAL_OTHER;Other GENERAL_PORTRAIT;Portrait GENERAL_RESET;Reset GENERAL_SAVE;Save @@ -1513,7 +1514,7 @@ MAIN_BUTTON_PREFERENCES;Preferences MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;Put current image to processing queue.\nShortcut: Ctrl+b MAIN_BUTTON_SAVE_TOOLTIP;Save current image.\nShortcut: Ctrl+s\nSave current profile (.pp3).\nShortcut: Ctrl+Shift+s MAIN_BUTTON_SENDTOEDITOR;Edit image in external editor -MAIN_BUTTON_SENDTOEDITOR_TOOLTIP;Edit current image in external editor.\nShortcut: Ctrl+e +MAIN_BUTTON_SENDTOEDITOR_TOOLTIP;Edit current image in external editor.\nShortcut: Ctrl+e\nCurrent editor: MAIN_BUTTON_SHOWHIDESIDEPANELS_TOOLTIP;Show/hide all side panels.\nShortcut: m MAIN_BUTTON_UNFULLSCREEN;Exit fullscreen MAIN_FRAME_EDITOR;Editor diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 7553a7353..e5543105c 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -666,12 +666,15 @@ EditorPanel::EditorPanel (FilePanel* filePanel) queueimg->set_tooltip_markup (M ("MAIN_BUTTON_PUTTOQUEUE_TOOLTIP")); setExpandAlignProperties (queueimg, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); - Gtk::Image *sendToEditorButtonImage = Gtk::manage (new RTImage ("palette-brush.png")); - sendtogimp = Gtk::manage (new Gtk::Button ()); - sendtogimp->set_relief(Gtk::RELIEF_NONE); - sendtogimp->add (*sendToEditorButtonImage); - sendtogimp->set_tooltip_markup (M ("MAIN_BUTTON_SENDTOEDITOR_TOOLTIP")); - setExpandAlignProperties (sendtogimp, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); + send_to_external = Gtk::make_managed("", false); + send_to_external->set_tooltip_text(M("MAIN_BUTTON_SENDTOEDITOR_TOOLTIP")); + setExpandAlignProperties(send_to_external->buttonGroup, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); + send_to_external->addEntry("palette-brush.png", M("GENERAL_OTHER")); + updateExternalEditorWidget( + options.externalEditorIndex >= 0 ? options.externalEditorIndex : options.externalEditors.size(), + options.externalEditors + ); + send_to_external->show(); // Status box progressLabel = Gtk::manage (new MyProgressBar (300)); @@ -736,7 +739,7 @@ EditorPanel::EditorPanel (FilePanel* filePanel) iops->attach_next_to (*vsep1, Gtk::POS_LEFT, 1, 1); if (!gimpPlugin) { - iops->attach_next_to (*sendtogimp, Gtk::POS_LEFT, 1, 1); + iops->attach_next_to(*send_to_external->buttonGroup, Gtk::POS_LEFT, 1, 1); } if (!gimpPlugin && !simpleEditor) { @@ -840,7 +843,8 @@ EditorPanel::EditorPanel (FilePanel* filePanel) tbRightPanel_1->signal_toggled().connect ( sigc::mem_fun (*this, &EditorPanel::tbRightPanel_1_toggled) ); saveimgas->signal_pressed().connect ( sigc::mem_fun (*this, &EditorPanel::saveAsPressed) ); queueimg->signal_pressed().connect ( sigc::mem_fun (*this, &EditorPanel::queueImgPressed) ); - sendtogimp->signal_pressed().connect ( sigc::mem_fun (*this, &EditorPanel::sendToGimpPressed) ); + send_to_external->signal_changed().connect(sigc::mem_fun(*this, &EditorPanel::sendToExternalChanged)); + send_to_external->signal_pressed().connect(sigc::mem_fun(*this, &EditorPanel::sendToExternalPressed)); toggleHistogramProfile->signal_toggled().connect( sigc::mem_fun (*this, &EditorPanel::histogramProfile_toggled) ); if (navPrev) { @@ -1673,7 +1677,7 @@ bool EditorPanel::handleShortcutKey (GdkEventKey* event) case GDK_KEY_e: if (!gimpPlugin) { - sendToGimpPressed(); + sendToExternalPressed(); } return true; @@ -1791,7 +1795,7 @@ bool EditorPanel::idle_saveImage (ProgressConnector *pc, msgd.run (); saveimgas->set_sensitive (true); - sendtogimp->set_sensitive (true); + send_to_external->set_sensitive(true); isProcessing = false; } @@ -1819,7 +1823,7 @@ bool EditorPanel::idle_imageSaved (ProgressConnector *pc, rtengine::IImagef } saveimgas->set_sensitive (true); - sendtogimp->set_sensitive (true); + send_to_external->set_sensitive(true); parent->setProgressStr (""); parent->setProgress (0.); @@ -1930,7 +1934,7 @@ void EditorPanel::saveAsPressed () ld->startFunc (sigc::bind (sigc::ptr_fun (&rtengine::processImage), job, err, parent->getProgressListener(), false ), sigc::bind (sigc::mem_fun ( *this, &EditorPanel::idle_saveImage ), ld, fnameOut, sf, pparams)); saveimgas->set_sensitive (false); - sendtogimp->set_sensitive (false); + send_to_external->set_sensitive(false); } } else { BatchQueueEntry* bqe = createBatchQueueEntry (); @@ -1961,7 +1965,7 @@ void EditorPanel::queueImgPressed () parent->addBatchQueueJob (createBatchQueueEntry ()); } -void EditorPanel::sendToGimpPressed () +void EditorPanel::sendToExternal() { if (!ipc || !openThm) { return; @@ -1975,7 +1979,29 @@ void EditorPanel::sendToGimpPressed () ld->startFunc (sigc::bind (sigc::ptr_fun (&rtengine::processImage), job, err, parent->getProgressListener(), false ), sigc::bind (sigc::mem_fun ( *this, &EditorPanel::idle_sendToGimp ), ld, openThm->getFileName() )); saveimgas->set_sensitive (false); - sendtogimp->set_sensitive (false); + send_to_external->set_sensitive(false); +} + +void EditorPanel::sendToExternalChanged(int) +{ + int index = send_to_external->getSelected(); + if (index >= 0 && static_cast(index) == options.externalEditors.size()) { + index = -1; + } + options.externalEditorIndex = index; +} + +void EditorPanel::sendToExternalPressed() +{ + if (options.externalEditorIndex == -1) { + // "Other" external editor. Show app chooser dialog to let user pick. + Gtk::AppChooserDialog *dialog = getAppChooserDialog(); + dialog->show(); + } else { + struct ExternalEditor editor = options.externalEditors.at(options.externalEditorIndex); + external_editor_info = Gio::AppInfo::create_from_commandline(editor.command, editor.name, Gio::APP_INFO_CREATE_NONE); + sendToExternal(); + } } @@ -2078,7 +2104,7 @@ bool EditorPanel::idle_sendToGimp ( ProgressConnector *p Gtk::MessageDialog msgd (*parent, msg_, true, Gtk::MESSAGE_ERROR, Gtk::BUTTONS_OK, true); msgd.run (); saveimgas->set_sensitive (true); - sendtogimp->set_sensitive (true); + send_to_external->set_sensitive(true); } return false; @@ -2093,18 +2119,12 @@ bool EditorPanel::idle_sentToGimp (ProgressConnector *pc, rtengine::IImagef if (!errore) { saveimgas->set_sensitive (true); - sendtogimp->set_sensitive (true); + send_to_external->set_sensitive(true); parent->setProgressStr (""); parent->setProgress (0.); bool success = false; - if (options.editorToSendTo == 1) { - success = ExtProgStore::openInGimp (filename); - } else if (options.editorToSendTo == 2) { - success = ExtProgStore::openInPhotoshop (filename); - } else if (options.editorToSendTo == 3) { - success = ExtProgStore::openInCustomEditor (filename); - } + success = ExtProgStore::openInExternalEditor(filename, external_editor_info); if (!success) { Gtk::MessageDialog msgd (*parent, M ("MAIN_MSG_CANNOTSTARTEDITOR"), false, Gtk::MESSAGE_ERROR, Gtk::BUTTONS_OK, true); @@ -2117,6 +2137,36 @@ bool EditorPanel::idle_sentToGimp (ProgressConnector *pc, rtengine::IImagef return false; } +Gtk::AppChooserDialog *EditorPanel::getAppChooserDialog() +{ + if (!app_chooser_dialog.get()) { + app_chooser_dialog.reset(new Gtk::AppChooserDialog("image/tiff")); + app_chooser_dialog->signal_response().connect( + sigc::mem_fun(*this, &EditorPanel::onAppChooserDialogResponse) + ); + app_chooser_dialog->set_modal(); + } + + return app_chooser_dialog.get(); +} + +void EditorPanel::onAppChooserDialogResponse(int responseId) +{ + switch (responseId) { + case Gtk::RESPONSE_OK: + getAppChooserDialog()->close(); + external_editor_info = getAppChooserDialog()->get_app_info(); + sendToExternal(); + break; + case Gtk::RESPONSE_CANCEL: + case Gtk::RESPONSE_CLOSE: + getAppChooserDialog()->close(); + break; + default: + break; + } +} + void EditorPanel::historyBeforeLineChanged (const rtengine::procparams::ProcParams& params) { @@ -2392,6 +2442,26 @@ void EditorPanel::tbShowHideSidePanels_managestate() ShowHideSidePanelsconn.block (false); } +void EditorPanel::updateExternalEditorWidget(int selectedIndex, const std::vector &editors) +{ + // Remove the editors and leave the "Other" entry. + while (send_to_external->getEntryCount() > 1) { + send_to_external->removeEntry(0); + } + // Add the editors. + for (unsigned i = 0; i < editors.size(); i++) { + const auto & name = editors[i].name.empty() ? Glib::ustring(" ") : editors[i].name; + if (!editors[i].icon_name.empty()) { + Glib::RefPtr gioIcon = Gio::Icon::create(editors[i].icon_name); + send_to_external->insertEntry(i, gioIcon, name); + } else { + send_to_external->insertEntry(i, "palette-brush.png", name); + } + } + send_to_external->setSelected(selectedIndex); + send_to_external->show(); +} + void EditorPanel::updateProfiles (const Glib::ustring &printerProfile, rtengine::RenderingIntent printerIntent, bool printerBPC) { } diff --git a/rtgui/editorpanel.h b/rtgui/editorpanel.h index 7675face5..0008786fa 100644 --- a/rtgui/editorpanel.h +++ b/rtgui/editorpanel.h @@ -43,6 +43,7 @@ class EditorPanel; class FilePanel; class MyProgressBar; class Navigator; +class PopUpButton; class Thumbnail; class ToolPanelCoordinator; @@ -162,7 +163,9 @@ public: void tbBeforeLock_toggled(); void saveAsPressed (); void queueImgPressed (); - void sendToGimpPressed (); + void sendToExternal(); + void sendToExternalChanged(int); + void sendToExternalPressed(); void openNextEditorImage (); void openPreviousEditorImage (); void syncFileBrowser (); @@ -182,6 +185,7 @@ public: { return isProcessing; } + void updateExternalEditorWidget(int selectedIndex, const std::vector &editors); void updateProfiles (const Glib::ustring &printerProfile, rtengine::RenderingIntent printerIntent, bool printerBPC); void updateTPVScrollbar (bool hide); void updateHistogramPosition (int oldPosition, int newPosition); @@ -201,6 +205,8 @@ private: bool idle_sendToGimp ( ProgressConnector *pc, Glib::ustring fname); bool idle_sentToGimp (ProgressConnector *pc, rtengine::IImagefloat* img, Glib::ustring filename); void histogramProfile_toggled (); + Gtk::AppChooserDialog *getAppChooserDialog(); + void onAppChooserDialogResponse(int resposneId); Glib::ustring lastSaveAsFileName; @@ -230,10 +236,12 @@ private: Gtk::Button* queueimg; Gtk::Button* saveimgas; - Gtk::Button* sendtogimp; + PopUpButton* send_to_external; Gtk::Button* navSync; Gtk::Button* navNext; Gtk::Button* navPrev; + Glib::RefPtr external_editor_info; + std::unique_ptr app_chooser_dialog; class ColorManagementToolbar; std::unique_ptr colorMgmtToolBar; diff --git a/rtgui/popupcommon.cc b/rtgui/popupcommon.cc index fabc4d572..c33ac068e 100644 --- a/rtgui/popupcommon.cc +++ b/rtgui/popupcommon.cc @@ -251,7 +251,7 @@ void PopUpCommon::setButtonHint() auto item = dynamic_cast(widget); if (item) { - hint += item->getLabel ()->get_text (); + hint += escapeHtmlChars(item->getLabel()->get_text()); } } diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index 9d9603297..d4f550dd3 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -17,6 +17,7 @@ * along with RawTherapee. If not, see . */ #include +#include "externaleditorpreferences.h" #include "preferences.h" #include "multilangmgr.h" #include "splash.h" @@ -33,6 +34,8 @@ #include #endif +//#define EXT_EDITORS_RADIOS // TODO: Remove the corresponding code after testing. + namespace { void placeSpinBox(Gtk::Container* where, Gtk::SpinButton* &spin, const std::string &labelText, int digits, int inc0, int inc1, int maxLength, int range0, int range1, const std::string &toolTip = "") { Gtk::Box* HB = Gtk::manage ( new Gtk::Box () ); @@ -1188,6 +1191,7 @@ Gtk::Widget* Preferences::getGeneralPanel() Gtk::Frame* fdg = Gtk::manage(new Gtk::Frame(M("PREFERENCES_EXTERNALEDITOR"))); setExpandAlignProperties(fdg, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_FILL); +#ifdef EXT_EDITORS_RADIOS Gtk::Grid* externaleditorGrid = Gtk::manage(new Gtk::Grid()); externaleditorGrid->set_column_spacing(4); externaleditorGrid->set_row_spacing(4); @@ -1243,8 +1247,17 @@ Gtk::Widget* Preferences::getGeneralPanel() externaleditorGrid->attach_next_to(*edOther, *edGimp, Gtk::POS_BOTTOM, 1, 1); externaleditorGrid->attach_next_to(*editorToSendTo, *edOther, Gtk::POS_RIGHT, 1, 1); #endif +#endif + + externalEditors = Gtk::make_managed(); + externalEditors->set_size_request(-1, 200); +#ifdef EXT_EDITORS_RADIOS + externaleditorGrid->attach_next_to(*externalEditors, *edOther, Gtk::POS_BOTTOM, 2, 1); fdg->add(*externaleditorGrid); +#else + fdg->add(*externalEditors); +#endif vbGeneral->attach_next_to (*fdg, *fclip, Gtk::POS_BOTTOM, 2, 1); langAutoDetectConn = ckbLangAutoDetect->signal_toggled().connect(sigc::mem_fun(*this, &Preferences::langAutoDetectToggled)); tconn = themeCBT->signal_changed().connect ( sigc::mem_fun (*this, &Preferences::themeChanged) ); @@ -1700,6 +1713,7 @@ void Preferences::storePreferences() moptions.pseudoHiDPISupport = pseudoHiDPI->get_active(); +#ifdef EXT_EDITORS_RADIOS #ifdef WIN32 moptions.gimpDir = gimpDir->get_filename(); moptions.psDir = psDir->get_filename(); @@ -1726,6 +1740,20 @@ void Preferences::storePreferences() else if (edOther->get_active()) { moptions.editorToSendTo = 3; } +#endif + + const std::vector &editors = externalEditors->getEditors(); + moptions.externalEditors.resize(editors.size()); + moptions.externalEditorIndex = -1; + for (unsigned i = 0; i < editors.size(); i++) { + moptions.externalEditors[i] = (ExternalEditor( + editors[i].name, editors[i].command, editors[i].icon_name)); + if (editors[i].other_data) { + // The current editor was marked before the list was edited. We + // found the mark, so this is the editor that was active. + moptions.externalEditorIndex = i; + } + } moptions.CPBPath = txtCustProfBuilderPath->get_text(); moptions.CPBKeys = CPBKeyType(custProfBuilderLabelType->get_active_row_number()); @@ -1981,6 +2009,7 @@ void Preferences::fillPreferences() hlThresh->set_value(moptions.highlightThreshold); shThresh->set_value(moptions.shadowThreshold); +#ifdef EXT_EDITORS_RADIOS edGimp->set_active(moptions.editorToSendTo == 1); edOther->set_active(moptions.editorToSendTo == 3); #ifdef WIN32 @@ -2009,6 +2038,18 @@ void Preferences::fillPreferences() #endif editorToSendTo->set_text(moptions.customEditorProg); +#endif + + std::vector editorInfos; + for (const auto &editor : moptions.externalEditors) { + editorInfos.push_back(ExternalEditorPreferences::EditorInfo( + editor.name, editor.command, editor.icon_name)); + } + if (moptions.externalEditorIndex >= 0) { + // Mark the current editor so we can track it. + editorInfos[moptions.externalEditorIndex].other_data = (void *)1; + } + externalEditors->setEditors(editorInfos); txtCustProfBuilderPath->set_text(moptions.CPBPath); custProfBuilderLabelType->set_active(moptions.CPBKeys); @@ -2474,6 +2515,23 @@ void Preferences::workflowUpdate() parent->updateProfiles (moptions.rtSettings.printerProfile, rtengine::RenderingIntent(moptions.rtSettings.printerIntent), moptions.rtSettings.printerBPC); } + bool changed = moptions.externalEditorIndex != options.externalEditorIndex + || moptions.externalEditors.size() != options.externalEditors.size(); + if (!changed) { + auto &editors = options.externalEditors; + auto &meditors = moptions.externalEditors; + for (unsigned i = 0; i < editors.size(); i++) { + if (editors[i] != meditors[i]) { + changed = true; + break; + } + } + } + if (changed) { + // Update the send to external editor widget. + parent->updateExternalEditorWidget(moptions.externalEditorIndex, moptions.externalEditors); + } + } void Preferences::addExtPressed() diff --git a/rtgui/preferences.h b/rtgui/preferences.h index df4e3327a..9e0730c04 100644 --- a/rtgui/preferences.h +++ b/rtgui/preferences.h @@ -26,6 +26,7 @@ #include "options.h" #include "../rtengine/profilestore.h" +class ExternalEditorPreferences; class RTWindow; class Splash; @@ -101,6 +102,7 @@ class Preferences final : Gtk::RadioButton* edGimp; Gtk::RadioButton* edPS; Gtk::RadioButton* edOther; + ExternalEditorPreferences *externalEditors; MyFileChooserButton* darkFrameDir; MyFileChooserButton* flatFieldDir; MyFileChooserButton* clutsDir; diff --git a/rtgui/rtwindow.cc b/rtgui/rtwindow.cc index c0042f949..0822c0aad 100644 --- a/rtgui/rtwindow.cc +++ b/rtgui/rtwindow.cc @@ -1030,6 +1030,13 @@ void RTWindow::MoveFileBrowserToEditor() } } +void RTWindow::updateExternalEditorWidget(int selectedIndex, const std::vector & editors) +{ + if (epanel) { + epanel->updateExternalEditorWidget(selectedIndex, editors); + } +} + void RTWindow::updateProfiles (const Glib::ustring &printerProfile, rtengine::RenderingIntent printerIntent, bool printerBPC) { if (epanel) { diff --git a/rtgui/rtwindow.h b/rtgui/rtwindow.h index e5e180747..32d0756b5 100644 --- a/rtgui/rtwindow.h +++ b/rtgui/rtwindow.h @@ -33,6 +33,7 @@ class BatchQueueEntry; class BatchQueuePanel; class EditorPanel; +class ExternalEditor; class FilePanel; class PLDBridge; class RTWindow final : @@ -114,6 +115,7 @@ public: void MoveFileBrowserToEditor(); void MoveFileBrowserToMain(); + void updateExternalEditorWidget(int selectedIndex, const std::vector &editors); void updateProfiles (const Glib::ustring &printerProfile, rtengine::RenderingIntent printerIntent, bool printerBPC); void updateTPVScrollbar (bool hide); void updateHistogramPosition (int oldPosition, int newPosition); From 044451868ac623bda15a5b8d1a6d02f37b5b31b4 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 17 Apr 2021 22:11:17 -0700 Subject: [PATCH 009/170] Add missing parenthesis --- rtgui/options.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtgui/options.cc b/rtgui/options.cc index 2a00af525..a967ed873 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -916,7 +916,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 3) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("-", executable, ""); + externalEditors.push_back(ExternalEditor("-", executable, "")); } #elif defined __APPLE__ if (editorToSendTo == 1) { From e6b2c9e7b06bf67b511db5ae53a172d08c8ab6fb Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 18 Apr 2021 12:33:32 -0700 Subject: [PATCH 010/170] Make options ignore empty custom editor command --- rtgui/options.cc | 34 ++++++++++++++++++++-------------- 1 file changed, 20 insertions(+), 14 deletions(-) diff --git a/rtgui/options.cc b/rtgui/options.cc index a967ed873..cf577fe7d 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -875,7 +875,7 @@ void Options::readFromFile(Glib::ustring fname) // GIMP == 1, Photoshop == 2, Custom == 3. editorToSendTo = keyFile.get_integer("External Editor", "EditorKind"); - #ifdef WIN32 +#ifdef WIN32 Glib::ustring gimpDir = ""; if (keyFile.has_key("External Editor", "GimpDir")) { gimpDir = keyFile.get_string("External Editor", "GimpDir"); @@ -903,7 +903,7 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("External Editor", "PhotoshopDir")) { psDir = keyFile.get_string("External Editor", "PhotoshopDir"); } - auto executable = Glib::build_filename(psDir, "Photoshop.exe"); + executable = Glib::build_filename(psDir, "Photoshop.exe"); if (Glib::file_test(executable, Glib::FILE_TEST_IS_EXECUTABLE)) { if (editorToSendTo == 2) { externalEditorIndex = externalEditors.size(); @@ -913,12 +913,14 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("External Editor", "CustomEditor")) { executable = keyFile.get_string("External Editor", "CustomEditor"); - if (editorToSendTo == 3) { - externalEditorIndex = externalEditors.size(); + if (!executable.empty()) { + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, "")); } - externalEditors.push_back(ExternalEditor("-", executable, "")); } - #elif defined __APPLE__ +#elif defined __APPLE__ if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } @@ -932,12 +934,14 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("External Editor", "CustomEditor")) { auto executable = keyFile.get_string("External Editor", "CustomEditor"); - if (editorToSendTo == 3) { - externalEditorIndex = externalEditors.size(); + if (!executable.empty()) { + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, "")); } - externalEditors.push_back(ExternalEditor("-", executable, "")); } - #else +#else if (Glib::find_program_in_path("gimp").compare("")) { if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); @@ -952,12 +956,14 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("External Editor", "CustomEditor")) { auto executable = keyFile.get_string("External Editor", "CustomEditor"); - if (editorToSendTo == 3) { - externalEditorIndex = externalEditors.size(); + if (!executable.empty()) { + if (editorToSendTo == 3) { + externalEditorIndex = externalEditors.size(); + } + externalEditors.push_back(ExternalEditor("-", executable, "")); } - externalEditors.push_back(ExternalEditor("-", executable, "")); } - #endif +#endif } } From d9fe87569dabbbc5ee561c93e230b75e88ea3ee7 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 18 Apr 2021 17:23:40 -0700 Subject: [PATCH 011/170] Cache most recent send-to-editor temp file Caches the name of the most recently generated temporary file used for exporting to external editors and uses that file if the processing parameters are identical and the file exists. This can dramatically improve speed when exporting to multiple different editors. --- rtgui/editorpanel.cc | 22 ++++++++++++++++++---- rtgui/editorpanel.h | 3 +++ 2 files changed, 21 insertions(+), 4 deletions(-) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index e5543105c..021333503 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -1974,6 +1974,14 @@ void EditorPanel::sendToExternal() // develop image rtengine::procparams::ProcParams pparams; ipc->getParams (&pparams); + + if (!cached_exported_filename.empty() && pparams == cached_exported_pparams && Glib::file_test(cached_exported_filename, Glib::FILE_TEST_IS_REGULAR)) { + idle_sentToGimp(nullptr, nullptr, cached_exported_filename); + return; + } + + cached_exported_pparams = pparams; + cached_exported_filename.clear(); rtengine::ProcessingJob* job = rtengine::ProcessingJob::create (ipc->getInitialImage(), pparams); ProgressConnector *ld = new ProgressConnector(); ld->startFunc (sigc::bind (sigc::ptr_fun (&rtengine::processImage), job, err, parent->getProgressListener(), false ), @@ -2112,12 +2120,18 @@ bool EditorPanel::idle_sendToGimp ( ProgressConnector *p bool EditorPanel::idle_sentToGimp (ProgressConnector *pc, rtengine::IImagefloat* img, Glib::ustring filename) { - delete img; - int errore = pc->returnValue(); + if (img) { + delete img; + cached_exported_filename = filename; + } + int errore = 0; setProgressState(false); - delete pc; + if (pc) { + errore = pc->returnValue(); + delete pc; + } - if (!errore) { + if ((!img && Glib::file_test(filename, Glib::FILE_TEST_IS_REGULAR)) || (img && !errore)) { saveimgas->set_sensitive (true); send_to_external->set_sensitive(true); parent->setProgressStr (""); diff --git a/rtgui/editorpanel.h b/rtgui/editorpanel.h index 0008786fa..1e6eaaa1f 100644 --- a/rtgui/editorpanel.h +++ b/rtgui/editorpanel.h @@ -243,6 +243,9 @@ private: Glib::RefPtr external_editor_info; std::unique_ptr app_chooser_dialog; + rtengine::procparams::ProcParams cached_exported_pparams; + Glib::ustring cached_exported_filename; + class ColorManagementToolbar; std::unique_ptr colorMgmtToolBar; From 4044f67c0ff73dd793bd62908a198754978ef6a6 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 5 Jul 2021 11:01:51 -0700 Subject: [PATCH 012/170] Align External Editor > Output directory to top Prevents the frame from expanding vertically. --- rtgui/preferences.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index d19481ea1..786262896 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -1271,7 +1271,7 @@ Gtk::Widget* Preferences::getGeneralPanel() editor_bypass_output_profile = Gtk::manage(new Gtk::CheckButton(M("PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE"))); { Gtk::Frame *f = Gtk::manage(new Gtk::Frame(M("PREFERENCES_EXTEDITOR_DIR"))); - setExpandAlignProperties(f, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_FILL); + setExpandAlignProperties(f, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); Gtk::Box *vb = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); vb->pack_start(*editor_dir_temp); vb->pack_start(*editor_dir_current); From c62597545374b3427ae137a103584aa3f81afc7a Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 11 Jul 2021 21:38:52 -0700 Subject: [PATCH 013/170] Surround Windows commands in quotes When external editors are launched in Windows OS, the command is surrounded by quotes. This commit fixes the translation of commands for use by the multiple custom external editors feature so that the translated commands are also surrounded by quotes. --- rtgui/options.cc | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/rtgui/options.cc b/rtgui/options.cc index 88406452b..3bb3bb08f 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -912,7 +912,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", executable, "gimp")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", "gimp")); } else { for (auto ver = 12; ver >= 0; --ver) { executable = Glib::build_filename(gimpDir, "bin", Glib::ustring::compose(Glib::ustring("gimp-2.%1.exe"), ver)); @@ -920,7 +920,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", executable, "gimp")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", "gimp")); break; } } @@ -935,7 +935,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 2) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("Photoshop", executable, "")); + externalEditors.push_back(ExternalEditor("Photoshop", "\"" + executable + "\"", "")); } if (keyFile.has_key("External Editor", "CustomEditor")) { @@ -944,7 +944,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 3) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("-", executable, "")); + externalEditors.push_back(ExternalEditor("-", "\"" + executable + "\"", "")); } } #elif defined __APPLE__ From 02e3e0129453a37fa666ff85c793469a6b4fd6f8 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 11 Jul 2021 21:45:39 -0700 Subject: [PATCH 014/170] Use correct GIMP and Photoshop icons for Windows Icon names in Windows are typically the executable path followed by the string ",0". --- rtgui/options.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/rtgui/options.cc b/rtgui/options.cc index 3bb3bb08f..6a944faa6 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -912,7 +912,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", "gimp")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", executable + ",0")); } else { for (auto ver = 12; ver >= 0; --ver) { executable = Glib::build_filename(gimpDir, "bin", Glib::ustring::compose(Glib::ustring("gimp-2.%1.exe"), ver)); @@ -920,7 +920,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", "gimp")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", executable + ",0")); break; } } @@ -935,7 +935,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 2) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("Photoshop", "\"" + executable + "\"", "")); + externalEditors.push_back(ExternalEditor("Photoshop", "\"" + executable + "\"", executable + ",0")); } if (keyFile.has_key("External Editor", "CustomEditor")) { From c4a8554db3da65d50497703ccd4951dbb16a86b9 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 11 Jul 2021 22:13:27 -0700 Subject: [PATCH 015/170] Catch exceptions when launching external editor Catch all Glib::Errors and print the error code and message to stderr. --- rtgui/extprog.cc | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/rtgui/extprog.cc b/rtgui/extprog.cc index 148eee944..e4cf63733 100644 --- a/rtgui/extprog.cc +++ b/rtgui/extprog.cc @@ -342,5 +342,13 @@ bool ExtProgStore::openInCustomEditor (const Glib::ustring& fileName) bool ExtProgStore::openInExternalEditor(const Glib::ustring &fileName, const Glib::RefPtr &editorInfo) { - return editorInfo->launch(Gio::File::create_for_path(fileName)); + try { + return editorInfo->launch(Gio::File::create_for_path(fileName)); + } catch (const Glib::Error &e) { + std::cerr + << "Error launching external editor.\n" + << "Error code #" << e.code() << ": " << e.what() + << std::endl; + return false; + } } From a0711ebc8c528e2b79706f4421c6181f1c71cce8 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 25 Jul 2021 16:03:13 -0700 Subject: [PATCH 016/170] Fix tmp image reuse when exporting different image If two images have identical processing parameters, then sending one to an external editor followed by sending the other one will cause the first temporary image to be reused. This commit associates the image in the editor with the "cached" temporary image so that the temporary image only gets used if the editor image matches. --- rtgui/editorpanel.cc | 3 ++- rtgui/editorpanel.h | 1 + 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 5c61e672e..e52dab5db 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -1980,11 +1980,12 @@ void EditorPanel::sendToExternal() pparams.icm.outputProfile = rtengine::procparams::ColorManagementParams::NoProfileString; } - if (!cached_exported_filename.empty() && pparams == cached_exported_pparams && Glib::file_test(cached_exported_filename, Glib::FILE_TEST_IS_REGULAR)) { + if (!cached_exported_filename.empty() && cached_exported_image == ipc->getInitialImage() && pparams == cached_exported_pparams && Glib::file_test(cached_exported_filename, Glib::FILE_TEST_IS_REGULAR)) { idle_sentToGimp(nullptr, nullptr, cached_exported_filename); return; } + cached_exported_image = ipc->getInitialImage(); cached_exported_pparams = pparams; cached_exported_filename.clear(); rtengine::ProcessingJob* job = rtengine::ProcessingJob::create (ipc->getInitialImage(), pparams); diff --git a/rtgui/editorpanel.h b/rtgui/editorpanel.h index 1e6eaaa1f..1372a2171 100644 --- a/rtgui/editorpanel.h +++ b/rtgui/editorpanel.h @@ -243,6 +243,7 @@ private: Glib::RefPtr external_editor_info; std::unique_ptr app_chooser_dialog; + rtengine::InitialImage *cached_exported_image; rtengine::procparams::ProcParams cached_exported_pparams; Glib::ustring cached_exported_filename; From db7d56c253433e94d892f5bbeaa5226008a410f5 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 25 Jul 2021 17:45:20 -0700 Subject: [PATCH 017/170] Synchronize send to external editor buttons Keep all buttons updated when using a multiple editor tabs mode. --- rtgui/editorpanel.cc | 32 ++++++++++++++++++++++++++++++++ rtgui/editorpanel.h | 10 ++++++++++ rtgui/editwindow.cc | 2 ++ rtgui/editwindow.h | 2 ++ 4 files changed, 46 insertions(+) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index e52dab5db..6649fc970 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -2003,6 +2003,9 @@ void EditorPanel::sendToExternalChanged(int) index = -1; } options.externalEditorIndex = index; + if (externalEditorChangedSignal) { + externalEditorChangedSignal->emit(); + } } void EditorPanel::sendToExternalPressed() @@ -2069,6 +2072,23 @@ void EditorPanel::syncFileBrowser() // synchronize filebrowser with image in E } } +ExternalEditorChangedSignal * EditorPanel::getExternalEditorChangedSignal() +{ + return externalEditorChangedSignal; +} + +void EditorPanel::setExternalEditorChangedSignal(ExternalEditorChangedSignal *signal) +{ + if (externalEditorChangedSignal) { + externalEditorChangedSignalConnection.disconnect(); + } + externalEditorChangedSignal = signal; + if (signal) { + externalEditorChangedSignalConnection = signal->connect( + sigc::mem_fun(*this, &EditorPanel::updateExternalEditorSelection)); + } +} + void EditorPanel::histogramProfile_toggled() { options.rtSettings.HistogramWorking = toggleHistogramProfile->get_active(); @@ -2203,6 +2223,18 @@ void EditorPanel::onAppChooserDialogResponse(int responseId) } } +void EditorPanel::updateExternalEditorSelection() +{ + int index = send_to_external->getSelected(); + if (index >= 0 && static_cast(index) == options.externalEditors.size()) { + index = -1; + } + if (options.externalEditorIndex != index) { + send_to_external->setSelected( + options.externalEditorIndex >= 0 ? options.externalEditorIndex : options.externalEditors.size()); + } +} + void EditorPanel::historyBeforeLineChanged (const rtengine::procparams::ProcParams& params) { diff --git a/rtgui/editorpanel.h b/rtgui/editorpanel.h index 1372a2171..1bbb95a6e 100644 --- a/rtgui/editorpanel.h +++ b/rtgui/editorpanel.h @@ -38,6 +38,8 @@ template class array2D; } +using ExternalEditorChangedSignal = sigc::signal; + class BatchQueueEntry; class EditorPanel; class FilePanel; @@ -66,6 +68,7 @@ class EditorPanel final : public rtengine::NonCopyable { public: + explicit EditorPanel (FilePanel* filePanel = nullptr); ~EditorPanel () override; @@ -170,6 +173,10 @@ public: void openPreviousEditorImage (); void syncFileBrowser (); + // Signals. + ExternalEditorChangedSignal * getExternalEditorChangedSignal(); + void setExternalEditorChangedSignal(ExternalEditorChangedSignal *signal); + void tbTopPanel_1_visible (bool visible); bool CheckSidePanelsVisibility(); void tbShowHideSidePanels_managestate(); @@ -207,6 +214,7 @@ private: void histogramProfile_toggled (); Gtk::AppChooserDialog *getAppChooserDialog(); void onAppChooserDialogResponse(int resposneId); + void updateExternalEditorSelection(); Glib::ustring lastSaveAsFileName; @@ -242,6 +250,8 @@ private: Gtk::Button* navPrev; Glib::RefPtr external_editor_info; std::unique_ptr app_chooser_dialog; + ExternalEditorChangedSignal *externalEditorChangedSignal; + sigc::connection externalEditorChangedSignalConnection; rtengine::InitialImage *cached_exported_image; rtengine::procparams::ProcParams cached_exported_pparams; diff --git a/rtgui/editwindow.cc b/rtgui/editwindow.cc index d0e53d730..0584edf77 100644 --- a/rtgui/editwindow.cc +++ b/rtgui/editwindow.cc @@ -250,6 +250,7 @@ void EditWindow::addEditorPanel (EditorPanel* ep, const std::string &name) { ep->setParent (parent); ep->setParentWindow(this); + ep->setExternalEditorChangedSignal(&externalEditorChangedSignal); // construct closeable tab for the image Gtk::Box* hb = Gtk::manage (new Gtk::Box ()); @@ -288,6 +289,7 @@ void EditWindow::remEditorPanel (EditorPanel* ep) return; // Will crash if destroyed while loading } + ep->setExternalEditorChangedSignal(nullptr); epanels.erase (ep->getFileName()); filesEdited.erase (ep->getFileName ()); parent->fpanel->refreshEditedState (filesEdited); diff --git a/rtgui/editwindow.h b/rtgui/editwindow.h index b8eeaee82..27d4598c1 100644 --- a/rtgui/editwindow.h +++ b/rtgui/editwindow.h @@ -39,6 +39,8 @@ private: std::set filesEdited; std::map epanels; + sigc::signal externalEditorChangedSignal; + bool isFullscreen; bool isClosed; bool isMinimized; From 9423ebc97c4839c40ca8e9a75b22f1f0f028e6c0 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 14 Aug 2021 11:32:25 -0700 Subject: [PATCH 018/170] Fix crash when changing external editors Initialize a pointer to nullptr. --- rtgui/editorpanel.cc | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 6649fc970..775e6a935 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -470,7 +470,9 @@ public: EditorPanel::EditorPanel (FilePanel* filePanel) : catalogPane (nullptr), realized (false), tbBeforeLock (nullptr), iHistoryShow (nullptr), iHistoryHide (nullptr), iTopPanel_1_Show (nullptr), iTopPanel_1_Hide (nullptr), iRightPanel_1_Show (nullptr), iRightPanel_1_Hide (nullptr), - iBeforeLockON (nullptr), iBeforeLockOFF (nullptr), previewHandler (nullptr), beforePreviewHandler (nullptr), + iBeforeLockON (nullptr), iBeforeLockOFF (nullptr), + externalEditorChangedSignal (nullptr), + previewHandler (nullptr), beforePreviewHandler (nullptr), beforeIarea (nullptr), beforeBox (nullptr), afterBox (nullptr), beforeLabel (nullptr), afterLabel (nullptr), beforeHeaderBox (nullptr), afterHeaderBox (nullptr), parent (nullptr), parentWindow (nullptr), openThm (nullptr), selectedFrame(0), isrc (nullptr), ipc (nullptr), beforeIpc (nullptr), err (0), isProcessing (false), From d3e524a491c900adac72ef10fde01c5c5c626127 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 14 Aug 2021 16:05:11 -0700 Subject: [PATCH 019/170] Fix crash when adding an external editor On some platforms, the app chooser dialog causes a crash after selecting an application. The application information returned by the dialog may also trigger crashes when accessed. See https://gitlab.gnome.org/GNOME/glib/-/issues/1104 and https://gitlab.gnome.org/GNOME/glibmm/-/issues/94. This commit overrides gtkmm's app chooser dialog to work around these bugs. --- rtgui/CMakeLists.txt | 1 + rtgui/editorpanel.cc | 7 +-- rtgui/editorpanel.h | 5 +- rtgui/externaleditorpreferences.cc | 4 +- rtgui/externaleditorpreferences.h | 7 +-- rtgui/rtappchooserdialog.cc | 77 ++++++++++++++++++++++++++++++ rtgui/rtappchooserdialog.h | 39 +++++++++++++++ 7 files changed, 130 insertions(+), 10 deletions(-) create mode 100644 rtgui/rtappchooserdialog.cc create mode 100644 rtgui/rtappchooserdialog.h diff --git a/rtgui/CMakeLists.txt b/rtgui/CMakeLists.txt index ed6a0b364..3ca04dc2b 100644 --- a/rtgui/CMakeLists.txt +++ b/rtgui/CMakeLists.txt @@ -135,6 +135,7 @@ set(NONCLISOURCEFILES retinex.cc rgbcurves.cc rotate.cc + rtappchooserdialog.cc rtimage.cc rtscalable.cc rtsurface.cc diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 775e6a935..6cb90a444 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -39,6 +39,7 @@ #include "procparamchangers.h" #include "placesbrowser.h" #include "pathutils.h" +#include "rtappchooserdialog.h" #include "thumbnail.h" #include "toolpanelcoord.h" @@ -2014,7 +2015,7 @@ void EditorPanel::sendToExternalPressed() { if (options.externalEditorIndex == -1) { // "Other" external editor. Show app chooser dialog to let user pick. - Gtk::AppChooserDialog *dialog = getAppChooserDialog(); + RTAppChooserDialog *dialog = getAppChooserDialog(); dialog->show(); } else { struct ExternalEditor editor = options.externalEditors.at(options.externalEditorIndex); @@ -2195,10 +2196,10 @@ bool EditorPanel::idle_sentToGimp (ProgressConnector *pc, rtengine::IImagef return false; } -Gtk::AppChooserDialog *EditorPanel::getAppChooserDialog() +RTAppChooserDialog *EditorPanel::getAppChooserDialog() { if (!app_chooser_dialog.get()) { - app_chooser_dialog.reset(new Gtk::AppChooserDialog("image/tiff")); + app_chooser_dialog.reset(new RTAppChooserDialog("image/tiff")); app_chooser_dialog->signal_response().connect( sigc::mem_fun(*this, &EditorPanel::onAppChooserDialogResponse) ); diff --git a/rtgui/editorpanel.h b/rtgui/editorpanel.h index 1bbb95a6e..e822f1677 100644 --- a/rtgui/editorpanel.h +++ b/rtgui/editorpanel.h @@ -46,6 +46,7 @@ class FilePanel; class MyProgressBar; class Navigator; class PopUpButton; +class RTAppChooserDialog; class Thumbnail; class ToolPanelCoordinator; @@ -212,7 +213,7 @@ private: bool idle_sendToGimp ( ProgressConnector *pc, Glib::ustring fname); bool idle_sentToGimp (ProgressConnector *pc, rtengine::IImagefloat* img, Glib::ustring filename); void histogramProfile_toggled (); - Gtk::AppChooserDialog *getAppChooserDialog(); + RTAppChooserDialog *getAppChooserDialog(); void onAppChooserDialogResponse(int resposneId); void updateExternalEditorSelection(); @@ -249,7 +250,7 @@ private: Gtk::Button* navNext; Gtk::Button* navPrev; Glib::RefPtr external_editor_info; - std::unique_ptr app_chooser_dialog; + std::unique_ptr app_chooser_dialog; ExternalEditorChangedSignal *externalEditorChangedSignal; sigc::connection externalEditorChangedSignalConnection; diff --git a/rtgui/externaleditorpreferences.cc b/rtgui/externaleditorpreferences.cc index df6b6efc2..b64cdcf9f 100644 --- a/rtgui/externaleditorpreferences.cc +++ b/rtgui/externaleditorpreferences.cc @@ -164,7 +164,7 @@ Gtk::TreeViewColumn *ExternalEditorPreferences::makeCommandColumn() } void ExternalEditorPreferences::onAppChooserDialogResponse( - int response_id, Gtk::AppChooserDialog *dialog) + int response_id, RTAppChooserDialog *dialog) { switch (response_id) { case Gtk::RESPONSE_OK: @@ -190,7 +190,7 @@ void ExternalEditorPreferences::openAppChooserDialog() return; } - app_chooser_dialog.reset(new Gtk::AppChooserDialog("image/tiff")); + app_chooser_dialog.reset(new RTAppChooserDialog("image/tiff")); app_chooser_dialog->signal_response().connect(sigc::bind( sigc::mem_fun(*this, &ExternalEditorPreferences::onAppChooserDialogResponse), app_chooser_dialog.get() diff --git a/rtgui/externaleditorpreferences.h b/rtgui/externaleditorpreferences.h index be988e901..dbd0f1648 100644 --- a/rtgui/externaleditorpreferences.h +++ b/rtgui/externaleditorpreferences.h @@ -18,7 +18,6 @@ */ #pragma once -#include #include #include #include @@ -26,6 +25,8 @@ #include #include +#include "rtappchooserdialog.h" + /** * Widget for editing the external editors options. @@ -98,7 +99,7 @@ private: Gtk::Button *button_app_chooser; Gtk::Button *button_add; Gtk::Button *button_remove; - std::unique_ptr app_chooser_dialog; + std::unique_ptr app_chooser_dialog; /** * Inserts a new editor entry after the current selection, or at the end if @@ -117,7 +118,7 @@ private: * Called when the user is done interacting with the app chooser dialog. * Closes the dialog and updates the selected entry if an app was chosen. */ - void onAppChooserDialogResponse(int responseId, Gtk::AppChooserDialog *dialog); + void onAppChooserDialogResponse(int responseId, RTAppChooserDialog *dialog); /** * Shows the app chooser dialog. */ diff --git a/rtgui/rtappchooserdialog.cc b/rtgui/rtappchooserdialog.cc new file mode 100644 index 000000000..50a71ee38 --- /dev/null +++ b/rtgui/rtappchooserdialog.cc @@ -0,0 +1,77 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Lawrence Lee + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ +#include "rtappchooserdialog.h" + +#if !(defined WIN32 || defined __APPLE__) +#define GTKMM_APPCHOOSERDIALOG +#endif + +RTAppChooserDialog::~RTAppChooserDialog() {} + +#ifdef GTKMM_APPCHOOSERDIALOG // Use Gtk::AppChooserDialog directly. + +RTAppChooserDialog::RTAppChooserDialog(const Glib::ustring &content_type) : + Gtk::AppChooserDialog(content_type) +{ +} + +Glib::RefPtr RTAppChooserDialog::get_app_info() +{ + return Gtk::AppChooserDialog::get_app_info(); +} + +Glib::RefPtr RTAppChooserDialog::get_app_info() const +{ + return Gtk::AppChooserDialog::get_app_info(); +} + +#else // Work around bugs with GLib and glibmm. + +RTAppChooserDialog::RTAppChooserDialog(const Glib::ustring &content_type) : + Gtk::AppChooserDialog(content_type) +{ + // GTK calls a faulty GLib function to update the most recently selected + // application after an application is selected. This removes all signal + // handlers to prevent the function call. + auto signal_id = g_signal_lookup("response", GTK_TYPE_APP_CHOOSER_DIALOG); + while (true) { + auto handler_id = g_signal_handler_find(gobj(), G_SIGNAL_MATCH_ID, signal_id, GQuark(), nullptr, nullptr, nullptr); + if (!handler_id) { + break; + } + g_signal_handler_disconnect(gobj(), handler_id); + } +} + +Glib::RefPtr RTAppChooserDialog::get_app_info() +{ + // glibmm wrapping of GAppInfo does not work on some platforms. Manually + // wrap it here. + GAppInfo *gAppInfo = gtk_app_chooser_get_app_info(GTK_APP_CHOOSER(gobj())); + return Glib::wrap(gAppInfo, true); +} + +Glib::RefPtr RTAppChooserDialog::get_app_info() const +{ + GAppInfo *gAppInfo = gtk_app_chooser_get_app_info(GTK_APP_CHOOSER( + const_cast(gobj()))); + return Glib::wrap(gAppInfo, true); +} + +#endif diff --git a/rtgui/rtappchooserdialog.h b/rtgui/rtappchooserdialog.h new file mode 100644 index 000000000..9d0e3b041 --- /dev/null +++ b/rtgui/rtappchooserdialog.h @@ -0,0 +1,39 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Lawrence Lee + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ +#pragma once + +#include +#include +#include +#include + +/** + * Custom version of gtkmm's Gtk::AppChooserDialog to work around crashes + * (https://gitlab.gnome.org/GNOME/glib/-/issues/1104 and + * https://gitlab.gnome.org/GNOME/glibmm/-/issues/94). + */ +class RTAppChooserDialog : public Gtk::AppChooserDialog +{ +public: + RTAppChooserDialog(const Glib::ustring &content_type); + ~RTAppChooserDialog(); + + Glib::RefPtr get_app_info(); + Glib::RefPtr get_app_info() const; +}; From 672d6302f37aefae0e8341761a54d31042035210 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 14 Aug 2021 17:11:07 -0700 Subject: [PATCH 020/170] Fix storage of external editor icons De-serialize and serialize icons instead of using their names. --- rtgui/editorpanel.cc | 18 +++++++++++++-- rtgui/externaleditorpreferences.cc | 32 ++++++++++++++++++++++----- rtgui/externaleditorpreferences.h | 6 ++--- rtgui/options.cc | 35 ++++++++++++++++-------------- rtgui/options.h | 4 ++-- rtgui/preferences.cc | 4 ++-- rtgui/rtimage.cc | 7 +++++- 7 files changed, 75 insertions(+), 31 deletions(-) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 6cb90a444..987852891 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -2522,8 +2522,22 @@ void EditorPanel::updateExternalEditorWidget(int selectedIndex, const std::vecto // Add the editors. for (unsigned i = 0; i < editors.size(); i++) { const auto & name = editors[i].name.empty() ? Glib::ustring(" ") : editors[i].name; - if (!editors[i].icon_name.empty()) { - Glib::RefPtr gioIcon = Gio::Icon::create(editors[i].icon_name); + if (!editors[i].icon_serialized.empty()) { + Glib::RefPtr gioIcon; + GError *e = nullptr; + GVariant *icon_variant = g_variant_parse( + nullptr, editors[i].icon_serialized.c_str(), nullptr, nullptr, &e); + + if (e) { + std::cerr + << "Error loading external editor icon from \"" + << editors[i].icon_serialized << "\": " << e->message + << std::endl; + gioIcon = Glib::RefPtr(); + } else { + gioIcon = Gio::Icon::deserialize(Glib::VariantBase(icon_variant)); + } + send_to_external->insertEntry(i, gioIcon, name); } else { send_to_external->insertEntry(i, "palette-brush.png", name); diff --git a/rtgui/externaleditorpreferences.cc b/rtgui/externaleditorpreferences.cc index b64cdcf9f..61bf8dc3a 100644 --- a/rtgui/externaleditorpreferences.cc +++ b/rtgui/externaleditorpreferences.cc @@ -16,6 +16,8 @@ * You should have received a copy of the GNU General Public License * along with RawTherapee. If not, see . */ +#include + #include "externaleditorpreferences.h" #include "multilangmgr.h" #include "rtimage.h" @@ -85,11 +87,11 @@ ExternalEditorPreferences::getEditors() const for (auto rowIter = children.begin(); rowIter != children.end(); rowIter++) { const Gio::Icon *const icon = rowIter->get_value(model_columns.icon).get(); - const auto &icon_name = icon == nullptr ? "" : icon->to_string(); + const auto &icon_serialized = icon == nullptr ? "" : icon->serialize().print(); editors.push_back(ExternalEditorPreferences::EditorInfo( rowIter->get_value(model_columns.name), rowIter->get_value(model_columns.command), - icon_name, + icon_serialized, rowIter->get_value(model_columns.other_data) )); } @@ -104,8 +106,28 @@ void ExternalEditorPreferences::setEditors( for (const ExternalEditorPreferences::EditorInfo & editor : editors) { auto row = *list_model->append(); + Glib::RefPtr icon; + + // Get icon. + if (editor.icon_serialized.empty()) { + icon = Glib::RefPtr(); + } else { + GError *e = nullptr; + GVariant *icon_variant = g_variant_parse( + nullptr, editor.icon_serialized.c_str(), nullptr, nullptr, &e); + if (e) { + std::cerr + << "Error loading external editor icon from \"" + << editor.icon_serialized << "\": " << e->message + << std::endl; + icon = Glib::RefPtr(); + } else { + icon = Gio::Icon::deserialize(Glib::VariantBase(icon_variant)); + } + } + row[model_columns.name] = editor.name; - row[model_columns.icon] = editor.icon_name.empty() ? Glib::RefPtr() : Gio::Icon::create(editor.icon_name); + row[model_columns.icon] = icon; row[model_columns.command] = editor.command; row[model_columns.other_data] = editor.other_data; } @@ -247,8 +269,8 @@ void ExternalEditorPreferences::updateToolbarSensitivity() } ExternalEditorPreferences::EditorInfo::EditorInfo( - Glib::ustring name, Glib::ustring command, Glib::ustring icon_name, void *other_data -) : name(name), icon_name(icon_name), command(command), other_data(other_data) + Glib::ustring name, Glib::ustring command, Glib::ustring icon_serialized, void *other_data +) : name(name), icon_serialized(icon_serialized), command(command), other_data(other_data) { } diff --git a/rtgui/externaleditorpreferences.h b/rtgui/externaleditorpreferences.h index dbd0f1648..5761d8b63 100644 --- a/rtgui/externaleditorpreferences.h +++ b/rtgui/externaleditorpreferences.h @@ -41,7 +41,7 @@ public: explicit EditorInfo( Glib::ustring name = Glib::ustring(), Glib::ustring command = Glib::ustring(), - Glib::ustring icon_name = Glib::ustring(), + Glib::ustring icon_serialized = Glib::ustring(), void *other_data = nullptr ); /** @@ -49,9 +49,9 @@ public: */ Glib::ustring name; /** - * The string representation of the icon. See Gio::Icon::to_string(). + * The string representation of the icon. See Gio::Icon::serialize(). */ - Glib::ustring icon_name; + Glib::ustring icon_serialized; /** * The commandline for running the program. See * Gio::AppInfo::get_commandline() diff --git a/rtgui/options.cc b/rtgui/options.cc index 6a944faa6..53cedea95 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -859,7 +859,7 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_group("External Editor")) { if (keyFile.has_key("External Editor", "Names") || keyFile.has_key("External Editor", "Commands") - || keyFile.has_key("External Editor", "IconNames")) { + || keyFile.has_key("External Editor", "IconsSerialized")) { // Multiple external editors. const auto & names = @@ -872,21 +872,21 @@ void Options::readFromFile(Glib::ustring fname) std::vector() : static_cast>( keyFile.get_string_list("External Editor", "Commands")); - const auto & icon_names = - !keyFile.has_key("External Editor", "IconNames") ? + const auto & icons_serialized = + !keyFile.has_key("External Editor", "IconsSerialized") ? std::vector() : static_cast>( - keyFile.get_string_list("External Editor", "IconNames")); + keyFile.get_string_list("External Editor", "IconsSerialized")); externalEditors = std::vector(std::max(std::max( - names.size(), commands.size()), icon_names.size())); + names.size(), commands.size()), icons_serialized.size())); for (unsigned i = 0; i < names.size(); i++) { externalEditors[i].name = names[i]; } for (unsigned i = 0; i < commands.size(); i++) { externalEditors[i].command = commands[i]; } - for (unsigned i = 0; i < icon_names.size(); i++) { - externalEditors[i].icon_name = icon_names[i]; + for (unsigned i = 0; i < icons_serialized.size(); i++) { + externalEditors[i].icon_serialized = icons_serialized[i]; } if (keyFile.has_key("External Editor", "EditorIndex")) { @@ -903,6 +903,9 @@ void Options::readFromFile(Glib::ustring fname) editorToSendTo = keyFile.get_integer("External Editor", "EditorKind"); #ifdef WIN32 + auto getIconSerialized = [](const Glib::ustring &executable) { + return Glib::ustring::compose("('themed', <['%1,0', '%1,0-symbolic']>)", executable); + }; Glib::ustring gimpDir = ""; if (keyFile.has_key("External Editor", "GimpDir")) { gimpDir = keyFile.get_string("External Editor", "GimpDir"); @@ -912,7 +915,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", executable + ",0")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", getIconSerialized(executable))); } else { for (auto ver = 12; ver >= 0; --ver) { executable = Glib::build_filename(gimpDir, "bin", Glib::ustring::compose(Glib::ustring("gimp-2.%1.exe"), ver)); @@ -920,7 +923,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 1) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", executable + ",0")); + externalEditors.push_back(ExternalEditor("GIMP", "\"" + executable + "\"", getIconSerialized(executable))); break; } } @@ -935,7 +938,7 @@ void Options::readFromFile(Glib::ustring fname) if (editorToSendTo == 2) { externalEditorIndex = externalEditors.size(); } - externalEditors.push_back(ExternalEditor("Photoshop", "\"" + executable + "\"", executable + ",0")); + externalEditors.push_back(ExternalEditor("Photoshop", "\"" + executable + "\"", getIconSerialized(executable))); } if (keyFile.has_key("External Editor", "CustomEditor")) { @@ -2296,17 +2299,17 @@ void Options::saveToFile(Glib::ustring fname) { std::vector names; std::vector commands; - std::vector icon_names; + std::vector icons_serialized; for (const auto & editor : externalEditors) { names.push_back(editor.name); commands.push_back(editor.command); - icon_names.push_back(editor.icon_name); + icons_serialized.push_back(editor.icon_serialized); } keyFile.set_string_list("External Editor", "Names", names); keyFile.set_string_list("External Editor", "Commands", commands); - keyFile.set_string_list("External Editor", "IconNames", icon_names); + keyFile.set_string_list("External Editor", "IconsSerialized", icons_serialized); keyFile.set_integer("External Editor", "EditorIndex", externalEditorIndex); } @@ -2978,12 +2981,12 @@ Glib::ustring Options::getICCProfileCopyright() ExternalEditor::ExternalEditor() {} ExternalEditor::ExternalEditor( - const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_name -): name(name), command(command), icon_name(icon_name) {} + const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_serialized +): name(name), command(command), icon_serialized(icon_serialized) {} bool ExternalEditor::operator==(const ExternalEditor &other) const { - return this->name == other.name && this->command == other.command && this->icon_name == other.icon_name; + return this->name == other.name && this->command == other.command && this->icon_serialized == other.icon_serialized; } bool ExternalEditor::operator!=(const ExternalEditor &other) const diff --git a/rtgui/options.h b/rtgui/options.h index 38d3f3d76..d6b546d40 100644 --- a/rtgui/options.h +++ b/rtgui/options.h @@ -54,10 +54,10 @@ struct ExternalEditor { ExternalEditor(); - ExternalEditor(const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_name); + ExternalEditor(const Glib::ustring &name, const Glib::ustring &command, const Glib::ustring &icon_serialized); Glib::ustring name; Glib::ustring command; - Glib::ustring icon_name; + Glib::ustring icon_serialized; bool operator==(const ExternalEditor & other) const; bool operator!=(const ExternalEditor & other) const; diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index 786262896..a8f5c64a3 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -1793,7 +1793,7 @@ void Preferences::storePreferences() moptions.externalEditorIndex = -1; for (unsigned i = 0; i < editors.size(); i++) { moptions.externalEditors[i] = (ExternalEditor( - editors[i].name, editors[i].command, editors[i].icon_name)); + editors[i].name, editors[i].command, editors[i].icon_serialized)); if (editors[i].other_data) { // The current editor was marked before the list was edited. We // found the mark, so this is the editor that was active. @@ -2100,7 +2100,7 @@ void Preferences::fillPreferences() std::vector editorInfos; for (const auto &editor : moptions.externalEditors) { editorInfos.push_back(ExternalEditorPreferences::EditorInfo( - editor.name, editor.command, editor.icon_name)); + editor.name, editor.command, editor.icon_serialized)); } if (moptions.externalEditorIndex >= 0) { // Mark the current editor so we can track it. diff --git a/rtgui/rtimage.cc b/rtgui/rtimage.cc index 9a38c1885..98e61b897 100644 --- a/rtgui/rtimage.cc +++ b/rtgui/rtimage.cc @@ -294,7 +294,12 @@ Glib::RefPtr RTImage::createPixbufFromFile (const Glib::ustring& fi Glib::RefPtr RTImage::createPixbufFromGIcon(const Glib::RefPtr &icon, int size) { // TODO: Listen for theme changes and update icon, remove from cache. - return Gtk::IconTheme::get_default()->lookup_icon(icon, size, Gtk::ICON_LOOKUP_FORCE_SIZE).load_icon(); + Gtk::IconInfo iconInfo = Gtk::IconTheme::get_default()->lookup_icon(icon, size, Gtk::ICON_LOOKUP_FORCE_SIZE); + try { + return iconInfo.load_icon(); + } catch (Glib::Exception &e) { + return Glib::RefPtr(); + } } Cairo::RefPtr RTImage::createImgSurfFromFile (const Glib::ustring& fileName) From 732316dcafc1fdb16ea27c0c5af1707dffcd80b4 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Tue, 5 Oct 2021 21:49:42 -0700 Subject: [PATCH 021/170] Fix initial generation of external editor icons In Windows, escape backslashes and quotes in the serialized GVariants of the icons. --- rtgui/options.cc | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/rtgui/options.cc b/rtgui/options.cc index 53cedea95..a6b693f53 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -904,7 +904,16 @@ void Options::readFromFile(Glib::ustring fname) #ifdef WIN32 auto getIconSerialized = [](const Glib::ustring &executable) { - return Glib::ustring::compose("('themed', <['%1,0', '%1,0-symbolic']>)", executable); + // Backslashes and quotes must be escaped in the text representation of GVariant strings. + // See https://www.freedesktop.org/software/gstreamer-sdk/data/docs/2012.5/glib/gvariant-text.html#gvariant-text-strings + Glib::ustring exec_escaped = ""; + for (const auto character : executable) { + if (character == '\\' || character == '\'') { + exec_escaped += '\\'; + } + exec_escaped += character; + } + return Glib::ustring::compose("('themed', <['%1,0', '%1,0-symbolic']>)", exec_escaped); }; Glib::ustring gimpDir = ""; if (keyFile.has_key("External Editor", "GimpDir")) { From 40827955cac6ae97cc91ef1991ff581df6e94f56 Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Tue, 23 Nov 2021 14:39:01 +0100 Subject: [PATCH 022/170] camconst: Fujifilm X-T30 II has same sensor as Fujifilm X-T30 --- rtengine/camconst.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index b4534147f..80c1ba749 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1512,7 +1512,7 @@ Camera constants: }, { // Quality B - "make_model": [ "FUJIFILM X-T30", "FUJIFILM X100V", "FUJIFILM X-T4", "FUJIFILM X-S10" ], + "make_model": [ "FUJIFILM X-T30", "FUJIFILM X-T30 II", "FUJIFILM X100V", "FUJIFILM X-T4", "FUJIFILM X-S10" ], "dcraw_matrix": [ 13426,-6334,-1177,-4244,12136,2371,-580,1303,5980 ], // DNG_v11, standard_v2 d65 "raw_crop": [ 0, 5, 6252, 4176] }, From 3567d54b526fcd6d6d63998714a1b056816f7786 Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Wed, 1 Dec 2021 15:01:27 +0100 Subject: [PATCH 023/170] faster sigmoid function to create the contrast mask used in dual demosaic and capture sharpening, #6386 (#6387) --- rtengine/rt_algo.cc | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/rtengine/rt_algo.cc b/rtengine/rt_algo.cc index e4ae84a46..ff4c572fa 100644 --- a/rtengine/rt_algo.cc +++ b/rtengine/rt_algo.cc @@ -35,14 +35,24 @@ namespace { -template -T calcBlendFactor(T val, T threshold) { +float calcBlendFactor(float val, float threshold) { // sigmoid function // result is in ]0;1] range // inflexion point is at (x, y) (threshold, 0.5) - return 1.f / (1.f + xexpf(16.f - (16.f / threshold) * val)); + const float x = -16.f + (16.f / threshold) * val; + return 0.5f * (1.f + x / std::sqrt(1.f + rtengine::SQR(x))); } +#ifdef __SSE2__ +vfloat calcBlendFactor(vfloat val, vfloat threshold) { + // sigmoid function + // result is in ]0;1] range + // inflexion point is at (x, y) (threshold, 0.5) + const vfloat x = -16.f + (16.f / threshold) * val; + return 0.5f * (1.f + x * _mm_rsqrt_ps(1.f + rtengine::SQR(x))); +} +#endif + float tileAverage(const float * const *data, size_t tileY, size_t tileX, size_t tilesize) { float avg = 0.f; From bffc8c11d44eedcc7ec88e279bb8959c0f273f61 Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Fri, 3 Dec 2021 11:18:49 +0100 Subject: [PATCH 024/170] fixes #6390 --- rtengine/camconst.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 80c1ba749..72be017b9 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1570,7 +1570,7 @@ Camera constants: { // Quality C, only raw crop "make_model": "Leica SL2-S", - "raw_crop": [ 0, 2, 6024, 4042 ] // 2 rows at top and 4 rows at bottom are black + "raw_crop": [ 0, 2, 0, -4 ] // 2 rows at top and 4 rows at bottom are garbage }, { // Quality C From 72ec73caa34db11713631e6c4a5a13aeee6cb100 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Wed, 15 Dec 2021 06:34:14 +0100 Subject: [PATCH 025/170] Basic support for Sony ILCE-7M4 in camconst.json --- rtengine/camconst.json | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 72be017b9..1da100a2c 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -2931,6 +2931,11 @@ Camera constants: "pdaf_pattern" : [ 0,12,24,36,54,66,72,84,96,114,120,132,150,156,174,180,192,204,216,234,240,252,264,276,282,300,306,324,336,342,360,372,384,402,414,420], "pdaf_offset" : 9 }, + + { // Quality C + "make_model": "Sony ILCE-7M4", + "dcraw_matrix": [ 8532, -701, -1167, -4095, 11879, 2508, -797, 2424, 7010 ] // DNG 14.1 + }, { // Quality C, "make_model": "Sony ILCE-7RM3", From 6aa1168534e80b7234b80756fc1fc1650cc8bd55 Mon Sep 17 00:00:00 2001 From: Anna Date: Thu, 16 Dec 2021 07:28:59 +0100 Subject: [PATCH 026/170] German translation Spot Removal (#6388) --- rtdata/languages/Deutsch | 2 ++ 1 file changed, 2 insertions(+) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 859f36f6d..63767b0dd 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -869,6 +869,8 @@ HISTORY_MSG_SHARPENING_GAMMA;(Schärfung) - Gamma HISTORY_MSG_SH_COLORSPACE;Farbraum HISTORY_MSG_SOFTLIGHT_ENABLED;(Weiches Licht) HISTORY_MSG_SOFTLIGHT_STRENGTH;(Weiches Licht)\nIntensität +HISTORY_MSG_SPOT;Fleckenentfernung +HISTORY_MSG_SPOT_ENTRY;Fleckenentfernung - Punkt bearb. HISTORY_MSG_TM_FATTAL_ANCHOR;(Dynamikkompression)\nHelligkeitsverschiebung HISTORY_NEWSNAPSHOT;Hinzufügen HISTORY_NEWSNAPSHOT_TOOLTIP;Taste: Alt + s From 0e122a485a2339bf2331a7c54a2f5cb2ee2f2dd3 Mon Sep 17 00:00:00 2001 From: Anna Date: Thu, 16 Dec 2021 07:29:12 +0100 Subject: [PATCH 027/170] Filmnegative German translation (#6389) --- rtdata/languages/Deutsch | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 63767b0dd..7f7bbfd9c 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1739,7 +1739,7 @@ TP_FILMNEGATIVE_BLUE;Blauverhältnis TP_FILMNEGATIVE_GREEN;Bezugsexponent (Kontrast) TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. TP_FILMNEGATIVE_LABEL;Filmnegativ -TP_FILMNEGATIVE_PICK;Pick neutral spots +TP_FILMNEGATIVE_PICK;Neutrale Stellen wählen TP_FILMNEGATIVE_RED;Rotverhältnis TP_FILMSIMULATION_LABEL;Filmsimulation TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee sucht nach Hald-CLUT-Bildern, die für die Filmsimulation benötigt werden, in einem Ordner, der viel Zeit benötigt.\nGehen Sie zu\n< Einstellungen > Bildbearbeitung > Filmsimulation >\nund prüfen Sie welcher Order benutzt wird. Wählen Sie den Ordner aus, der nur die Hald-CLUT-Bilder beinhaltet, oder einen leeren Ordner, wenn Sie die Filsimulation nicht verwenden möchten.\n\nWeitere Informationen über die Filmsimulation finden Sie auf RawPedia.\n\nMöchten Sie die Suche beenden? From 4b8481f1c92605778594cbe94dae06171a0aa23f Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Thu, 16 Dec 2021 07:50:31 +0100 Subject: [PATCH 028/170] (Temporarily) disable `ftree-loop-vectorize` for GCC 11 because of #6384 --- CMakeLists.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 632ae6717..4b1976ac0 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -44,8 +44,8 @@ if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION "Building RawTherapee requires using GCC version 4.9 or higher!") endif() -# Warning for GCC 10, which causes problems #5749: -if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION VERSION_EQUAL "10.1") +# Warning for GCC vectorization issues, which causes problems #5749 and #6384: +if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND ((CMAKE_CXX_COMPILER_VERSION VERSION_GREATER "10.0" AND CMAKE_CXX_COMPILER_VERSION VERSION_LESS "10.2") OR (CMAKE_CXX_COMPILER_VERSION VERSION_GREATER_EQUAL "11.0"))) message(STATUS "WARNING: gcc ${CMAKE_CXX_COMPILER_VERSION} is known to miscompile RawTherapee when using -ftree-loop-vectorize, forcing the option to be off") set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -fno-tree-loop-vectorize") set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -fno-tree-loop-vectorize") From 1e4f41bc0509149a55a95d29e15e4c5d69e65234 Mon Sep 17 00:00:00 2001 From: Desmis Date: Tue, 21 Dec 2021 07:43:59 +0100 Subject: [PATCH 029/170] LA - new tool - Color appearance (Cam16 & JzCzHz) (#6377) * Gui improvments * Several improvments GUI Jz algo * Change function La for lightess Jz * SH jzazbz first * enable Jz SH * Clean code * Disabled Munsell correction when Jz * Change tooltip and Cam16 Munsell * GUI for CzHz and HzHz curves * Enable curves Hz(Hz) Cz(Hz) * Improve Cz chroma * Jz100 reference refine * Change limit Jz100 * Refine link between jz100 and peak adaptation * Improve GUI * Various improvment PQ PU gamut * Change defaults settings * forgotten PL in gamutjz * Small changes and comment * Change gamujz parameter * disabled gamut Jz too slow * Jzazbz curve Jz(Hz) * reenable gamutjz * small changes * Change tooltip * Change labels tooltips * Jzazbz only on advanced mode * GUI improvments * Change tooltip * Change default values and tooltip * Added tooltip Jz * Disabled Jz gamut * Change gamma color and light - remove exposure * Gamma for exposure and DR * gamma Sharp * Gamma vibrance * gamma optimizations * Change tooltips * Optimization PQ * LA GUI for tone curve Ciecam * LA ciecam Enable curve lightness - brightness * LA ciecam GUI color curve * LA ciecam enable color curve * Change tooltip and default values * Enable Jz curve * Enable Cz(Cz) curve * Enable Cz(Jz) curve * Added Log encoding to ciecam * Improvment algorithm remapping * Reenable forgotten listener logencodchanged * Change Jz tooltips * Reenable dynamic range and exposure * First change GUI auto ciecam * 2nd fixed ciecam auto * Improve GUI maskbackground curves * Enable activspot for la ciecam * set sensitive sliders La ciecam when auto scene conditions * Change internal calculations see comments * Checcbox ForceJz to 1 * Change tool position - change order CAM model * Expander for Jzczhz * Remove unused code * GUI changes * Change labels CAM16 Jzazbz * Change slider brightness parameters * improvment SH jz * Some changes to brightness Jz * Fixed scene conditions auto * Renable forgotten change * Prepare calculation Zcam * Prepare Iz for zcam * First GUI Zcam * Improve GUI Zcam * Calculate Qz white - brightness of the reference white * Prepare for PQ - eventually * Init LUT ZCAMBrightCurveJz and ZCAMBrightCurveQz * prepare zcam achromatic variables * First zcam * Change algo step 5 zcam * Another change original algo * Another change to original algo * first colorfullness * Fixed bad behavior threshold and change c c2 surround parameters * added saturation Zcam * Change parameters surround * Enable chroma zcam * change chroma and lightness formula * disable OMP for 2nd process Zcam * Improvment zcam for some high-light images * Change parameters overflow zcam * Change parmeters high datas * another change to retrieve... * Simplify code matrix conversion xyz-jzazbz * Adjust internam parameters zcam * Change some parameters - clean code * Enable PQCam16 * Enable PQ Cam16 - disable ZCAM * remove warning compilation message * Change GUI jzczhz * Fixed bad behavior remaping jz * Remove forgotten parameter - hide Jz100 - PU adaptation- chnage tooltips * Another change to chroma parameter * Small changes * If verbose display in console Cam16 informations * If verbose display in console source saturation colorfullness * Change to La calculation for ciecam * Change GUI cam16 - jzczhz - remove cam16 and jzczhz * Disable exposure compensation to calculate La for all Ciecam and Log encoding * Change label Cam16 and jzczhz * Improve GUI Jz * Other improvment GUI Jz Cam16 * verify nan Jz and ciecam matrix to avoid crash * Enable La manual for Jz to change PU-adaptation * Improve calculation to avoid crash Jz and Cam16 matrix * Fixed crash with local contrast in cam16 * Clean code loccont * First step GUI Cie mask * GUI part 2 - Cie * Build cieMask * Gui part 3 cie * Valid llcieMask * Valid llcieMask * Pass GUI curves parameters to iplocallab.cc * 2nd pass parameters from GUI to iplocallab.cc * Init first functions modifications * Add expander to cam16 adjustments * First test mask cie * Various improvment GUI - tooltips - process * Take into account Yb cam16 for Jz - reenable warm-cool * Surround source Cam16 before Jz * Improve GUI and process * Fixed bug and bad behavior last commit * Fixed bug chroma mask - improve GUI - Relative luminance for Jz * Increase sensitivity mask chroma * Improve Jz with saturation Z - improve GUI Jzczhz * Small code improvment * Another change mask C and enable mask for Cam16 and Jz * Some changes * Enable denoise chroma mask * Small change LIM01 normchromar * Enable Zcam matrix * Improve chroma curves...mask and boudaries * take into account recursive slider in settings * Change tooltip - improvment to C curve (denoise C - best value in curves - etc.) - remove Zcam button * Change tooltips * First part GUI - local contrast wavelet Jz * Passed parameters GUI local contrast wav jz to rtengine * save config wavelet jz * first try wavelet local contrast Jz * Add tooltips * Simplify code wavelet local contrast * take into account edge wavelet performance in Wavelet Jz * Fixed overflow jz when usig botth contradt and wavelt local jz contrast * Adapt size winGdiHandles in filepanel to avoid crash in Windows multieditor * First GUI part Clarity wavelet Jz * First try wavelet Jz Cz clarity * Added tooltips * Small change to enable wavelet jz * Disabled (commented) all Zcam code * Improve behavior when SH local-contrast and Clarity are use both * Change limit PQremap jz * Clean and optimize code * Reenable mjjz * Change settings guidedfilter wavelet Jz * Fixed crash when revory based on lum mask negative * Change tooltip * Fixed ad behavior auto mean and absolute luminance * Remove warning in console * Fixed bad behavior auto Log encoding - bad behavior curves L(H) Jz * Fixed another bad behavior - reenable curves color and light L(H) C(H) * first transposition Lab Jz for curves H * Change mask boundary for Jz * Various improvment to H curves Jz * Add amountchrom to Hcurve Color and Light * Improve gray boundary curves behavior * reenable Jz curve H(H) - soft radius * Improve guidefilter Jz H curve * Threshold chroma Jz(Hz) * Enable guidedfilter chroma curve H * improve GUI curves Hz * Checkbutton chroma for curve Jz(Hz) * Change event selectspot * Clean and small optimization code * Another clean code * Change calculation Hz references for curves Hz * Clean code * Various changes to GF and GUI * Another change to Chroma for Jz(H) * Change GUI sensitive Jz100 adapdjzcie * Improve code for Jz100 * Change default value skin-protection to 0 instead of 50 * Clean code * Remove BENCHFUN for ciecam * small correction to huejz_to_huehsv2 conversion * Added missing plum parameter for jch2xyz_ciecam02float * another small change to huejz_to_huehsv2 * Improvment to huelab_to_huehsv2 and some double functions * Fixed warning hide parameters in lgtm-com * Fixed ? Missing retuen statement in lgtm-com * Change behavior Log encoding whith PQ Cam16 * Small improvment to Jz PU adaptation * Added forgoten to_one for Cz slider * Replace 0.707... by RT_SQRT1_2 - change some settings chroma * Improvment to getAutoLogloc * Fixed crash with array in getAutoLogloc * First try Jz Log encoding * Forgotten Cz * Various improvment GUI setlogscale - Jz log encoding * Change labels tooltips Jz log * Change wrong clipcz value * Change tooltip auto scene conditions * Fixed bad behavior blackevjz whiteevjz * Small improvment to LA Log encoding std * Avoid bad behavior Jz log when enable Relative luminance * Change sourcegray jz calculation * Revert last change * Clean and comment code * Review tooltips thanks to Wayne - harmonize response La log encoding and Jz Log encoding * Always force Dynamic Range evaluation in full frame mode for Jz log encoding * Remove unused code * Small optimizations sigmoid Cam16 and Jz * Comment code * Change parameters deltaE for HDR * Various improvment to Jz - La - sigmoid - log encoding * Basic support for Sony ILCE-7M4 in camconst.json * German translation Spot Removal (#6388) * Filmnegative German translation (#6389) * (Temporarily) disable `ftree-loop-vectorize` for GCC 11 because of #6384 * Added BlacEv WhiteEv to sigmoidJz * Improve GUI for BlackEv WhiteEv * Change location SigmoidJz in Iplocallab * Improvment GUI and sensitivity sliders strength sigmoid * Change labels Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Co-authored-by: Anna --- rtdata/languages/default | 242 ++- rtengine/ciecam02.cc | 397 +++- rtengine/ciecam02.h | 30 +- rtengine/color.h | 53 + rtengine/curves.cc | 10 +- rtengine/dcrop.cc | 99 +- rtengine/improccoordinator.cc | 127 +- rtengine/improccoordinator.h | 17 +- rtengine/improcfun.cc | 24 +- rtengine/improcfun.h | 25 +- rtengine/iplocallab.cc | 3634 ++++++++++++++++++++++++++++----- rtengine/procevents.h | 110 + rtengine/procparams.cc | 640 +++++- rtengine/procparams.h | 111 + rtengine/refreshmap.cc | 112 +- rtengine/rtengine.h | 8 +- rtengine/rtthumbnail.cc | 5 +- rtengine/settings.h | 1 + rtengine/simpleprocess.cc | 47 +- rtgui/controlspotpanel.cc | 25 +- rtgui/controlspotpanel.h | 3 + rtgui/filepanel.cc | 3 +- rtgui/locallab.cc | 52 +- rtgui/locallab.h | 7 +- rtgui/locallabtools.cc | 150 +- rtgui/locallabtools.h | 283 ++- rtgui/locallabtools2.cc | 3091 +++++++++++++++++++++++++++- rtgui/options.cc | 6 + rtgui/paramsedited.cc | 780 ++++++- rtgui/paramsedited.h | 111 + rtgui/toolpanelcoord.cc | 6 +- 31 files changed, 9425 insertions(+), 784 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 747dfa863..141b38a55 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1297,6 +1297,118 @@ HISTORY_MSG_1047;Local - SH and Tone Equalizer strength HISTORY_MSG_1048;Local - DR and Exposure strength HISTORY_MSG_1049;Local - TM strength HISTORY_MSG_1050;Local - Log encoding chroma +HISTORY_MSG_1051;Local - Residual wavelet gamma +HISTORY_MSG_1052;Local - Residual wavelet slope +HISTORY_MSG_1053;Local - Denoise gamma +HISTORY_MSG_1054;Local - Wavelet gamma +HISTORY_MSG_1055;Local - Color and Light gamma +HISTORY_MSG_1056;Local - DR and Exposure gamma +HISTORY_MSG_1057;Local - CIECAM Enabled +HISTORY_MSG_1058;Local - CIECAM Overall strength +HISTORY_MSG_1059;Local - CIECAM Autogray +HISTORY_MSG_1060;Local - CIECAM Mean luminance source +HISTORY_MSG_1061;Local - CIECAM Source absolute +HISTORY_MSG_1062;Local - CIECAM Surround Source +HISTORY_MSG_1063;Local - CIECAM Saturation +HISTORY_MSG_1064;Local - CIECAM Chroma +HISTORY_MSG_1062;Local - CIECAM Lightness +HISTORY_MSG_1063;Local - CIECAM Brightness +HISTORY_MSG_1064;Local - CIECAM threshold +HISTORY_MSG_1065;Local - CIECAM lightness J +HISTORY_MSG_1066;Local - CIECAM brightness +HISTORY_MSG_1067;Local - CIECAM Contrast J +HISTORY_MSG_1068;Local - CIECAM threshold +HISTORY_MSG_1069;Local - CIECAM contrast Q +HISTORY_MSG_1070;Local - CIECAM colorfullness +HISTORY_MSG_1071;Local - CIECAM Absolute luminance +HISTORY_MSG_1072;Local - CIECAM Mean luminance +HISTORY_MSG_1073;Local - CIECAM Cat16 +HISTORY_MSG_1074;Local - CIECAM Local contrast +HISTORY_MSG_1075;Local - CIECAM Surround viewing +HISTORY_MSG_1076;Local - CIECAM Scope +HISTORY_MSG_1077;Local - CIECAM Mode +HISTORY_MSG_1078;Local - Red and skin protection +HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +HISTORY_MSG_1082;Local - CIECAM Sigmoid Q J +HISTORY_MSG_1083;Local - CIECAM Hue +HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +HISTORY_MSG_1085;Local - Jz lightness +HISTORY_MSG_1086;Local - Jz contrast +HISTORY_MSG_1087;Local - Jz chroma +HISTORY_MSG_1088;Local - Jz hue +HISTORY_MSG_1089;Local - Jz Sigmoid strength +HISTORY_MSG_1090;Local - Jz Sigmoid threshold +HISTORY_MSG_1091;Local - Jz Sigmoid blend +HISTORY_MSG_1092;Local - Jz adaptation +HISTORY_MSG_1093;Local - CAM model +HISTORY_MSG_1094;Local - Jz highligths +HISTORY_MSG_1095;Local - Jz highligths thr +HISTORY_MSG_1096;Local - Jz shadows +HISTORY_MSG_1097;Local - Jz shadows thr +HISTORY_MSG_1098;Local - Jz radius SH +//HISTORY_MSG_1099;Local - Hz(Hz) Curve +HISTORY_MSG_1099;Local - Cz(Hz) Curve +HISTORY_MSG_1100;Local - Jz reference 100 +HISTORY_MSG_1101;Local - Jz PQ remap +HISTORY_MSG_1102;Local - Jz(Hz) Curve +HISTORY_MSG_1103;Local - Vibrance gamma +HISTORY_MSG_1104;Local - Sharp gamma +HISTORY_MSG_1105;Local - CIECAM Tone method +HISTORY_MSG_1106;Local - CIECAM Tone curve +HISTORY_MSG_1107;Local - CIECAM Color method +HISTORY_MSG_1108;Local - CIECAM Color curve +HISTORY_MSG_1109;Local - Jz(Jz) curve +HISTORY_MSG_1110;Local - Cz(Cz) curve +HISTORY_MSG_1111;Local - Cz(Jz) curve +HISTORY_MSG_1112;Local - forcejz +/* +HISTORY_MSG_1114;Local - ZCAM lightness +HISTORY_MSG_1115;Local - ZCAM brightness +HISTORY_MSG_1116;Local - ZCAM contrast J +HISTORY_MSG_1117;Local - ZCAM contrast Q +HISTORY_MSG_1118;Local - ZCAM contrast threshold +HISTORY_MSG_1119;Local - ZCAM colorfullness +HISTORY_MSG_1120;Local - ZCAM saturation +HISTORY_MSG_1121;Local - ZCAM chroma +*/ +HISTORY_MSG_1113;Local - HDR PQ +HISTORY_MSG_1114;Local - Cie mask enable +HISTORY_MSG_1115;Local - Cie mask curve C +HISTORY_MSG_1116;Local - Cie mask curve L +HISTORY_MSG_1117;Local - Cie mask curve H +HISTORY_MSG_1118;Local - Cie mask blend +HISTORY_MSG_1119;Local - Cie mask radius +HISTORY_MSG_1120;Local - Cie mask chroma +HISTORY_MSG_1121;Local - Cie mask contrast curve +HISTORY_MSG_1122;Local - Cie mask recovery threshold +HISTORY_MSG_1123;Local - Cie mask recovery dark +HISTORY_MSG_1124;Local - Cie mask recovery light +HISTORY_MSG_1125;Local - Cie mask recovery decay +HISTORY_MSG_1126;Local - Cie mask laplacian +HISTORY_MSG_1127;Local - Cie mask gamma +HISTORY_MSG_1128;Local - Cie mask slope +HISTORY_MSG_1129;Local - Cie Relative luminance +HISTORY_MSG_1130;Local - Cie Saturation Jz +HISTORY_MSG_1131;Local - Mask denoise chroma +HISTORY_MSG_1132;Local - Cie Wav sigma Jz +HISTORY_MSG_1133;Local - Cie Wav level Jz +HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +HISTORY_MSG_1135;Local - Cie Wav clarity Jz +HISTORY_MSG_1136;Local - Cie Wav clarity Cz +HISTORY_MSG_1137;Local - Cie Wav clarity Soft +HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +HISTORY_MSG_1139;Local - Jz soft Curves H +HISTORY_MSG_1140;Local - Jz Threshold chroma +HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +HISTORY_MSG_1142;Local - strength soft +HISTORY_MSG_1143;Local - Jz blackev +HISTORY_MSG_1144;Local - Jz whiteev +HISTORY_MSG_1145;Local - Jz Log encoding +HISTORY_MSG_1146;Local - Jz Log encoding target gray +HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +HISTORY_MSG_1148;Local - Jz Sigmoid HISTORY_MSG_BLSHAPE;Blur by level HISTORY_MSG_BLURCWAV;Blur chroma HISTORY_MSG_BLURWAV;Blur luminance @@ -2172,8 +2284,8 @@ TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final i TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] TP_COLORAPP_WBRT;WB [RT] + [output] -TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. A gray at 18% corresponds to a background luminance expressed in CIE L of 50%.\nThis data must take into account the average luminance of the image -TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. A gray at 18% corresponds to a background luminance expressed in CIE L of 50%.\nThis data is calculated from the average luminance of the image +TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image TP_COLORTONING_AB;o C/L TP_COLORTONING_AUTOSAT;Automatic TP_COLORTONING_BALANCE;Balance @@ -2578,9 +2690,13 @@ TP_LOCALLAB_AMOUNT;Amount TP_LOCALLAB_ARTIF;Shape detection TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +TP_LOCALLAB_AUTOGRAYCIE;Auto +TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". TP_LOCALLAB_AVOID;Avoid color shift +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. TP_LOCALLAB_AVOIDRAD;Soft radius TP_LOCALLAB_AVOIDMUN;Munsell correction only +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used TP_LOCALLAB_BALAN;ab-L balance (ΔE) TP_LOCALLAB_BALANEXP;Laplacian balance TP_LOCALLAB_BALANH;C-H balance (ΔE) @@ -2623,6 +2739,15 @@ TP_LOCALLAB_BUTTON_DEL;Delete TP_LOCALLAB_BUTTON_DUPL;Duplicate TP_LOCALLAB_BUTTON_REN;Rename TP_LOCALLAB_BUTTON_VIS;Show/Hide +TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +TP_LOCALLAB_CAMMODE;CAM model +TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 TP_LOCALLAB_CBDL;Contrast by Detail Levels TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2642,19 +2767,36 @@ TP_LOCALLAB_CHROMASKCOL;Chroma TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). TP_LOCALLAB_CHROML;Chroma (C) TP_LOCALLAB_CHRRT;Chroma +TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIEC;Use Ciecam environment parameters TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +TP_LOCALLAB_CIEMODE;Change tool position +TP_LOCALLAB_CIEMODE_COM;Default +TP_LOCALLAB_CIEMODE_DR;Dynamic Range +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +TP_LOCALLAB_CIEMODE_WAV;Wavelet +TP_LOCALLAB_CIEMODE_LOG;Log Encoding +TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +TP_LOCALLAB_CIETOOLEXP;Curves +TP_LOCALLAB_CIECOLORFRA;Color +TP_LOCALLAB_CIECONTFRA;Contrast +TP_LOCALLAB_CIELIGHTFRA;Lighting +TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast TP_LOCALLAB_CIRCRADIUS;Spot size TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. TP_LOCALLAB_CLARICRES;Merge chroma TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images TP_LOCALLAB_CLARILRES;Merge luma TP_LOCALLAB_CLARISOFT;Soft radius -TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for both Clarity and Sharp Mask and for all pyramid wavelet processes. To deactivate, set slider to zero. +TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. TP_LOCALLAB_CLARITYML;Clarity TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. TP_LOCALLAB_CLIPTM;Clip restored data (gain) TP_LOCALLAB_COFR;Color & Light +TP_LOCALLAB_COLOR_CIE;Color curve TP_LOCALLAB_COLORDE;ΔE preview color - intensity TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. @@ -2694,6 +2836,7 @@ TP_LOCALLAB_CURVENH;Super TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) TP_LOCALLAB_CURVNONE;Disable curves +TP_LOCALLAB_CURVES_CIE;Tone curve TP_LOCALLAB_DARKRETI;Darkness TP_LOCALLAB_DEHAFRA;Dehaze TP_LOCALLAB_DEHAZ;Strength @@ -2710,6 +2853,8 @@ TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduct TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +TP_LOCALLAB_DENOIMASK;Denoise chroma mask +TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. TP_LOCALLAB_DENOIS;Denoise TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. @@ -2754,7 +2899,7 @@ TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ TP_LOCALLAB_EXPCOMPINV;Exposure compensation TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ -TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Locallab version: more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. +TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. TP_LOCALLAB_EXPCURV;Curves TP_LOCALLAB_EXPGRAD;Graduated Filter @@ -2792,6 +2937,10 @@ TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. TP_LOCALLAB_GAM;Gamma +TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +TP_LOCALLAB_GAMC;Gamma +TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. +TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. TP_LOCALLAB_GAMFRA;Tone response curve (TRC) TP_LOCALLAB_GAMM;Gamma TP_LOCALLAB_GAMMASKCOL;Gamma @@ -2827,6 +2976,8 @@ TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. TP_LOCALLAB_HIGHMASKCOL;Highlights TP_LOCALLAB_HLH;H +TP_LOCALLAB_HLHZ;Hz +TP_LOCALLAB_HUECIE;Hue TP_LOCALLAB_IND;Independent (mouse) TP_LOCALLAB_INDSL;Independent (mouse + sliders) TP_LOCALLAB_INVBL;Inverse @@ -2835,6 +2986,40 @@ TP_LOCALLAB_INVERS;Inverse TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot TP_LOCALLAB_INVMASK;Inverse algorithm TP_LOCALLAB_ISOGR;Distribution (ISO) +TP_LOCALLAB_JAB;Uses Black Ev & White Ev +TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +TP_LOCALLAB_JZCLARILRES;Merge Jz +TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +TP_LOCALLAB_JZFORCE;Force max Jz to 1 +TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +TP_LOCALLAB_JZPQFRA;Jz remapping +TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. +TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +TP_LOCALLAB_JZADAP;PU adaptation +TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +TP_LOCALLAB_JZLIGHT;Brightness +TP_LOCALLAB_JZCONT;Contrast +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma +TP_LOCALLAB_JZHFRA;Curves Hz +TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +TP_LOCALLAB_JZHUECIE;Hue Rotation +TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +TP_LOCALLAB_JZSAT;Saturation +TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +TP_LOCALLAB_JZQTOJ;Relative luminance +TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +TP_LOCALLAB_JZWAVEXP;Wavelet Jz +TP_LOCALLAB_JZLOG;Log encoding Jz TP_LOCALLAB_LABBLURM;Blur Mask TP_LOCALLAB_LABEL;Local Adjustments TP_LOCALLAB_LABGRID;Color correction grid @@ -2846,8 +3031,8 @@ TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE TP_LOCALLAB_LAPLACEXP;Laplacian threshold TP_LOCALLAB_LAPMASKCOL;Laplacian threshold TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. -TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition -TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition +TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets @@ -2871,14 +3056,14 @@ TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) TP_LOCALLAB_LOG;Log Encoding -TP_LOCALLAB_LOG1FRA;Image Adjustments +TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments TP_LOCALLAB_LOG2FRA;Viewing Conditions TP_LOCALLAB_LOGAUTO;Automatic TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev -TP_LOCALLAB_LOGCATAD_TOOLTIP;The chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. TP_LOCALLAB_LOGCONQL;Contrast (Q) @@ -2888,25 +3073,25 @@ TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the inc TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. -TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process : 1) Dynamic Range calculation 2) Manual adjustment +TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment TP_LOCALLAB_LOGEXP;All tools TP_LOCALLAB_LOGFRA;Scene Conditions -TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nTakes into account exposure compensation in the main-menu Exposure tab.\nAlso calculates the absolute luminance at the time of shooting. -TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables (mainly Contrast 'J' and Saturation 's', and also Contrast (Q) , Brightness (Q), Lightness (J), Colorfulness (M) in Advanced mode). +TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) TP_LOCALLAB_LOGLIGHTL;Lightness (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*), takes into account the increase in perceived coloration. +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. TP_LOCALLAB_LOGLIN;Logarithm mode TP_LOCALLAB_LOGPFRA;Relative Exposure Levels TP_LOCALLAB_LOGREPART;Overall strength TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. -TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium and highlights tones +TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. -TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly brighter.\n\nDark: Dark environment. The image will become more bright. +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. -TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer,..), as well as its environment. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LUM;LL - CC TP_LOCALLAB_LUMADARKEST;Darkest @@ -2972,7 +3157,7 @@ TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) TP_LOCALLAB_MASKRECOTHRES;Recovery threshold -TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allows you to make fine adjustments. +TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. TP_LOCALLAB_MED;Medium TP_LOCALLAB_MEDIAN;Median Low TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. @@ -3030,7 +3215,7 @@ TP_LOCALLAB_NEIGH;Radius TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. -TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. TP_LOCALLAB_NLFRA;Non-local Means - Luminance TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. TP_LOCALLAB_NLLUM;Strength @@ -3043,6 +3228,8 @@ TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is en TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 +TP_LOCALLAB_NOISEGAM;Gamma +TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. TP_LOCALLAB_NOISELEQUAL;Equalizer white-black TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery @@ -3077,6 +3264,7 @@ TP_LOCALLAB_RADIUS;Radius TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 TP_LOCALLAB_RADMASKCOL;Smooth radius TP_LOCALLAB_RECT;Rectangle +TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). TP_LOCALLAB_RECURS;Recursive references TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 @@ -3115,6 +3303,7 @@ TP_LOCALLAB_RGB;RGB Tone Curve TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. TP_LOCALLAB_ROW_NVIS;Not visible TP_LOCALLAB_ROW_VIS;Visible +TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. TP_LOCALLAB_SATUR;Saturation TP_LOCALLAB_SATURV;Saturation (s) TP_LOCALLAB_SAVREST;Save - Restore Current Image @@ -3180,10 +3369,17 @@ TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) TP_LOCALLAB_SHOWT;Mask and modifications TP_LOCALLAB_SHOWVI;Mask and modifications -TP_LOCALLAB_SHRESFRA;Shadows/Highlights +TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer TP_LOCALLAB_SIGMAWAV;Attenuation response +TP_LOCALLAB_SIGFRA;Sigmoid J & Q +TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +TP_LOCALLAB_SIGMOIDBL;Blend +TP_LOCALLAB_SIGMOIDQJ;Use Q instead of J +TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' and 'Sigmoid' function.\nThree sliders: a) Strength acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Slope TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. @@ -3268,20 +3464,22 @@ TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. +TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. -TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncrease or decrease local contrast on the y-axis. +TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. -TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details, and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment, and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. -TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the ‘Wavelets’ module. +TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. @@ -3313,6 +3511,8 @@ TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the ma TP_LOCALLAB_WAVMED;Wavelet normal TP_LOCALLAB_WEDIANHI;Median Hi TP_LOCALLAB_WHITE_EV;White Ev +TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +TP_LOCALLAB_ZCAMTHRES;Retrieve high datas TP_LOCAL_HEIGHT;Bottom TP_LOCAL_HEIGHT_T;Top TP_LOCAL_WIDTH;Right diff --git a/rtengine/ciecam02.cc b/rtengine/ciecam02.cc index da452c89b..3895820d2 100644 --- a/rtengine/ciecam02.cc +++ b/rtengine/ciecam02.cc @@ -25,6 +25,19 @@ #undef CLIPD #define CLIPD(a) ((a)>0.f?((a)<1.f?(a):1.f):0.f) #define MAXR(a,b) ((a) > (b) ? (a) : (b)) +#define Jzazbz_b 1.15 +#define Jzazbz_g 0.66 +#define Jzazbz_c1 (3424/4096.0) +#define Jzazbz_c2 (2413/128.0) +#define Jzazbz_c3 (2392/128.0) +#define Jzazbz_n (2610/16384.0) +#define Jzazbz_p (1.7*2523/32.0) +#define Jzazbz_d (-0.56) +#define Jzazbz_d0 (1.6295499532821566e-11) +#define Jzazbz_ni (16384.0/2610.0) +#define Jzazbz_pi (32.0/4289.1) //4289.1 = 2523 * 1.7 + + namespace rtengine { @@ -67,10 +80,12 @@ void Ciecam02::curveJfloat (float br, float contr, float thr, const LUTu & histo brightcurvePoints[5] = 0.7f; // shoulder point brightcurvePoints[6] = min (1.0f, 0.7f + br / 300.0f); //value at shoulder point } else { - brightcurvePoints[3] = 0.1f - br / 150.0f; // toe point + brightcurvePoints[3] = max(0.0, 0.1 - (double) br / 150.0); // toe point + // brightcurvePoints[3] = 0.1f - br / 150.0f; // toe point brightcurvePoints[4] = 0.1f; // value at toe point - brightcurvePoints[5] = min (1.0f, 0.7f - br / 300.0f); // shoulder point + // brightcurvePoints[5] = min (1.0f, 0.7f - br / 300.0f); // shoulder point + brightcurvePoints[5] = 0.7f - br / 300.0f; // shoulder point brightcurvePoints[6] = 0.7f; // value at shoulder point } @@ -109,6 +124,7 @@ void Ciecam02::curveJfloat (float br, float contr, float thr, const LUTu & histo } avg /= sum; + // printf("avg=%f \n", (double) avg); float thrmin = (thr - contr / 250.0f); float thrmax = (thr + contr / 250.0f); @@ -184,14 +200,14 @@ float Ciecam02::calculate_fl_from_la_ciecam02float ( float la ) return (0.2f * k * la5) + (0.1f * (1.0f - k) * (1.0f - k) * std::cbrt (la5)); } -float Ciecam02::achromatic_response_to_whitefloat ( float x, float y, float z, float d, float fl, float nbb, int c16) +float Ciecam02::achromatic_response_to_whitefloat ( float x, float y, float z, float d, float fl, float nbb, int c16, float plum) { float r, g, b; float rc, gc, bc; float rp, gp, bp; float rpa, gpa, bpa; // gamu = 1; - xyz_to_cat02float ( r, g, b, x, y, z, c16); + xyz_to_cat02float ( r, g, b, x, y, z, c16, plum); rc = r * (((y * d) / r) + (1.0f - d)); gc = g * (((y * d) / g) + (1.0f - d)); @@ -216,71 +232,253 @@ float Ciecam02::achromatic_response_to_whitefloat ( float x, float y, float z, f return ((2.0f * rpa) + gpa + ((1.0f / 20.0f) * bpa) - 0.305f) * nbb; } -void Ciecam02::xyz_to_cat02float ( float &r, float &g, float &b, float x, float y, float z, int c16) -{ +void Ciecam02::xyz_to_cat02float ( float &r, float &g, float &b, float x, float y, float z, int c16, float plum) +{ //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash //original cat02 //r = ( 0.7328 * x) + (0.4296 * y) - (0.1624 * z); //g = (-0.7036 * x) + (1.6975 * y) + (0.0061 * z); //b = ( 0.0000 * x) + (0.0000 * y) + (1.0000 * z); + float peakLum = 1.f/ plum; if(c16 == 1) {//cat02 r = ( 1.007245f * x) + (0.011136f * y) - (0.018381f * z); //Changjun Li g = (-0.318061f * x) + (1.314589f * y) + (0.003471f * z); b = ( 0.0000f * x) + (0.0000f * y) + (1.0000f * z); - } else {//cat16 + } else if (c16 == 16) {//cat16 r = ( 0.401288f * x) + (0.650173f * y) - (0.051461f * z); //cat16 g = (-0.250268f * x) + (1.204414f * y) + (0.045854f * z); b = ( -0.002079f * x) + (0.048952f * y) + (0.953127f * z); + } else if (c16 == 21) {//cam16 PQ + float rp = ( 0.401288f * x) + (0.650173f * y) - (0.051461f * z); //cat16 + float gp = (-0.250268f * x) + (1.204414f * y) + (0.045854f * z); + float bp = ( -0.002079f * x) + (0.048952f * y) + (0.953127f * z); + rp *= 0.01f; + gp *= 0.01f; + bp *= 0.01f; + float tmp = pow_F(rp * peakLum, Jzazbz_n); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + r = 100.f * pow((Jzazbz_c1 + Jzazbz_c2 * tmp) / (1. + Jzazbz_c3 * tmp), Jzazbz_p); + if(std::isnan(r) || r < 0.f) { + r = 0.f; + } + + tmp = pow_F(gp * peakLum, Jzazbz_n); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + g = 100.f * pow((Jzazbz_c1 + Jzazbz_c2 * tmp) / (1. + Jzazbz_c3 * tmp), Jzazbz_p); + if(std::isnan(g) || g < 0.f) { + g = 0.f; + } + tmp = pow_F(bp * peakLum, Jzazbz_n); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + + b = 100.f * pow((Jzazbz_c1 + Jzazbz_c2 * tmp) / (1. + Jzazbz_c3 * tmp), Jzazbz_p); + if(std::isnan(b) || b < 0.f) { + b = 0.f; + } } } + #ifdef __SSE2__ -void Ciecam02::xyz_to_cat02float ( vfloat &r, vfloat &g, vfloat &b, vfloat x, vfloat y, vfloat z, int c16) -{ +void Ciecam02::xyz_to_cat02float ( vfloat &r, vfloat &g, vfloat &b, vfloat x, vfloat y, vfloat z, int c16, vfloat plum) +{ //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash //gamut correction M.H.Brill S.Susstrunk if(c16 == 1) { r = ( F2V (1.007245f) * x) + (F2V (0.011136f) * y) - (F2V (0.018381f) * z); //Changjun Li g = (F2V (-0.318061f) * x) + (F2V (1.314589f) * y) + (F2V (0.003471f) * z); b = z; - } else { + } else if (c16 == 16) { //cat16 - r = ( F2V (0.401288f) * x) + (F2V (0.650173f) * y) - (F2V (0.051461f) * z); //Changjun Li + r = ( F2V (0.401288f) * x) + (F2V (0.650173f) * y) - (F2V (0.051461f) * z); g = -(F2V (0.250268f) * x) + (F2V (1.204414f) * y) + (F2V (0.045854f) * z); b = -(F2V(0.002079f) * x) + (F2V(0.048952f) * y) + (F2V(0.953127f) * z); + } else if (c16 == 21) { + vfloat rp = ( F2V (0.401288f) * x) + (F2V (0.650173f) * y) - (F2V (0.051461f) * z); + vfloat gp = -(F2V (0.250268f) * x) + (F2V (1.204414f) * y) + (F2V (0.045854f) * z); + vfloat bp = -(F2V(0.002079f) * x) + (F2V(0.048952f) * y) + (F2V(0.953127f) * z); + vfloat Jzazbz_c1v = F2V(Jzazbz_c1); + vfloat Jzazbz_c2v = F2V(Jzazbz_c2); + vfloat Jzazbz_nv = F2V(Jzazbz_n); + vfloat Jzazbz_c3v = F2V(Jzazbz_c3); + vfloat Jzazbz_pv = F2V(Jzazbz_p); + vfloat mulone = F2V(0.01f); + vfloat mulhund = F2V(100.f); + float RR, GG, BB; + vfloat one = F2V(1.); + vfloat peakLumv = one / plum; + rp *= mulone; + gp *= mulone; + bp *= mulone; + vfloat tmp = pow_F(rp * peakLumv, Jzazbz_nv ); + STVF(RR, tmp); + if(std::isnan(RR)) {//to avoid crash + tmp = F2V(0.f);; + } + r = mulhund * pow_F((Jzazbz_c1v + Jzazbz_c2v * tmp) / (one + Jzazbz_c3v * tmp), Jzazbz_pv); + STVF(RR, r); + if(std::isnan(RR) || RR < 0.f) {//to avoid crash + r = F2V(0.f);; + } + tmp = pow_F(gp * peakLumv, Jzazbz_nv ); + STVF(RR, tmp); + if(std::isnan(RR)) {//to avoid crash + tmp = F2V(0.f);; + } + + g = mulhund * pow_F((Jzazbz_c1v + Jzazbz_c2v * tmp) / (one + Jzazbz_c3v * tmp), Jzazbz_pv); + STVF(GG, g); + if(std::isnan(GG) || GG < 0.f) {//to avoid crash + g = F2V(0.f);; + } + + tmp = pow_F(bp * peakLumv, Jzazbz_nv ); + STVF(RR, tmp); + if(std::isnan(RR)) {//to avoid crash + tmp = F2V(0.f);; + } + + b = mulhund * pow_F((Jzazbz_c1v + Jzazbz_c2v * tmp) / (one + Jzazbz_c3v * tmp), Jzazbz_pv); + STVF(BB, b); + if(std::isnan(BB) || BB < 0.f) {//to avoid crash + b = F2V(0.f);; + } + } } #endif -void Ciecam02::cat02_to_xyzfloat ( float &x, float &y, float &z, float r, float g, float b, int c16) -{ +void Ciecam02::cat02_to_xyzfloat ( float &x, float &y, float &z, float r, float g, float b, int c16, float plum) +{ //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash //original cat02 //x = ( 1.0978566 * r) - (0.277843 * g) + (0.179987 * b); //y = ( 0.455053 * r) + (0.473938 * g) + (0.0710096* b); //z = ( 0.000000 * r) - (0.000000 * g) + (1.000000 * b); + float pl = plum; if(c16 == 1) { x = ( 0.99015849f * r) - (0.00838772f * g) + (0.018229217f * b); //Changjun Li y = ( 0.239565979f * r) + (0.758664642f * g) + (0.001770137f * b); z = ( 0.000000f * r) - (0.000000f * g) + (1.000000f * b); - } else {//cat16 + } else if(c16 == 16){//cat16 x = ( 1.86206786f * r) - (1.01125463f * g) + (0.14918677f * b); //Cat16 y = ( 0.38752654f * r) + (0.62144744f * g) + (-0.00897398f * b); z = ( -0.0158415f * r) - (0.03412294f * g) + (1.04996444f * b); + }else if(c16 == 21){//cam16 PQ + float lp = ( 1.86206786f * r) - (1.01125463f * g) + (0.14918677f * b); //Cat16 + float mp = ( 0.38752654f * r) + (0.62144744f * g) + (-0.00897398f * b); + float sp = ( -0.0158415f * r) - (0.03412294f * g) + (1.04996444f * b); + lp *= 0.01f; + float tmp = pow_F(lp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + + float prov = (Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2); + x = pl * pow_F(prov, Jzazbz_ni); + if(std::isnan(x)) {//to avoid crash + x = 0.f; + } + x *= 100.f; + mp *= 0.01f; + tmp = pow_F(mp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + prov = (Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2); + y = pl * pow_F(prov, Jzazbz_ni); + if(std::isnan(y)) { + y = 0.f; + } + y *= 100.f; + sp *= 0.01f; + tmp = pow_F(sp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.f; + } + prov = (Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2); + z = pl * pow_F(prov, Jzazbz_ni); + if(std::isnan(z)) { + z = 0.; + } + z *= 100.f; + } } #ifdef __SSE2__ -void Ciecam02::cat02_to_xyzfloat ( vfloat &x, vfloat &y, vfloat &z, vfloat r, vfloat g, vfloat b, int c16 ) -{ +void Ciecam02::cat02_to_xyzfloat ( vfloat &x, vfloat &y, vfloat &z, vfloat r, vfloat g, vfloat b, int c16, vfloat plum ) +{ //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash + vfloat plv = plum; //gamut correction M.H.Brill S.Susstrunk if(c16 == 1) {//cat02 x = ( F2V (0.99015849f) * r) - (F2V (0.00838772f) * g) + (F2V (0.018229217f) * b); //Changjun Li y = ( F2V (0.239565979f) * r) + (F2V (0.758664642f) * g) + (F2V (0.001770137f) * b); z = b; - } else { + } else if(c16 == 16) { //cat16 x = ( F2V (1.86206786f) * r) - (F2V (1.01125463f) * g) + (F2V (0.14918677f) * b); y = ( F2V (0.38752654f) * r) + (F2V (0.621447744f) * g) - (F2V (0.00897398f) * b); z = -(F2V(0.0158415f) * r) - (F2V(0.03412294f) * g) + (F2V(1.04996444f) * b); + }else if(c16 == 21){//cam16 PQ + vfloat lp = ( F2V (1.86206786f) * r) - (F2V (1.01125463f) * g) + (F2V (0.14918677f) * b); + vfloat mp = ( F2V (0.38752654f) * r) + (F2V (0.621447744f) * g) - (F2V (0.00897398f) * b); + vfloat sp = -(F2V(0.0158415f) * r) - (F2V(0.03412294f) * g) + (F2V(1.04996444f) * b); + float XX,YY,ZZ; + vfloat Jzazbz_c1v = F2V(Jzazbz_c1); + vfloat Jzazbz_c2v = F2V(Jzazbz_c2); + vfloat Jzazbz_c3v = F2V(Jzazbz_c3); + vfloat Jzazbz_piv = F2V(Jzazbz_pi); + vfloat Jzazbz_niv = F2V(Jzazbz_ni); + vfloat mulone = F2V(0.01f); + vfloat mulhund = F2V(100.f); + lp *= mulone; + float pro; + vfloat tmp = pow_F(lp, Jzazbz_piv); + STVF(XX, tmp); + if(std::isnan(XX)) {//to avoid crash + tmp = F2V(0.f);; + } + vfloat prov = (Jzazbz_c1v - tmp) / ((Jzazbz_c3v * tmp) - Jzazbz_c2v); + x = plv * pow_F(prov, Jzazbz_niv); + STVF(XX, x); + if(std::isnan(XX)) {//to avoid crash + x = F2V(0.f);; + } + x *= mulhund; + mp *= mulone; + tmp = pow_F(mp, Jzazbz_piv); + STVF(YY, tmp); + if(std::isnan(YY)) {//to avoid crash + tmp = F2V(0.f);; + } + prov = (Jzazbz_c1v - tmp) / ((Jzazbz_c3v * tmp) - Jzazbz_c2v); + y = plv * pow_F(prov, Jzazbz_niv); + STVF(YY, y); + if(std::isnan(YY)) {//to avoid crash + y = F2V(0.f);; + } + y *= mulhund; + sp *= mulone; + tmp = pow_F(sp, Jzazbz_piv); + STVF(ZZ, tmp); + if(std::isnan(ZZ)) {//to avoid crash + tmp = F2V(0.f);; + } + prov = (Jzazbz_c1v - tmp) / ((Jzazbz_c3v * tmp) - Jzazbz_c2v); + STVF(pro, prov); + z = plv * pow_F(prov, Jzazbz_niv); + STVF(ZZ, z); + if(std::isnan(ZZ)) {//to avoid crash + z = F2V(0.f);; + } + z *= mulhund; + } + } #endif @@ -429,7 +627,7 @@ void Ciecam02::calculate_abfloat ( vfloat &aa, vfloat &bb, vfloat h, vfloat e, v #endif void Ciecam02::initcam1float (float yb, float pilotd, float f, float la, float xw, float yw, float zw, float &n, float &d, float &nbb, float &ncb, - float &cz, float &aw, float &wh, float &pfl, float &fl, float c, int c16) + float &cz, float &aw, float &wh, float &pfl, float &fl, float c, int c16, float plum) { n = yb / yw; @@ -442,13 +640,13 @@ void Ciecam02::initcam1float (float yb, float pilotd, float f, float la, float x fl = calculate_fl_from_la_ciecam02float ( la ); nbb = ncb = 0.725f * pow_F ( 1.0f / n, 0.2f ); cz = 1.48f + sqrt ( n ); - aw = achromatic_response_to_whitefloat ( xw, yw, zw, d, fl, nbb, c16); + aw = achromatic_response_to_whitefloat ( xw, yw, zw, d, fl, nbb, c16, plum); wh = ( 4.0f / c ) * ( aw + 4.0f ) * pow_F ( fl, 0.25f ); pfl = pow_F ( fl, 0.25f ); } void Ciecam02::initcam2float (float yb, float pilotd, float f, float la, float xw, float yw, float zw, float &n, float &d, float &nbb, float &ncb, - float &cz, float &aw, float &fl, int c16) + float &cz, float &aw, float &fl, int c16, float plum) { n = yb / yw; @@ -462,12 +660,135 @@ void Ciecam02::initcam2float (float yb, float pilotd, float f, float la, float x fl = calculate_fl_from_la_ciecam02float ( la ); nbb = ncb = 0.725f * pow_F ( 1.0f / n, 0.2f ); cz = 1.48f + sqrt ( n ); - aw = achromatic_response_to_whitefloat ( xw, yw, zw, d, fl, nbb, c16); + aw = achromatic_response_to_whitefloat ( xw, yw, zw, d, fl, nbb, c16, plum); +} + + +void Ciecam02::xyz2jzczhz ( double &Jz, double &az, double &bz, double x, double y, double z, double pl, double &Lp, double &Mp, double &Sp, bool zcam) +{ //from various web + double Xp, Yp, Zp, L, M, S, Iz; + double peakLum = 1. / pl; + //I change 10000 for peaklum function of la (absolute luminance)- default 10000 + Xp = Jzazbz_b * x - ((Jzazbz_b - 1.) * z); + Yp = Jzazbz_g * y - ((Jzazbz_g - 1.) * x); + Zp = z; + + L = 0.41478972 * Xp + 0.579999 * Yp + 0.0146480 * Zp; + M = -0.2015100 * Xp + 1.120649 * Yp + 0.0531008 * Zp; + S = -0.0166008 * Xp + 0.264800 * Yp + 0.6684799 * Zp; + + //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash + // Lp = pow((Jzazbz_c1 + Jzazbz_c2 * pow(std::max((L * peakLum), 0.), Jzazbz_n)) / (1. + Jzazbz_c3 * pow((L * peakLum), Jzazbz_n)), Jzazbz_p); + // Mp = pow((Jzazbz_c1 + Jzazbz_c2 * pow(std::max((M * peakLum),0.), Jzazbz_n)) / (1. + Jzazbz_c3 * pow((M * peakLum), Jzazbz_n)), Jzazbz_p); + // Sp = pow((Jzazbz_c1 + Jzazbz_c2 * pow(std::max((S * peakLum), 0.), Jzazbz_n)) / (1. + Jzazbz_c3 * pow((S * peakLum), Jzazbz_n)), Jzazbz_p); + double temp = pow(L * peakLum, Jzazbz_n); + if(std::isnan(temp)) {//to avoid crash + temp = 0.; + } + Lp = pow((Jzazbz_c1 + Jzazbz_c2 * temp) / (1. + Jzazbz_c3 * temp), Jzazbz_p); + if(std::isnan(Lp)) {//to avoid crash + Lp = 0.; + } + + temp = pow(M * peakLum, Jzazbz_n); + if(std::isnan(temp)) {//to avoid crash + temp = 0.; + } + Mp = pow((Jzazbz_c1 + Jzazbz_c2 * temp) / (1. + Jzazbz_c3 * temp), Jzazbz_p); + if(std::isnan(Mp)) {//to avoid crash + Mp = 0.; + } + + temp = pow(S * peakLum, Jzazbz_n); + if(std::isnan(temp)) {//to avoid crash + temp = 0.; + } + Sp = pow((Jzazbz_c1 + Jzazbz_c2 * temp) / (1. + Jzazbz_c3 * temp), Jzazbz_p); + if(std::isnan(Sp)) {//to avoid crash + Sp = 0.; + } + + Iz = 0.5 * Lp + 0.5 * Mp; + az = 3.524000 * Lp - 4.066708 * Mp + 0.542708 * Sp; + bz = 0.199076 * Lp + 1.096799 * Mp - 1.295875 * Sp; + if(!zcam) { + Jz = (((1. + Jzazbz_d) * Iz) / (1. + Jzazbz_d * Iz)) - Jzazbz_d0; + // Jz = std::max((((1. + Jzazbz_d) * Iz) / (1. + Jzazbz_d * Iz)) - Jzazbz_d0, 0.); + } else { + //or if we use ZCAM Jz = Mp - Jzazbz_d0 + Jz = Mp - Jzazbz_d0; + } +} + + +void Ciecam02::jzczhzxyz (double &x, double &y, double &z, double jz, double az, double bz, double pl, double &L, double &M, double &S, bool zcam) +{ //from various web + //I use isnan() because I have tested others solutions with std::max(xxx,0) and in some cases crash + + double Xp, Yp, Zp, Lp, Mp, Sp, Iz, tmp; + + if(!zcam) { + // Iz = std::max((jz + Jzazbz_d0) / (1. + Jzazbz_d - Jzazbz_d * (jz + Jzazbz_d0)), 0.); + Iz = (jz + Jzazbz_d0) / (1. + Jzazbz_d - Jzazbz_d * (jz + Jzazbz_d0)); + } else { + //or if we use ZCAM Iz = Jz + Jzazbz_d0 + Iz = jz + Jzazbz_d0; + } + + Lp = Iz + 0.138605043271539 * az + 0.0580473161561189 * bz; + Mp = Iz - 0.138605043271539 * az - 0.0580473161561189 * bz; + Sp = Iz - 0.0960192420263189 * az - 0.811891896056039 * bz; + //I change optionnaly 10000 for pl function of la(absolute luminance) default 10000 + + tmp = pow(Lp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.; + } + L = pl * pow((Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2), Jzazbz_ni); + if(std::isnan(L)) {//to avoid crash + L = 0.; + } + + tmp = pow(Mp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.; + } + M = pl * pow((Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2), Jzazbz_ni); + if(std::isnan(M)) {//to avoid crash + M = 0.; + } + + tmp = pow(Sp, Jzazbz_pi); + if(std::isnan(tmp)) {//to avoid crash + tmp = 0.; + } + S = pl * pow((Jzazbz_c1 - tmp) / ((Jzazbz_c3 * tmp) - Jzazbz_c2), Jzazbz_ni); + if(std::isnan(S)) {//to avoid crash + S = 0.; + } + + Xp = 1.9242264357876067 * L - 1.0047923125953657 * M + 0.0376514040306180 * S; + Yp = 0.3503167620949991 * L + 0.7264811939316552 * M - 0.0653844229480850 * S; + Zp = -0.0909828109828475 * L - 0.3127282905230739 * M + 1.5227665613052603 * S; + + x = (Xp + (Jzazbz_b - 1.) * Zp) / Jzazbz_b; + + if(std::isnan(x)) {//to avoid crash + x = 0.; + } + y = (Yp + (Jzazbz_g - 1.) * x) / Jzazbz_g; + if(std::isnan(y)) { + y = 0.; + } + z = Zp; + if(std::isnan(z)) { + z = 0.; + } } void Ciecam02::xyz2jchqms_ciecam02float ( float &J, float &C, float &h, float &Q, float &M, float &s, float aw, float fl, float wh, float x, float y, float z, float xw, float yw, float zw, - float c, float nc, float pow1, float nbb, float ncb, float pfl, float cz, float d, int c16) + float c, float nc, float pow1, float nbb, float ncb, float pfl, float cz, float d, int c16, float plum) { float r, g, b; @@ -478,8 +799,8 @@ void Ciecam02::xyz2jchqms_ciecam02float ( float &J, float &C, float &h, float &Q float a, ca, cb; float e, t; float myh; - xyz_to_cat02float ( r, g, b, x, y, z, c16); - xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16); + xyz_to_cat02float ( r, g, b, x, y, z, c16, plum); + xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16, plum); rc = r * (((yw * d) / rw) + (1.f - d)); gc = g * (((yw * d) / gw) + (1.f - d)); bc = b * (((yw * d) / bw) + (1.f - d)); @@ -530,7 +851,7 @@ void Ciecam02::xyz2jchqms_ciecam02float ( float &J, float &C, float &h, float &Q #ifdef __SSE2__ void Ciecam02::xyz2jchqms_ciecam02float ( vfloat &J, vfloat &C, vfloat &h, vfloat &Q, vfloat &M, vfloat &s, vfloat aw, vfloat fl, vfloat wh, vfloat x, vfloat y, vfloat z, vfloat xw, vfloat yw, vfloat zw, - vfloat c, vfloat nc, vfloat pow1, vfloat nbb, vfloat ncb, vfloat pfl, vfloat cz, vfloat d, int c16) + vfloat c, vfloat nc, vfloat pow1, vfloat nbb, vfloat ncb, vfloat pfl, vfloat cz, vfloat d, int c16, vfloat plum) { vfloat r, g, b; @@ -541,8 +862,8 @@ void Ciecam02::xyz2jchqms_ciecam02float ( vfloat &J, vfloat &C, vfloat &h, vfloa vfloat a, ca, cb; vfloat e, t; - xyz_to_cat02float ( r, g, b, x, y, z, c16); - xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16); + xyz_to_cat02float ( r, g, b, x, y, z, c16, plum); + xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16, plum); vfloat onev = F2V (1.f); rc = r * (((yw * d) / rw) + (onev - d)); gc = g * (((yw * d) / gw) + (onev - d)); @@ -595,7 +916,7 @@ void Ciecam02::xyz2jchqms_ciecam02float ( vfloat &J, vfloat &C, vfloat &h, vfloa void Ciecam02::xyz2jch_ciecam02float ( float &J, float &C, float &h, float aw, float fl, float x, float y, float z, float xw, float yw, float zw, - float c, float nc, float pow1, float nbb, float ncb, float cz, float d, int c16) + float c, float nc, float pow1, float nbb, float ncb, float cz, float d, int c16, float plum) { float r, g, b; @@ -606,8 +927,8 @@ void Ciecam02::xyz2jch_ciecam02float ( float &J, float &C, float &h, float aw, f float a, ca, cb; float e, t; float myh; - xyz_to_cat02float ( r, g, b, x, y, z, c16); - xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16); + xyz_to_cat02float ( r, g, b, x, y, z, c16, plum); + xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16, plum); rc = r * (((yw * d) / rw) + (1.f - d)); gc = g * (((yw * d) / gw) + (1.f - d)); bc = b * (((yw * d) / bw) + (1.f - d)); @@ -664,7 +985,7 @@ void Ciecam02::xyz2jch_ciecam02float ( float &J, float &C, float &h, float aw, f void Ciecam02::jch2xyz_ciecam02float ( float &x, float &y, float &z, float J, float C, float h, float xw, float yw, float zw, - float c, float nc, float pow1, float nbb, float ncb, float fl, float cz, float d, float aw, int c16) + float c, float nc, float pow1, float nbb, float ncb, float fl, float cz, float d, float aw, int c16, float plum) { float r, g, b; float rc, gc, bc; @@ -673,7 +994,7 @@ void Ciecam02::jch2xyz_ciecam02float ( float &x, float &y, float &z, float J, fl float rw, gw, bw; float a, ca, cb; float e, t; - xyz_to_cat02float(rw, gw, bw, xw, yw, zw, c16); + xyz_to_cat02float(rw, gw, bw, xw, yw, zw, c16, plum); e = ((961.53846f) * nc * ncb) * (xcosf(h * rtengine::RT_PI_F_180 + 2.0f) + 3.8f); #ifdef __SSE2__ @@ -705,7 +1026,7 @@ void Ciecam02::jch2xyz_ciecam02float ( float &x, float &y, float &z, float J, fl if(c16 == 1) {//cat02 hpe_to_xyzfloat(x, y, z, rp, gp, bp, c16); - xyz_to_cat02float(rc, gc, bc, x, y, z, c16); + xyz_to_cat02float(rc, gc, bc, x, y, z, c16, plum); r = rc / (((yw * d) / rw) + (1.0f - d)); g = gc / (((yw * d) / gw) + (1.0f - d)); @@ -716,13 +1037,13 @@ void Ciecam02::jch2xyz_ciecam02float ( float &x, float &y, float &z, float J, fl b = bp / (((yw * d) / bw) + (1.0f - d)); } - cat02_to_xyzfloat(x, y, z, r, g, b, c16); + cat02_to_xyzfloat(x, y, z, r, g, b, c16, plum); } #ifdef __SSE2__ void Ciecam02::jch2xyz_ciecam02float ( vfloat &x, vfloat &y, vfloat &z, vfloat J, vfloat C, vfloat h, vfloat xw, vfloat yw, vfloat zw, - vfloat nc, vfloat pow1, vfloat nbb, vfloat ncb, vfloat fl, vfloat d, vfloat aw, vfloat reccmcz, int c16) + vfloat nc, vfloat pow1, vfloat nbb, vfloat ncb, vfloat fl, vfloat d, vfloat aw, vfloat reccmcz, int c16, vfloat plum) { vfloat r, g, b; vfloat rc, gc, bc; @@ -731,7 +1052,7 @@ void Ciecam02::jch2xyz_ciecam02float ( vfloat &x, vfloat &y, vfloat &z, vfloat J vfloat rw, gw, bw; vfloat a, ca, cb; vfloat e, t; - xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16); + xyz_to_cat02float ( rw, gw, bw, xw, yw, zw, c16, plum); e = ((F2V (961.53846f)) * nc * ncb) * (xcosf ( ((h * F2V (rtengine::RT_PI)) / F2V (180.0f)) + F2V (2.0f) ) + F2V (3.8f)); a = pow_F ( J / F2V (100.0f), reccmcz ) * aw; t = pow_F ( F2V (10.f) * C / (vsqrtf ( J ) * pow1), F2V (1.1111111f) ); @@ -745,7 +1066,7 @@ void Ciecam02::jch2xyz_ciecam02float ( vfloat &x, vfloat &y, vfloat &z, vfloat J if(c16 == 1) {//cat02 hpe_to_xyzfloat ( x, y, z, rp, gp, bp, c16); - xyz_to_cat02float ( rc, gc, bc, x, y, z, c16 ); + xyz_to_cat02float ( rc, gc, bc, x, y, z, c16, plum ); r = rc / (((yw * d) / rw) + (F2V (1.0f) - d)); g = gc / (((yw * d) / gw) + (F2V (1.0f) - d)); @@ -756,7 +1077,7 @@ void Ciecam02::jch2xyz_ciecam02float ( vfloat &x, vfloat &y, vfloat &z, vfloat J b = bp / (((yw * d) / bw) + (F2V (1.0f) - d)); } - cat02_to_xyzfloat ( x, y, z, r, g, b, c16 ); + cat02_to_xyzfloat ( x, y, z, r, g, b, c16, plum ); } #endif diff --git a/rtengine/ciecam02.h b/rtengine/ciecam02.h index cd140a702..5312635f6 100644 --- a/rtengine/ciecam02.h +++ b/rtengine/ciecam02.h @@ -37,12 +37,12 @@ class Ciecam02 private: static float d_factorfloat ( float f, float la ); static float calculate_fl_from_la_ciecam02float ( float la ); - static float achromatic_response_to_whitefloat ( float x, float y, float z, float d, float fl, float nbb, int c16); - static void xyz_to_cat02float ( float &r, float &g, float &b, float x, float y, float z, int c16); + static float achromatic_response_to_whitefloat ( float x, float y, float z, float d, float fl, float nbb, int c16, float plum); + static void xyz_to_cat02float ( float &r, float &g, float &b, float x, float y, float z, int c16, float plum); static void cat02_to_hpefloat ( float &rh, float &gh, float &bh, float r, float g, float b, int c16); #ifdef __SSE2__ - static void xyz_to_cat02float ( vfloat &r, vfloat &g, vfloat &b, vfloat x, vfloat y, vfloat z, int c16); + static void xyz_to_cat02float ( vfloat &r, vfloat &g, vfloat &b, vfloat x, vfloat y, vfloat z, int c16, vfloat plum); static void cat02_to_hpefloat ( vfloat &rh, vfloat &gh, vfloat &bh, vfloat r, vfloat g, vfloat b, int c16); static vfloat nonlinear_adaptationfloat ( vfloat c, vfloat fl ); #endif @@ -53,13 +53,13 @@ private: static void calculate_abfloat ( float &aa, float &bb, float h, float e, float t, float nbb, float a ); static void Aab_to_rgbfloat ( float &r, float &g, float &b, float A, float aa, float bb, float nbb ); static void hpe_to_xyzfloat ( float &x, float &y, float &z, float r, float g, float b, int c16); - static void cat02_to_xyzfloat ( float &x, float &y, float &z, float r, float g, float b, int c16); + static void cat02_to_xyzfloat ( float &x, float &y, float &z, float r, float g, float b, int c16, float plum); #ifdef __SSE2__ static vfloat inverse_nonlinear_adaptationfloat ( vfloat c, vfloat fl ); static void calculate_abfloat ( vfloat &aa, vfloat &bb, vfloat h, vfloat e, vfloat t, vfloat nbb, vfloat a ); static void Aab_to_rgbfloat ( vfloat &r, vfloat &g, vfloat &b, vfloat A, vfloat aa, vfloat bb, vfloat nbb ); static void hpe_to_xyzfloat ( vfloat &x, vfloat &y, vfloat &z, vfloat r, vfloat g, vfloat b, int c16); - static void cat02_to_xyzfloat ( vfloat &x, vfloat &y, vfloat &z, vfloat r, vfloat g, vfloat b, int c16); + static void cat02_to_xyzfloat ( vfloat &x, vfloat &y, vfloat &z, vfloat r, vfloat g, vfloat b, int c16, vfloat plum); #endif public: @@ -67,46 +67,52 @@ public: static void curvecolorfloat (float satind, float satval, float &sres, float parsat); static void curveJfloat (float br, float contr, float thr, const LUTu & histogram, LUTf & outCurve ) ; + static void xyz2jzczhz (double &Jz, double &az, double &bz, double x, double y, double z, double pl, double &Lp, double &Mp, double &Sp, bool zcam); + + static void jzczhzxyz (double &x, double &y, double &z, double Jz, double az, double bz, double pl, double &L, double &M, double &S, bool zcam); + + + /** * Inverse transform from CIECAM02 JCh to XYZ. */ static void jch2xyz_ciecam02float ( float &x, float &y, float &z, float J, float C, float h, float xw, float yw, float zw, - float c, float nc, float n, float nbb, float ncb, float fl, float cz, float d, float aw, int c16); + float c, float nc, float n, float nbb, float ncb, float fl, float cz, float d, float aw, int c16, float plum); #ifdef __SSE2__ static void jch2xyz_ciecam02float ( vfloat &x, vfloat &y, vfloat &z, vfloat J, vfloat C, vfloat h, vfloat xw, vfloat yw, vfloat zw, - vfloat nc, vfloat n, vfloat nbb, vfloat ncb, vfloat fl, vfloat d, vfloat aw, vfloat reccmcz, int c16 ); + vfloat nc, vfloat n, vfloat nbb, vfloat ncb, vfloat fl, vfloat d, vfloat aw, vfloat reccmcz, int c16, vfloat plum ); #endif /** * Forward transform from XYZ to CIECAM02 JCh. */ static void initcam1float (float yb, float pilotd, float f, float la, float xw, float yw, float zw, float &n, float &d, float &nbb, float &ncb, - float &cz, float &aw, float &wh, float &pfl, float &fl, float c, int c16); + float &cz, float &aw, float &wh, float &pfl, float &fl, float c, int c16, float plum); static void initcam2float (float yb, float pilotd, float f, float la, float xw, float yw, float zw, float &n, float &d, float &nbb, float &ncb, - float &cz, float &aw, float &fl, int c16); + float &cz, float &aw, float &fl, int c16, float plum); static void xyz2jch_ciecam02float ( float &J, float &C, float &h, float aw, float fl, float x, float y, float z, float xw, float yw, float zw, - float c, float nc, float n, float nbb, float ncb, float cz, float d, int c16); + float c, float nc, float n, float nbb, float ncb, float cz, float d, int c16, float plum); static void xyz2jchqms_ciecam02float ( float &J, float &C, float &h, float &Q, float &M, float &s, float aw, float fl, float wh, float x, float y, float z, float xw, float yw, float zw, - float c, float nc, float n, float nbb, float ncb, float pfl, float cz, float d, int c16); + float c, float nc, float n, float nbb, float ncb, float pfl, float cz, float d, int c16, float plum); #ifdef __SSE2__ static void xyz2jchqms_ciecam02float ( vfloat &J, vfloat &C, vfloat &h, vfloat &Q, vfloat &M, vfloat &s, vfloat aw, vfloat fl, vfloat wh, vfloat x, vfloat y, vfloat z, vfloat xw, vfloat yw, vfloat zw, - vfloat c, vfloat nc, vfloat n, vfloat nbb, vfloat ncb, vfloat pfl, vfloat cz, vfloat d, int c16); + vfloat c, vfloat nc, vfloat n, vfloat nbb, vfloat ncb, vfloat pfl, vfloat cz, vfloat d, int c16, vfloat plum); #endif diff --git a/rtengine/color.h b/rtengine/color.h index 0fae99a5d..f602ade83 100644 --- a/rtengine/color.h +++ b/rtengine/color.h @@ -1889,6 +1889,59 @@ static inline void Lab2XYZ(vfloat L, vfloat a, vfloat b, vfloat &x, vfloat &y, v return (hr); } + static inline double huejz_to_huehsv2 (float HH) + { + //hr=translate Hue Jz value (-Pi +Pi) in approximative hr (hsv values) (0 1) + // with multi linear correspondences (I expect another time with Jz there is no error !!) + double hr = 0.0; + //always put h between 0 and 1 + // make with my chart 468 colors... + // HH ==> Hz value ; hr HSv value + if (HH >= 0.2f && HH < 0.75f) { + hr = 0.12727273 * double(HH) + 0.90454551;//hr 0.93 1.00 full red + } else if (HH >= 0.75f && HH < 1.35f) { + hr = 0.15 * double(HH) - 0.1125;//hr 0.00 0.09 red yellow orange + } else if (HH >= 1.35f && HH < 1.85f) { + hr = 0.32 * double(HH) - 0.342; //hr 0.09 0.25 orange yellow + } else if (HH >= 1.85f && HH < 2.46f) { + hr = 0.23442623 * double(HH) -0.18368853;//hr 0.25 0.393 yellow green green + } else if (HH >= 2.46f && HH < 3.14159f) { + hr = 0.177526 * double(HH) -0.043714;//hr 0.393 0.51315 green ==> 0.42 Lab + } else if (HH >= -3.14159f && HH < -2.89f) { + hr = 0.3009078 * double(HH) + 1.459329;//hr 0.51315 0.5897 green cyan ==> -2.30 Lab + } else if (HH >= -2.89f && HH < -2.7f) { + hr = 0.204542 * double(HH) + 1.1808264;//hr 0.5897 0.628563 cyan + } else if (HH >= -2.7f && HH < -2.17f) { + hr = 0.121547 * double(HH) + 0.956399;//hr 0.628563 0.692642 blue blue-sky + } else if (HH >= -2.17f && HH < -0.9f) { + hr = 0.044882 * double(HH) + 0.789901;//hr 0.692642 0.749563 blue blue-sky + } else if (HH >= -0.9f && HH < -0.1f) { + hr = 0.2125 * double(HH) + 0.940813;//hr 0.749563 0.919563 purple magenta + } else if (HH >= -0.1f && HH < 0.2f) { + hr = 0.03479 * double(HH) + 0.923042;//hr 0.919563 0.93 red + } + // in case of ! + if (hr < 0.0) { + hr += 1.0; + } else if(hr > 1.0) { + hr -= 1.0; + } + + return (hr); + } + +// HSV 0.93 1.0 red - Lab 0.0 0.6 Jz 0.20 0.75 +// HSV 0.00 0.9 red orange - Lab 0.6 1.4 Jz 0.50 1.35 +// HSV 0.09 0.25 oran - yellow - Lab 1.4 2.0 Jz 1.35 1.85 +// HSV 0.25 0.39 yellow - gree - Lab 2.0 3.0 Jz 1.85 2.40 +// HSV 0.39 0.50 green - cyan Lab 3.0 -2.8 Jz 2.40 3.10 +// HSV 0.50 0.58 cyan Lab-2.8 -2.3 Jz 3.10 -2.90 +// HSV 0.58 0.69 blue - sky Lab-2.3 -1.3 Jz -2.90 -2.17 +// HSV 0.69 0.75 blue - Lab-1.3 -0.9 Jz -2.17 -0.90 +// HSV 0.75 0.92 purple - Lab-0.9 -0.1 Jz -0.9 -0.10 +// HSV 0.92 0.93 magenta Lab-0.1 0.0 Jz -0.1 0.20 + + static inline void RGB2Y(const float* R, const float* G, const float* B, float* Y1, float * Y2, int W) { int i = 0; #ifdef __SSE2__ diff --git a/rtengine/curves.cc b/rtengine/curves.cc index c6bf86954..81d5b175b 100644 --- a/rtengine/curves.cc +++ b/rtengine/curves.cc @@ -3460,12 +3460,13 @@ void PerceptualToneCurve::BatchApply(const size_t start, const size_t end, float Color::Prophotoxyz(r, g, b, x, y, z); float J, C, h; - int c16 = 1; + int c16 = 1;//always Cat02....to reserve compatibility + float plum = 100.f; Ciecam02::xyz2jch_ciecam02float(J, C, h, aw, fl, x * 0.0015259022f, y * 0.0015259022f, z * 0.0015259022f, xw, yw, zw, - c, nc, pow1, nbb, ncb, cz, d, c16); + c, nc, pow1, nbb, ncb, cz, d, c16, plum); if (!isfinite(J) || !isfinite(C) || !isfinite(h)) { @@ -3583,7 +3584,7 @@ void PerceptualToneCurve::BatchApply(const size_t start, const size_t end, float Ciecam02::jch2xyz_ciecam02float(x, y, z, J, C, h, xw, yw, zw, - c, nc, pow1, nbb, ncb, fl, cz, d, aw, c16); + c, nc, pow1, nbb, ncb, fl, cz, d, aw, c16, plum); if (!isfinite(x) || !isfinite(y) || !isfinite(z)) { // can happen for colours on the rim of being outside gamut, that worked without chroma scaling but not with. Then we return only the curve's result. @@ -3699,8 +3700,9 @@ void PerceptualToneCurve::init() c = 0.69f; nc = 1.00f; int c16 = 1;//with cat02 for compatibility + float plum = 100.f; Ciecam02::initcam1float(yb, 1.f, f, la, xw, yw, zw, n, d, nbb, ncb, - cz, aw, wh, pfl, fl, c, c16); + cz, aw, wh, pfl, fl, c, c16, plum); pow1 = pow_F(1.64f - pow_F(0.29f, n), 0.73f); { diff --git a/rtengine/dcrop.cc b/rtengine/dcrop.cc index 1e67c4f11..f4ac49fc4 100644 --- a/rtengine/dcrop.cc +++ b/rtengine/dcrop.cc @@ -872,6 +872,12 @@ void Crop::update(int todo) auto& lmaskbllocalcurve2 = parent->lmaskbllocalcurve; auto& lmasklclocalcurve2 = parent->lmasklclocalcurve; auto& lmaskloglocalcurve2 = parent->lmaskloglocalcurve; + auto& lmaskcielocalcurve2 = parent->lmaskcielocalcurve; + auto& cielocalcurve2 = parent->cielocalcurve; + auto& cielocalcurve22 = parent->cielocalcurve2; + auto& jzlocalcurve2 = parent->jzlocalcurve; + auto& czlocalcurve2 = parent->czlocalcurve; + auto& czjzlocalcurve2 = parent->czjzlocalcurve; auto& hltonecurveloc2 = parent->hltonecurveloc; auto& shtonecurveloc2 = parent->shtonecurveloc; auto& tonecurveloc2 = parent->tonecurveloc; @@ -881,6 +887,9 @@ void Crop::update(int todo) auto& loclhCurve = parent->loclhCurve; auto& lochhCurve = parent->lochhCurve; auto& locchCurve = parent->locchCurve; + auto& lochhCurvejz = parent->lochhCurvejz; + auto& locchCurvejz = parent->locchCurvejz; + auto& loclhCurvejz = parent->loclhCurvejz; auto& locccmasCurve = parent->locccmasCurve; auto& locllmasCurve = parent->locllmasCurve; auto& lochhmasCurve = parent->lochhmasCurve; @@ -912,12 +921,16 @@ void Crop::update(int todo) auto& locccmaslogCurve = parent->locccmaslogCurve; auto& locllmaslogCurve = parent->locllmaslogCurve; auto& lochhmaslogCurve = parent->lochhmaslogCurve; + auto& locccmascieCurve = parent->locccmascieCurve; + auto& locllmascieCurve = parent->locllmascieCurve; + auto& lochhmascieCurve = parent->lochhmascieCurve; auto& locccmas_Curve = parent->locccmas_Curve; auto& locllmas_Curve = parent->locllmas_Curve; auto& lochhmas_Curve = parent->lochhmas_Curve; auto& lochhhmas_Curve = parent->lochhhmas_Curve; auto& locwavCurve = parent->locwavCurve; + auto& locwavCurvejz = parent->locwavCurvejz; auto& loclmasCurveblwav = parent->loclmasCurveblwav; auto& loclmasCurvecolwav = parent->loclmasCurvecolwav; auto& loclevwavCurve = parent->loclevwavCurve; @@ -929,13 +942,25 @@ void Crop::update(int todo) auto& locwavCurveden = parent->locwavCurveden; auto& lmasklocal_curve2 = parent->lmasklocal_curve; auto& loclmasCurve_wav = parent->loclmasCurve_wav; - +// const int sizespot = (int)params.locallab.spots.size(); +/* float *huerefp = nullptr; + huerefp = new float[sizespot]; + float *chromarefp = nullptr; + chromarefp = new float[sizespot]; + float *lumarefp = nullptr; + lumarefp = new float[sizespot]; + float *fabrefp = nullptr; + fabrefp = new float[sizespot]; +*/ for (int sp = 0; sp < (int)params.locallab.spots.size(); sp++) { locRETgainCurve.Set(params.locallab.spots.at(sp).localTgaincurve); locRETtransCurve.Set(params.locallab.spots.at(sp).localTtranscurve); const bool LHutili = loclhCurve.Set(params.locallab.spots.at(sp).LHcurve); const bool HHutili = lochhCurve.Set(params.locallab.spots.at(sp).HHcurve); const bool CHutili = locchCurve.Set(params.locallab.spots.at(sp).CHcurve); + const bool HHutilijz = lochhCurvejz.Set(params.locallab.spots.at(sp).HHcurvejz); + const bool CHutilijz = locchCurvejz.Set(params.locallab.spots.at(sp).CHcurvejz); + const bool LHutilijz = loclhCurvejz.Set(params.locallab.spots.at(sp).LHcurvejz); const bool lcmasutili = locccmasCurve.Set(params.locallab.spots.at(sp).CCmaskcurve); const bool llmasutili = locllmasCurve.Set(params.locallab.spots.at(sp).LLmaskcurve); const bool lhmasutili = lochhmasCurve.Set(params.locallab.spots.at(sp).HHmaskcurve); @@ -964,6 +989,9 @@ void Crop::update(int todo) const bool lcmaslogutili = locccmaslogCurve.Set(params.locallab.spots.at(sp).CCmaskcurveL); const bool llmaslogutili = locllmaslogCurve.Set(params.locallab.spots.at(sp).LLmaskcurveL); const bool lhmaslogutili = lochhmaslogCurve.Set(params.locallab.spots.at(sp).HHmaskcurveL); + const bool lcmascieutili = locccmascieCurve.Set(params.locallab.spots.at(sp).CCmaskciecurve); + const bool llmascieutili = locllmascieCurve.Set(params.locallab.spots.at(sp).LLmaskciecurve); + const bool lhmascieutili = lochhmascieCurve.Set(params.locallab.spots.at(sp).HHmaskciecurve); const bool lcmas_utili = locccmas_Curve.Set(params.locallab.spots.at(sp).CCmask_curve); const bool llmas_utili = locllmas_Curve.Set(params.locallab.spots.at(sp).LLmask_curve); @@ -976,6 +1004,7 @@ void Crop::update(int todo) const bool llmaslcutili = locllmaslcCurve.Set(params.locallab.spots.at(sp).LLmasklccurve); const bool lhmaslcutili = lochhmaslcCurve.Set(params.locallab.spots.at(sp).HHmasklccurve); const bool locwavutili = locwavCurve.Set(params.locallab.spots.at(sp).locwavcurve); + const bool locwavutilijz = locwavCurvejz.Set(params.locallab.spots.at(sp).locwavcurvejz); const bool locwavhueutili = locwavCurvehue.Set(params.locallab.spots.at(sp).locwavcurvehue); const bool locwavdenutili = locwavCurveden.Set(params.locallab.spots.at(sp).locwavcurveden); const bool loclevwavutili = loclevwavCurve.Set(params.locallab.spots.at(sp).loclevwavcurve); @@ -1000,6 +1029,12 @@ void Crop::update(int todo) const bool localmaskblutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmaskblcurve, lmaskbllocalcurve2, skip); const bool localmasklogutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).LmaskcurveL, lmaskloglocalcurve2, skip); const bool localmask_utili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmask_curve, lmasklocal_curve2, skip); + const bool localmaskcieutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmaskciecurve, lmaskcielocalcurve2, skip); + const bool localcieutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).ciecurve, cielocalcurve2, skip); + const bool localcieutili2 = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).ciecurve2, cielocalcurve22, skip); + const bool localjzutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).jzcurve, jzlocalcurve2, skip); + const bool localczutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).czcurve, czlocalcurve2, skip); + const bool localczjzutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).czjzcurve, czjzlocalcurve2, skip); double ecomp = params.locallab.spots.at(sp).expcomp; double black = params.locallab.spots.at(sp).black; @@ -1025,7 +1060,7 @@ void Crop::update(int todo) float stdtme = parent->stdtms[sp]; float meanretie = parent->meanretis[sp]; float stdretie = parent->stdretis[sp]; - + float fab = 1.f; float minCD; float maxCD; float mini; @@ -1035,6 +1070,11 @@ void Crop::update(int todo) float Tmin; float Tmax; int lastsav; + +/* huerefp[sp] = huere; + chromarefp[sp] = chromare; + lumarefp[sp] = lumare; +*/ CurveFactory::complexCurvelocal(ecomp, black / 65535., hlcompr, hlcomprthresh, shcompr, br, cont, lumare, hltonecurveloc2, shtonecurveloc2, tonecurveloc2, lightCurveloc2, avge, skip); @@ -1049,6 +1089,8 @@ void Crop::update(int todo) cllocalcurve2, localclutili, lclocalcurve2, locallcutili, loclhCurve, lochhCurve, locchCurve, + lochhCurvejz, locchCurvejz, loclhCurvejz, + lmasklocalcurve2, localmaskutili, lmaskexplocalcurve2, localmaskexputili, lmaskSHlocalcurve2, localmaskSHutili, @@ -1060,6 +1102,12 @@ void Crop::update(int todo) lmasklclocalcurve2, localmasklcutili, lmaskloglocalcurve2, localmasklogutili, lmasklocal_curve2, localmask_utili, + lmaskcielocalcurve2, localmaskcieutili, + cielocalcurve2,localcieutili, + cielocalcurve22,localcieutili2, + jzlocalcurve2,localjzutili, + czlocalcurve2,localczutili, + czjzlocalcurve2,localczjzutili, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili, lochhhmasCurve, lhhmasutili, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, @@ -1072,10 +1120,13 @@ void Crop::update(int todo) locccmaslogCurve, lcmaslogutili, locllmaslogCurve, llmaslogutili, lochhmaslogCurve, lhmaslogutili, locccmas_Curve, lcmas_utili, locllmas_Curve, llmas_utili, lochhmas_Curve, lhmas_utili, + locccmascieCurve, lcmascieutili, locllmascieCurve, llmasSHutili, lochhmascieCurve, lhmascieutili, + lochhhmas_Curve, lhhmas_utili, loclmasCurveblwav,lmasutiliblwav, loclmasCurvecolwav,lmasutilicolwav, locwavCurve, locwavutili, + locwavCurvejz, locwavutilijz, loclevwavCurve, loclevwavutili, locconwavCurve, locconwavutili, loccompwavCurve, loccompwavutili, @@ -1084,12 +1135,14 @@ void Crop::update(int todo) locwavCurveden, locwavdenutili, locedgwavCurve, locedgwavutili, loclmasCurve_wav,lmasutili_wav, - LHutili, HHutili, CHutili, cclocalcurve2, localcutili, rgblocalcurve2, localrgbutili, localexutili, exlocalcurve2, hltonecurveloc2, shtonecurveloc2, tonecurveloc2, lightCurveloc2, + LHutili, HHutili, CHutili, HHutilijz, CHutilijz, LHutilijz, cclocalcurve2, localcutili, rgblocalcurve2, localrgbutili, localexutili, exlocalcurve2, hltonecurveloc2, shtonecurveloc2, tonecurveloc2, lightCurveloc2, huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, lastsav, parent->previewDeltaE, parent->locallColorMask, parent->locallColorMaskinv, parent->locallExpMask, parent->locallExpMaskinv, parent->locallSHMask, parent->locallSHMaskinv, parent->locallvibMask, parent->localllcMask, parent->locallsharMask, parent->locallcbMask, parent->locallretiMask, parent->locallsoftMask, parent->localltmMask, parent->locallblMask, - parent->localllogMask, parent->locall_Mask, minCD, maxCD, mini, maxi, Tmean, Tsigma, Tmin, Tmax, - meantme, stdtme, meanretie, stdretie); - if (parent->previewDeltaE || parent->locallColorMask == 5 || parent->locallvibMask == 4 || parent->locallExpMask == 5 || parent->locallSHMask == 4 || parent->localllcMask == 4 || parent->localltmMask == 4 || parent->localllogMask == 4 || parent->locallsoftMask == 6 || parent->localllcMask == 4) { + parent->localllogMask, parent->locall_Mask, parent->locallcieMask, minCD, maxCD, mini, maxi, Tmean, Tsigma, Tmin, Tmax, + meantme, stdtme, meanretie, stdretie, fab); + // fabrefp[sp] = fab; + + if (parent->previewDeltaE || parent->locallColorMask == 5 || parent->locallvibMask == 4 || parent->locallExpMask == 5 || parent->locallSHMask == 4 || parent->localllcMask == 4 || parent->localltmMask == 4 || parent->localllogMask == 4 || parent->locallsoftMask == 6 || parent->localllcMask == 4 || parent->locallcieMask == 4) { params.blackwhite.enabled = false; params.colorToning.enabled = false; params.rgbCurves.enabled = false; @@ -1112,12 +1165,20 @@ void Crop::update(int todo) params.epd.enabled = false; params.softlight.enabled = false; } + /* + if (parent->locallListener) { + parent->locallListener->refChanged2(huerefp, chromarefp, lumarefp, fabrefp, params.locallab.selspot); + + } + */ + } else { parent->ipf.Lab_Local(1, sp, (float**)shbuffer, labnCrop, labnCrop, reservCrop.get(), savenormtmCrop.get(), savenormretiCrop.get(), lastorigCrop.get(), fw, fh, cropx / skip, cropy / skip, skips(parent->fw, skip), skips(parent->fh, skip), skip, locRETgainCurve, locRETtransCurve, lllocalcurve2,locallutili, cllocalcurve2, localclutili, lclocalcurve2, locallcutili, loclhCurve, lochhCurve, locchCurve, + lochhCurvejz, locchCurvejz, loclhCurvejz, lmasklocalcurve2, localmaskutili, lmaskexplocalcurve2, localmaskexputili, lmaskSHlocalcurve2, localmaskSHutili, @@ -1129,6 +1190,12 @@ void Crop::update(int todo) lmasklclocalcurve2, localmasklcutili, lmaskloglocalcurve2, localmasklogutili, lmasklocal_curve2, localmask_utili, + lmaskcielocalcurve2, localmaskcieutili, + cielocalcurve2,localcieutili, + cielocalcurve22,localcieutili2, + jzlocalcurve2,localjzutili, + czlocalcurve2,localczutili, + czjzlocalcurve2,localczjzutili, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili,lochhhmasCurve, lhhmasutili, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, @@ -1141,11 +1208,13 @@ void Crop::update(int todo) locccmaslogCurve, lcmaslogutili, locllmaslogCurve, llmaslogutili, lochhmaslogCurve, lhmaslogutili, locccmas_Curve, lcmas_utili, locllmas_Curve, llmas_utili, lochhmas_Curve, lhmas_utili, + locccmascieCurve, lcmascieutili, locllmascieCurve, llmascieutili, lochhmascieCurve, lhmascieutili, lochhhmas_Curve, lhhmas_utili, loclmasCurveblwav,lmasutiliblwav, loclmasCurvecolwav,lmasutilicolwav, locwavCurve, locwavutili, + locwavCurvejz, locwavutilijz, loclevwavCurve, loclevwavutili, locconwavCurve, locconwavutili, loccompwavCurve, loccompwavutili, @@ -1154,10 +1223,10 @@ void Crop::update(int todo) locwavCurveden, locwavdenutili, locedgwavCurve, locedgwavutili, loclmasCurve_wav,lmasutili_wav, - LHutili, HHutili, CHutili, cclocalcurve2, localcutili, rgblocalcurve2, localrgbutili, localexutili, exlocalcurve2, hltonecurveloc2, shtonecurveloc2, tonecurveloc2, lightCurveloc2, - huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + LHutili, HHutili, CHutili, HHutilijz, CHutilijz, LHutilijz, cclocalcurve2, localcutili, rgblocalcurve2, localrgbutili, localexutili, exlocalcurve2, hltonecurveloc2, shtonecurveloc2, tonecurveloc2, lightCurveloc2, + huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, minCD, maxCD, mini, maxi, Tmean, Tsigma, Tmin, Tmax, - meantme, stdtme, meanretie, stdretie); + meantme, stdtme, meanretie, stdretie, fab); } if (sp + 1u < params.locallab.spots.size()) { // do not copy for last spot as it is not needed anymore @@ -1168,6 +1237,13 @@ void Crop::update(int todo) Glib::usleep(settings->cropsleep); //wait to avoid crash when crop 100% and move window } } + /* + delete [] huerefp; + delete [] chromarefp; + delete [] lumarefp; + delete [] fabrefp; + */ + parent->ipf.lab2rgb(*labnCrop, *baseCrop, params.icm.workingProfile); } @@ -1548,8 +1624,9 @@ void Crop::update(int todo) adap = 2000.; } else { double E_V = fcomp + log2(double ((fnum * fnum) / fspeed / (fiso / 100.f))); - E_V += params.toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV - E_V += log2(params.raw.expos); // exposure raw white point ; log2 ==> linear to EV + double kexp = 0.; + E_V += kexp * params.toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV + E_V += 0.5 * log2(params.raw.expos); // exposure raw white point ; log2 ==> linear to EV adap = pow(2., E_V - 3.); // cd / m2 // end calculation adaptation scene luminosity } diff --git a/rtengine/improccoordinator.cc b/rtengine/improccoordinator.cc index c9cce7c20..33cce1842 100644 --- a/rtengine/improccoordinator.cc +++ b/rtengine/improccoordinator.cc @@ -216,6 +216,12 @@ ImProcCoordinator::ImProcCoordinator() : lmasklclocalcurve(65536, LUT_CLIP_OFF), lmaskloglocalcurve(65536, LUT_CLIP_OFF), lmasklocal_curve(65536, LUT_CLIP_OFF), + lmaskcielocalcurve(65536, LUT_CLIP_OFF), + cielocalcurve(65536, LUT_CLIP_OFF), + cielocalcurve2(65536, LUT_CLIP_OFF), + jzlocalcurve(65536, LUT_CLIP_OFF), + czlocalcurve(65536, LUT_CLIP_OFF), + czjzlocalcurve(65536, LUT_CLIP_OFF), lastspotdup(false), previewDeltaE(false), locallColorMask(0), @@ -234,6 +240,7 @@ ImProcCoordinator::ImProcCoordinator() : locallsharMask(0), localllogMask(0), locall_Mask(0), + locallcieMask(0), retistrsav(nullptr) { } @@ -785,6 +792,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) // Encoding log with locallab if (params->locallab.enabled && !params->locallab.spots.empty()) { const int sizespot = (int)params->locallab.spots.size(); + const LocallabParams::LocallabSpot defSpot; float *sourceg = nullptr; sourceg = new float[sizespot]; @@ -794,6 +802,8 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) targetg = new float[sizespot]; bool *log = nullptr; log = new bool[sizespot]; + bool *cie = nullptr; + cie = new bool[sizespot]; bool *autocomput = nullptr; autocomput = new bool[sizespot]; float *blackev = nullptr; @@ -802,7 +812,10 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) whiteev = new float[sizespot]; bool *Autogr = nullptr; Autogr = new bool[sizespot]; - + bool *autocie = nullptr; + autocie = new bool[sizespot]; + + float *locx = nullptr; locx = new float[sizespot]; float *locy = nullptr; @@ -818,7 +831,9 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) for (int sp = 0; sp < sizespot; sp++) { log[sp] = params->locallab.spots.at(sp).explog; + cie[sp] = params->locallab.spots.at(sp).expcie; autocomput[sp] = params->locallab.spots.at(sp).autocompute; + autocie[sp] = params->locallab.spots.at(sp).Autograycie; blackev[sp] = params->locallab.spots.at(sp).blackEv; whiteev[sp] = params->locallab.spots.at(sp).whiteEv; sourceg[sp] = params->locallab.spots.at(sp).sourceGray; @@ -832,9 +847,10 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) centx[sp] = params->locallab.spots.at(sp).centerX / 2000.0 + 0.5; centy[sp] = params->locallab.spots.at(sp).centerY / 2000.0 + 0.5; - const bool fullim = params->locallab.spots.at(sp).fullimage; + const bool fullimstd = params->locallab.spots.at(sp).fullimage;//for log encoding standard + const bool fullimjz = true;//always force fullimage in log encoding Jz - always possible to put a checkbox if need - if (log[sp] && autocomput[sp]) { + if ((log[sp] && autocomput[sp]) || (cie[sp] && autocie[sp])) { constexpr int SCALE = 10; int fw, fh, tr = TR_NONE; imgsrc->getFullSize(fw, fh, tr); @@ -845,7 +861,14 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) float xsta = std::max(static_cast(centx[sp] - locxL[sp]), 0.f); float xend = std::min(static_cast(centx[sp] + locx[sp]), 1.f); - if (fullim) { + if (fullimstd && (log[sp] && autocomput[sp])) { + ysta = 0.f; + yend = 1.f; + xsta = 0.f; + xend = 1.f; + } + + if (fullimjz && (cie[sp] && autocie[sp])) { ysta = 0.f; yend = 1.f; xsta = 0.f; @@ -853,14 +876,18 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) } ipf.getAutoLogloc(sp, imgsrc, sourceg, blackev, whiteev, Autogr, sourceab, fw, fh, xsta, xend, ysta, yend, SCALE); - //printf("sg=%f sab=%f\n", sourceg[sp], sourceab[sp]); + // printf("sp=%i sg=%f sab=%f\n", sp, sourceg[sp], sourceab[sp]); params->locallab.spots.at(sp).blackEv = blackev[sp]; params->locallab.spots.at(sp).whiteEv = whiteev[sp]; + params->locallab.spots.at(sp).blackEvjz = blackev[sp]; + params->locallab.spots.at(sp).whiteEvjz = whiteev[sp]; params->locallab.spots.at(sp).sourceGray = sourceg[sp]; params->locallab.spots.at(sp).sourceabs = sourceab[sp]; - + params->locallab.spots.at(sp).sourceGraycie = sourceg[sp]; + params->locallab.spots.at(sp).sourceabscie = sourceab[sp]; + float jz1 = defSpot.jz100; if (locallListener) { - locallListener->logencodChanged(blackev[sp], whiteev[sp], sourceg[sp], sourceab[sp], targetg[sp]); + locallListener->logencodChanged(blackev[sp], whiteev[sp], sourceg[sp], sourceab[sp], targetg[sp], autocomput[sp], autocie[sp], jz1); } } } @@ -872,12 +899,14 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) delete [] centx; delete [] centy; + delete [] autocie; delete [] Autogr; delete [] whiteev; delete [] blackev; delete [] targetg; delete [] sourceab; delete [] sourceg; + delete [] cie; delete [] log; delete [] autocomput; } @@ -923,7 +952,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) int sca = 1; double huere, chromare, lumare, huerefblu, chromarefblu, lumarefblu, sobelre; float avge, meantme, stdtme, meanretie, stdretie; - std::vector locallref; + //std::vector locallref; std::vector locallretiminmax; huerefs.resize(params->locallab.spots.size()); huerefblurs.resize(params->locallab.spots.size()); @@ -937,6 +966,16 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) stdtms.resize(params->locallab.spots.size()); meanretis.resize(params->locallab.spots.size()); stdretis.resize(params->locallab.spots.size()); + const int sizespot = (int)params->locallab.spots.size(); + + float *huerefp = nullptr; + huerefp = new float[sizespot]; + float *chromarefp = nullptr; + chromarefp = new float[sizespot]; + float *lumarefp = nullptr; + lumarefp = new float[sizespot]; + float *fabrefp = nullptr; + fabrefp = new float[sizespot]; for (int sp = 0; sp < (int)params->locallab.spots.size(); sp++) { @@ -953,6 +992,9 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) const bool LHutili = loclhCurve.Set(params->locallab.spots.at(sp).LHcurve); const bool HHutili = lochhCurve.Set(params->locallab.spots.at(sp).HHcurve); const bool CHutili = locchCurve.Set(params->locallab.spots.at(sp).CHcurve); + const bool HHutilijz = lochhCurvejz.Set(params->locallab.spots.at(sp).HHcurvejz); + const bool CHutilijz = locchCurvejz.Set(params->locallab.spots.at(sp).CHcurvejz); + const bool LHutilijz = loclhCurvejz.Set(params->locallab.spots.at(sp).LHcurvejz); const bool lcmasutili = locccmasCurve.Set(params->locallab.spots.at(sp).CCmaskcurve); const bool llmasutili = locllmasCurve.Set(params->locallab.spots.at(sp).LLmaskcurve); const bool lhmasutili = lochhmasCurve.Set(params->locallab.spots.at(sp).HHmaskcurve); @@ -984,6 +1026,9 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) const bool llmaslogutili = locllmaslogCurve.Set(params->locallab.spots.at(sp).LLmaskcurveL); const bool lcmaslogutili = locccmaslogCurve.Set(params->locallab.spots.at(sp).CCmaskcurveL); const bool lhmaslogutili = lochhmaslogCurve.Set(params->locallab.spots.at(sp).HHmaskcurveL); + const bool llmascieutili = locllmascieCurve.Set(params->locallab.spots.at(sp).LLmaskciecurve); + const bool lcmascieutili = locccmascieCurve.Set(params->locallab.spots.at(sp).CCmaskciecurve); + const bool lhmascieutili = lochhmascieCurve.Set(params->locallab.spots.at(sp).HHmaskciecurve); const bool lcmas_utili = locccmas_Curve.Set(params->locallab.spots.at(sp).CCmask_curve); const bool llmas_utili = locllmas_Curve.Set(params->locallab.spots.at(sp).LLmask_curve); @@ -992,6 +1037,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) const bool lmasutiliblwav = loclmasCurveblwav.Set(params->locallab.spots.at(sp).LLmaskblcurvewav); const bool lmasutilicolwav = loclmasCurvecolwav.Set(params->locallab.spots.at(sp).LLmaskcolcurvewav); const bool locwavutili = locwavCurve.Set(params->locallab.spots.at(sp).locwavcurve); + const bool locwavutilijz = locwavCurvejz.Set(params->locallab.spots.at(sp).locwavcurvejz); const bool loclevwavutili = loclevwavCurve.Set(params->locallab.spots.at(sp).loclevwavcurve); const bool locconwavutili = locconwavCurve.Set(params->locallab.spots.at(sp).locconwavcurve); const bool loccompwavutili = loccompwavCurve.Set(params->locallab.spots.at(sp).loccompwavcurve); @@ -1017,6 +1063,12 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) const bool localmasklcutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).Lmasklccurve, lmasklclocalcurve, sca); const bool localmasklogutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).LmaskcurveL, lmaskloglocalcurve, sca); const bool localmask_utili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).Lmask_curve, lmasklocal_curve, sca); + const bool localmaskcieutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).Lmaskciecurve, lmaskcielocalcurve, sca); + const bool localcieutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).ciecurve, cielocalcurve, sca); + const bool localcieutili2 = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).ciecurve2, cielocalcurve2, sca); + const bool localjzutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).jzcurve, jzlocalcurve, sca); + const bool localczutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).czcurve, czlocalcurve, sca); + const bool localczjzutili = CurveFactory::diagonalCurve2Lut(params->locallab.spots.at(sp).czjzcurve, czjzlocalcurve, sca); double ecomp = params->locallab.spots.at(sp).expcomp; double black = params->locallab.spots.at(sp).black; double hlcompr = params->locallab.spots.at(sp).hlcompr; @@ -1040,7 +1092,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) stdtme = 0.f; meanretie = 0.f; stdretie = 0.f; - + float fab = 1.f; bool istm = params->locallab.spots.at(sp).equiltm && params->locallab.spots.at(sp).exptonemap; bool isreti = params->locallab.spots.at(sp).equilret && params->locallab.spots.at(sp).expreti; //preparation for mean and sigma on current RT-spot @@ -1093,17 +1145,24 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) float stdtm = stdtms[sp] = stdtme; float meanreti = meanretis[sp] = meanretie; float stdreti = stdretis[sp] = stdretie; + + huerefp[sp] = huer; + chromarefp[sp] = chromar; + lumarefp[sp] = lumar; CurveFactory::complexCurvelocal(ecomp, black / 65535., hlcompr, hlcomprthresh, shcompr, br, cont, lumar, hltonecurveloc, shtonecurveloc, tonecurveloc, lightCurveloc, avg, sca); // Save Locallab mask curve references for current spot + /* LocallabListener::locallabRef spotref; spotref.huer = huer; spotref.lumar = lumar; spotref.chromar = chromar; + spotref.fab = 1.f; locallref.push_back(spotref); + */ // Locallab tools computation /* Notes: * - shbuffer is used as nullptr @@ -1125,6 +1184,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) cllocalcurve, localclutili, lclocalcurve, locallcutili, loclhCurve, lochhCurve, locchCurve, + lochhCurvejz, locchCurvejz, loclhCurvejz, lmasklocalcurve, localmaskutili, lmaskexplocalcurve, localmaskexputili, lmaskSHlocalcurve, localmaskSHutili, @@ -1136,6 +1196,12 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) lmasklclocalcurve, localmasklcutili, lmaskloglocalcurve, localmasklogutili, lmasklocal_curve, localmask_utili, + lmaskcielocalcurve, localmaskcieutili, + cielocalcurve, localcieutili, + cielocalcurve2, localcieutili2, + jzlocalcurve, localjzutili, + czlocalcurve, localczutili, + czjzlocalcurve, localczjzutili, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili, lochhhmasCurve, lhhmasutili, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, @@ -1148,10 +1214,13 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) locccmaslogCurve, lcmaslogutili, locllmaslogCurve, llmaslogutili, lochhmaslogCurve, lhmaslogutili, locccmas_Curve, lcmas_utili, locllmas_Curve, llmas_utili, lochhmas_Curve, lhmas_utili, + locccmascieCurve, lcmascieutili, locllmascieCurve, llmascieutili, lochhmascieCurve, lhmascieutili, + lochhhmas_Curve, lhhmas_utili, loclmasCurveblwav, lmasutiliblwav, loclmasCurvecolwav, lmasutilicolwav, locwavCurve, locwavutili, + locwavCurvejz, locwavutilijz, loclevwavCurve, loclevwavutili, locconwavCurve, locconwavutili, loccompwavCurve, loccompwavutili, @@ -1160,13 +1229,13 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) locwavCurveden, locwavdenutili, locedgwavCurve, locedgwavutili, loclmasCurve_wav, lmasutili_wav, - LHutili, HHutili, CHutili, cclocalcurve, localcutili, rgblocalcurve, localrgbutili, localexutili, exlocalcurve, hltonecurveloc, shtonecurveloc, tonecurveloc, lightCurveloc, - huerblu, chromarblu, lumarblu, huer, chromar, lumar, sobeler, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + LHutili, HHutili, CHutili, HHutilijz, CHutilijz, LHutilijz, cclocalcurve, localcutili, rgblocalcurve, localrgbutili, localexutili, exlocalcurve, hltonecurveloc, shtonecurveloc, tonecurveloc, lightCurveloc, + huerblu, chromarblu, lumarblu, huer, chromar, lumar, sobeler, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, minCD, maxCD, mini, maxi, Tmean, Tsigma, Tmin, Tmax, - meantm, stdtm, meanreti, stdreti); + meantm, stdtm, meanreti, stdreti, fab); - + fabrefp[sp] = fab; if (istm) { //calculate mean and sigma on full image for use by normalize_mean_dt float meanf = 0.f; float stdf = 0.f; @@ -1212,17 +1281,44 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) } // Update Locallab reference values according to recurs parameter if (params->locallab.spots.at(sp).recurs) { + /* + spotref.huer = huer; + spotref.lumar = lumar; + spotref.chromar = chromar; + spotref.fab = fab; locallref.at(sp).chromar = chromar; locallref.at(sp).lumar = lumar; locallref.at(sp).huer = huer; + locallref.at(sp).fab = fab; + */ + huerefp[sp] = huer; + chromarefp[sp] = chromar; + lumarefp[sp] = lumar; + fabrefp[sp] = fab; + } + // spotref.fab = fab; + // locallref.at(sp).fab = fab; + + // locallref.push_back(spotref); + if (locallListener) { + // locallListener->refChanged(locallref, params->locallab.selspot); + locallListener->refChanged2(huerefp, chromarefp, lumarefp, fabrefp, params->locallab.selspot); + locallListener->minmaxChanged(locallretiminmax, params->locallab.selspot); } + } + delete [] huerefp; + delete [] chromarefp; + delete [] lumarefp; + delete [] fabrefp; // Transmit Locallab reference values and Locallab Retinex min/max to LocallabListener + /* if (locallListener) { locallListener->refChanged(locallref, params->locallab.selspot); locallListener->minmaxChanged(locallretiminmax, params->locallab.selspot); } + */ ipf.lab2rgb(*nprevl, *oprevi, params->icm.workingProfile); //************************************************************* // end locallab @@ -1802,8 +1898,9 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) adap = 2000.; } else { double E_V = fcomp + log2(double ((fnum * fnum) / fspeed / (fiso / 100.f))); - E_V += params->toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV - E_V += log2(params->raw.expos); // exposure raw white point ; log2 ==> linear to EV + double kexp = 0.; + E_V += kexp * params->toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV + E_V += 0.5 * log2(params->raw.expos); // exposure raw white point ; log2 ==> linear to EV adap = pow(2.0, E_V - 3.0); // cd / m2 // end calculation adaptation scene luminosity } diff --git a/rtengine/improccoordinator.h b/rtengine/improccoordinator.h index 8e4586c6d..85f28004a 100644 --- a/rtengine/improccoordinator.h +++ b/rtengine/improccoordinator.h @@ -284,6 +284,12 @@ protected: LUTf lmasklclocalcurve; LUTf lmaskloglocalcurve; LUTf lmasklocal_curve; + LUTf lmaskcielocalcurve; + LUTf cielocalcurve; + LUTf cielocalcurve2; + LUTf jzlocalcurve; + LUTf czlocalcurve; + LUTf czjzlocalcurve; LocretigainCurve locRETgainCurve; LocretitransCurve locRETtransCurve; @@ -291,6 +297,9 @@ protected: LocLHCurve loclhCurve; LocHHCurve lochhCurve; LocCHCurve locchCurve; + LocHHCurve lochhCurvejz; + LocCHCurve locchCurvejz; + LocLHCurve loclhCurvejz; LocCCmaskCurve locccmasCurve; LocLLmaskCurve locllmasCurve; LocHHmaskCurve lochhmasCurve; @@ -326,6 +335,9 @@ protected: LocCCmaskCurve locccmaslogCurve; LocLLmaskCurve locllmaslogCurve; LocHHmaskCurve lochhmaslogCurve; + LocCCmaskCurve locccmascieCurve; + LocLLmaskCurve locllmascieCurve; + LocHHmaskCurve lochhmascieCurve; LocwavCurve locwavCurve; LocwavCurve loclmasCurveblwav; @@ -338,6 +350,7 @@ protected: LocwavCurve locedgwavCurve; LocwavCurve loclmasCurve_wav; LocwavCurve locwavCurvehue; + LocwavCurve locwavCurvejz; std::vector huerefs; std::vector huerefblurs; @@ -369,6 +382,7 @@ protected: int locallsharMask; int localllogMask; int locall_Mask; + int locallcieMask; public: @@ -440,7 +454,7 @@ public: updaterThreadStart.unlock(); } - void setLocallabMaskVisibility(bool previewDeltaE, int locallColorMask, int locallColorMaskinv, int locallExpMask, int locallExpMaskinv, int locallSHMask, int locallSHMaskinv, int locallvibMask, int locallsoftMask, int locallblMask, int localltmMask, int locallretiMask, int locallsharMask, int localllcMask, int locallcbMask, int localllogMask, int locall_Mask) override + void setLocallabMaskVisibility(bool previewDeltaE, int locallColorMask, int locallColorMaskinv, int locallExpMask, int locallExpMaskinv, int locallSHMask, int locallSHMaskinv, int locallvibMask, int locallsoftMask, int locallblMask, int localltmMask, int locallretiMask, int locallsharMask, int localllcMask, int locallcbMask, int localllogMask, int locall_Mask, int locallcieMask) override { this->previewDeltaE = previewDeltaE; this->locallColorMask = locallColorMask; @@ -459,6 +473,7 @@ public: this->locallcbMask = locallcbMask; this->localllogMask = localllogMask; this->locall_Mask = locall_Mask; + this->locallcieMask = locallcieMask; } void setProgressListener (ProgressListener* pl) override diff --git a/rtengine/improcfun.cc b/rtengine/improcfun.cc index b92c5d0d3..15ebcc2e6 100644 --- a/rtengine/improcfun.cc +++ b/rtengine/improcfun.cc @@ -960,14 +960,14 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb c16 = 1; }else if (params->colorappearance.modelmethod == "16") { c16 = 16; - } - - Ciecam02::initcam1float (yb, pilot, f, la, xw, yw, zw, n, d, nbb, ncb, cz, aw, wh, pfl, fl, c, c16); + } //I don't use PQ here...hence no 21 + float plum = 100.f; + Ciecam02::initcam1float (yb, pilot, f, la, xw, yw, zw, n, d, nbb, ncb, cz, aw, wh, pfl, fl, c, c16, plum); //printf ("wh=%f \n", wh); const float pow1 = pow_F(1.64f - pow_F(0.29f, n), 0.73f); float nj, nbbj, ncbj, czj, awj, flj; - Ciecam02::initcam2float (yb2, pilotout, f2, la2, xw2, yw2, zw2, nj, dj, nbbj, ncbj, czj, awj, flj, c16); + Ciecam02::initcam2float (yb2, pilotout, f2, la2, xw2, yw2, zw2, nj, dj, nbbj, ncbj, czj, awj, flj, c16, plum); #ifdef __SSE2__ const float reccmcz = 1.f / (c2 * czj); #endif @@ -1054,11 +1054,13 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb x = x / c655d35; y = y / c655d35; z = z / c655d35; + float plum = 100.f; + vfloat plumv = F2V(plum); Ciecam02::xyz2jchqms_ciecam02float(J, C, h, Q, M, s, F2V(aw), F2V(fl), F2V(wh), x, y, z, F2V(xw1), F2V(yw1), F2V(zw1), - F2V(c), F2V(nc), F2V(pow1), F2V(nbb), F2V(ncb), F2V(pfl), F2V(cz), F2V(d), c16); + F2V(c), F2V(nc), F2V(pow1), F2V(nbb), F2V(ncb), F2V(pfl), F2V(cz), F2V(d), c16, plumv); STVF(Jbuffer[k], J); STVF(Cbuffer[k], C); STVF(hbuffer[k], h); @@ -1082,7 +1084,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Q, M, s, aw, fl, wh, x, y, z, xw1, yw1, zw1, - c, nc, pow1, nbb, ncb, pfl, cz, d, c16); + c, nc, pow1, nbb, ncb, pfl, cz, d, c16, plum); Jbuffer[k] = J; Cbuffer[k] = C; hbuffer[k] = h; @@ -1120,7 +1122,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Q, M, s, aw, fl, wh, x, y, z, xw1, yw1, zw1, - c, nc, pow1, nbb, ncb, pfl, cz, d, c16); + c, nc, pow1, nbb, ncb, pfl, cz, d, c16, plum); #endif float Jpro, Cpro, hpro, Qpro, Mpro, spro; Jpro = J; @@ -1458,7 +1460,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Ciecam02::jch2xyz_ciecam02float(xx, yy, zz, J, C, h, xw2, yw2, zw2, - c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16); + c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16, plum); float x, y, z; x = xx * 655.35f; y = yy * 655.35f; @@ -1510,7 +1512,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Ciecam02::jch2xyz_ciecam02float(x, y, z, LVF(Jbuffer[k]), LVF(Cbuffer[k]), LVF(hbuffer[k]), F2V(xw2), F2V(yw2), F2V(zw2), - F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16); + F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16, F2V(plum)); STVF(xbuffer[k], x * c655d35); STVF(ybuffer[k], y * c655d35); STVF(zbuffer[k], z * c655d35); @@ -1767,7 +1769,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Ciecam02::jch2xyz_ciecam02float(xx, yy, zz, ncie->J_p[i][j], ncie_C_p, ncie->h_p[i][j], xw2, yw2, zw2, - c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16); + c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16, plum); float x = (float)xx * 655.35f; float y = (float)yy * 655.35f; float z = (float)zz * 655.35f; @@ -1815,7 +1817,7 @@ void ImProcFunctions::ciecam_02float(CieImage* ncie, float adap, int pW, int pwb Ciecam02::jch2xyz_ciecam02float(x, y, z, LVF(Jbuffer[k]), LVF(Cbuffer[k]), LVF(hbuffer[k]), F2V(xw2), F2V(yw2), F2V(zw2), - F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16); + F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16, F2V(plum)); x *= c655d35; y *= c655d35; z *= c655d35; diff --git a/rtengine/improcfun.h b/rtengine/improcfun.h index 2fec871da..1be1d0371 100644 --- a/rtengine/improcfun.h +++ b/rtengine/improcfun.h @@ -191,12 +191,14 @@ enum class BlurType { void moyeqt(Imagefloat* working, float &moyS, float &eqty); void luminanceCurve(LabImage* lold, LabImage* lnew, const LUTf &curve); - void ciecamloc_02float(int sp, LabImage* lab, int call); + void ciecamloc_02float(const struct local_params& lp, int sp, LabImage* lab, int bfw, int bfh, int call, int sk, const LUTf& cielocalcurve, bool localcieutili, const LUTf& cielocalcurve2, bool localcieutili2, const LUTf& jzlocalcurve, bool localjzutili, const LUTf& czlocalcurve, bool localczutili, const LUTf& czjzlocalcurve, bool localczjzutili, const LocCHCurve& locchCurvejz, const LocHHCurve& lochhCurve, const LocLHCurve& loclhCurve, bool HHcurvejz, bool CHcurvejz, bool LHcurvejz, const LocwavCurve& locwavCurvejz, bool locwavutilijz); void ciecam_02float(CieImage* ncie, float adap, int pW, int pwb, LabImage* lab, const procparams::ProcParams* params, const ColorAppearance & customColCurve1, const ColorAppearance & customColCurve, const ColorAppearance & customColCurve3, LUTu &histLCAM, LUTu &histCCAM, LUTf & CAMBrightCurveJ, LUTf & CAMBrightCurveQ, float &mean, int Iterates, int scale, bool execsharp, float &d, float &dj, float &yb, int rtt, bool showSharpMask = false); + void clarimerge(const struct local_params& lp, float &mL, float &mC, bool &exec, LabImage *tmpresid, int wavelet_level, int sk, int numThreads); + void chromiLuminanceCurve(PipetteBuffer *pipetteBuffer, int pW, LabImage* lold, LabImage* lnew, const LUTf& acurve, const LUTf& bcurve, const LUTf& satcurve, const LUTf& satclcurve, const LUTf& clcurve, LUTf &curve, bool utili, bool autili, bool butili, bool ccutili, bool cclutili, bool clcutili, LUTu &histCCurve, LUTu &histLurve); void vibrance(LabImage* lab, const procparams::VibranceParams &vibranceParams, bool highlight, const Glib::ustring &workingProfile); //Jacques' vibrance void softprocess(const LabImage* bufcolorig, array2D &buflight, /* float ** bufchro, float ** buf_a, float ** buf_b, */ float rad, int bfh, int bfw, double epsilmax, double epsilmin, float thres, int sk, bool multiThread); @@ -253,7 +255,7 @@ enum class BlurType { const LUTf& lmasklocalcurve, bool localmaskutili, const LocwavCurve & loclmasCurvecolwav, bool lmasutilicolwav, int level_bl, int level_hl, int level_br, int level_hr, int shortcu, bool delt, const float hueref, const float chromaref, const float lumaref, - float maxdE, float mindE, float maxdElim, float mindElim, float iterat, float limscope, int scope, bool fftt, float blu_ma, float cont_ma, int indic); + float maxdE, float mindE, float maxdElim, float mindElim, float iterat, float limscope, int scope, bool fftt, float blu_ma, float cont_ma, int indic, float &fab); void avoidcolshi(const struct local_params& lp, int sp, LabImage * original, LabImage *transformed, int cy, int cx, int sk); @@ -263,6 +265,7 @@ enum class BlurType { void laplacian(const array2D &src, array2D &dst, int bfw, int bfh, float threshold, float ceiling, float factor, bool multiThread); void detail_mask(const array2D &src, array2D &mask, int bfw, int bfh, float scaling, float threshold, float ceiling, float factor, BlurType blur_type, float blur, bool multithread); void NLMeans(float **img, int strength, int detail_thresh, int patch, int radius, float gam, int bfw, int bfh, float scale, bool multithread); + void loccont(int bfw, int bfh, LabImage* tmp1, float rad, float stren, int sk); void rex_poisson_dct(float * data, size_t nx, size_t ny, double m); void mean_dt(const float * data, size_t size, double& mean_p, double& dt_p); @@ -307,6 +310,7 @@ enum class BlurType { const LUTf& cllocalcurve, bool localclutili, const LUTf& lclocalcurve, bool locallcutili, const LocLHCurve& loclhCurve, const LocHHCurve& lochhCurve, const LocCHCurve& locchCurve, + const LocHHCurve& lochhCurvejz, const LocCHCurve& locchCurvejz, const LocLHCurve& loclhCurvejz, const LUTf& lmasklocalcurve, bool localmaskutili, const LUTf& lmaskexplocalcurve, bool localmaskexputili, const LUTf& lmaskSHlocalcurve, bool localmaskSHutili, @@ -318,6 +322,12 @@ enum class BlurType { const LUTf& lmasklclocalcurve, bool localmasklcutili, const LUTf& lmaskloglocalcurve, bool localmasklogutili, const LUTf& lmasklocal_curve, bool localmask_utili, + const LUTf& lmaskcielocalcurve, bool localmaskcieutili, + const LUTf& cielocalcurve, bool localcieutili, + const LUTf& cielocalcurve2, bool localcieutili2, + const LUTf& jzlocalcurve, bool localjzutili, + const LUTf& czlocalcurve, bool localczutili, + const LUTf& czjzlocalcurve, bool localczjzutili, const LocCCmaskCurve& locccmasCurve, bool lcmasutili, const LocLLmaskCurve& locllmasCurve, bool llmasutili, const LocHHmaskCurve& lochhmasCurve, bool lhmasutili, const LocHHmaskCurve& llochhhmasCurve, bool lhhmasutili, const LocCCmaskCurve& locccmasexpCurve, bool lcmasexputili, const LocLLmaskCurve& locllmasexpCurve, bool llmasexputili, const LocHHmaskCurve& lochhmasexpCurve, bool lhmasexputili, @@ -330,11 +340,14 @@ enum class BlurType { const LocCCmaskCurve& locccmaslcCurve, bool lcmaslcutili, const LocLLmaskCurve& locllmaslcCurve, bool llmaslcutili, const LocHHmaskCurve& lochhmaslcCurve, bool lhmaslcutili, const LocCCmaskCurve& locccmaslogCurve, bool lcmaslogutili, const LocLLmaskCurve& locllmaslogCurve, bool llmaslogutili, const LocHHmaskCurve& lochhmaslogCurve, bool lhmaslogutili, const LocCCmaskCurve& locccmas_Curve, bool lcmas_utili, const LocLLmaskCurve& locllmas_Curve, bool llmas_utili, const LocHHmaskCurve& lochhmas_Curve, bool lhmas_utili, + const LocCCmaskCurve& locccmascieCurve, bool lcmascieutili, const LocLLmaskCurve& locllmascieCurve, bool llmascieutili, const LocHHmaskCurve& lochhmascieCurve, bool lhmascieutili, + const LocHHmaskCurve& lochhhmas_Curve, bool lhhmas_utili, const LocwavCurve& loclmasCurveblwav, bool lmasutiliblwav, const LocwavCurve& loclmasCurvecolwav, bool lmasutilicolwav, const LocwavCurve& locwavCurve, bool locwavutili, + const LocwavCurve& locwavCurvejz, bool locwavutilijz, const LocwavCurve& loclevwavCurve, bool loclevwavutili, const LocwavCurve& locconwavCurve, bool locconwavutili, const LocwavCurve& loccompwavCurve, bool loccompwavutili, @@ -343,11 +356,11 @@ enum class BlurType { const LocwavCurve& locwavCurveden, bool locwavdenutili, const LocwavCurve& locedgwavCurve, bool locedgwavutili, const LocwavCurve& loclmasCurve_wav, bool lmasutili_wav, - bool LHutili, bool HHutili, bool CHutili, const LUTf& cclocalcurve, bool localcutili, const LUTf& rgblocalcurve, bool localrgbutili, bool localexutili, const LUTf& exlocalcurve, const LUTf& hltonecurveloc, const LUTf& shtonecurveloc, const LUTf& tonecurveloc, const LUTf& lightCurveloc, + bool LHutili, bool HHutili, bool CHutili, bool HHutilijz, bool CHutilijz, bool LHutilijz, const LUTf& cclocalcurve, bool localcutili, const LUTf& rgblocalcurve, bool localrgbutili, bool localexutili, const LUTf& exlocalcurve, const LUTf& hltonecurveloc, const LUTf& shtonecurveloc, const LUTf& tonecurveloc, const LUTf& lightCurveloc, double& huerefblur, double &chromarefblur, double& lumarefblur, double &hueref, double &chromaref, double &lumaref, double &sobelref, int &lastsav, - bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, + bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, int llcieMask, float &minCD, float &maxCD, float &mini, float &maxi, float &Tmean, float &Tsigma, float &Tmin, float &Tmax, - float& meantm, float& stdtm, float& meanreti, float& stdreti); + float& meantm, float& stdtm, float& meanreti, float& stdreti, float &fab); void addGaNoise(LabImage *lab, LabImage *dst, const float mean, const float variance, const int sk); void BlurNoise_Localold(int call, const struct local_params& lp, LabImage* original, LabImage* transformed, const LabImage* const tmp1, int cx, int cy); @@ -371,6 +384,8 @@ enum class BlurType { const LocwavCurve & loccomprewavCurve, bool loccomprewavutili, float radlevblur, int process, float chromablu, float thres, float sigmadc, float deltad); + void wavlc(wavelet_decomposition& wdspot, int level_bl, int level_hl, int maxlvl, int level_hr, int level_br, float ahigh, float bhigh, float alow, float blow, float sigmalc, float strength, const LocwavCurve & locwavCurve, int numThreads); + void wavcbd(wavelet_decomposition &wdspot, int level_bl, int maxlvl, const LocwavCurve& locconwavCurve, bool locconwavutili, float sigm, float offs, float chromalev, int sk); diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 11fa79f9f..429d6dbf7 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -37,6 +37,7 @@ #include "settings.h" #include "../rtgui/options.h" #include "utils.h" +#include "iccmatrices.h" #ifdef _OPENMP #include #endif @@ -52,6 +53,8 @@ #include "boxblur.h" #include "rescale.h" + + #pragma GCC diagnostic warning "-Wall" #pragma GCC diagnostic warning "-Wextra" #pragma GCC diagnostic warning "-Wdouble-promotion" @@ -69,6 +72,7 @@ constexpr float MINSCOPE = 0.025f; constexpr int TS = 64; // Tile size constexpr float epsilonw = 0.001f / (TS * TS); //tolerance constexpr int offset = 25; // shift between tiles +constexpr double czlim = rtengine::RT_SQRT1_2;// 0.70710678118654752440; constexpr float clipLoc(float x) { @@ -90,6 +94,22 @@ constexpr float clipChro(float x) return rtengine::LIM(x, 0.f, 140.f); } +constexpr double clipazbz(double x) +{ + return rtengine::LIM(x, -0.5, 0.5); +} + +constexpr double clipcz(double x) +{ + return rtengine::LIM(x, 0., czlim); +} + + +constexpr double clipjz05(double x) +{ + return rtengine::LIM(x, 0.0006, 1.0); +} + float softlig(float a, float b, float minc, float maxc) { // as Photoshop @@ -392,6 +412,7 @@ void SobelCannyLuma(float **sobelL, float **luma, int bfw, int bfh, float radius } } + float igammalog(float x, float p, float s, float g2, float g4) { return x <= g2 ? x / s : pow_F((x + g4) / (1.f + g4), p);//continuous @@ -407,7 +428,7 @@ vfloat igammalog(vfloat x, vfloat p, vfloat s, vfloat g2, vfloat g4) float gammalog(float x, float p, float s, float g3, float g4) { - return x <= g3 ? x * s : (1.f + g4) * xexpf(xlogf(x) / p) - g4;//continuous + return x <= g3 ? x * s : (1.f + g4) * xexpf(xlogf(x) / p) - g4;//used by Nlmeans } #ifdef __SSE2__ @@ -415,6 +436,7 @@ vfloat gammalog(vfloat x, vfloat p, vfloat s, vfloat g3, vfloat g4) { // return x <= g3 ? x * s : (1.f + g4) * xexpf(xlogf(x) / p) - g4;//continuous return vself(vmaskf_le(x, g3), x * s, (F2V(1.f) + g4) * xexpf(xlogf(x) / p) - g4);//improve by Ingo - used by Nlmeans + } #endif } @@ -534,6 +556,9 @@ struct local_params { float contcolmask; float blurSH; float ligh; + float gamc; + float gamlc; + float gamex; float lowA, lowB, highA, highB; float lowBmerg, highBmerg, lowAmerg, highAmerg; int shamo, shdamp, shiter, senssha, sensv; @@ -587,6 +612,7 @@ struct local_params { int showmaskblmet; int showmasklogmet; int showmask_met; + int showmaskciemet; bool fftbl; float laplacexp; float balanexp; @@ -653,6 +679,11 @@ struct local_params { float lowthrl; float higthrl; float decayl; + float recothrcie; + float lowthrcie; + float higthrcie; + float decaycie; + int noiselequal; float noisechrodetail; float bilat; @@ -661,6 +692,7 @@ struct local_params { int nlpat; int nlrad; float nlgam; + float noisegam; float noiselc; float noiselc4; float noiselc5; @@ -695,6 +727,7 @@ struct local_params { bool logena; bool islocal; bool maskena; + bool cieena; bool cut_past; float past; float satur; @@ -731,6 +764,7 @@ struct local_params { bool enablMask; bool enaLMask; bool ena_Mask; + bool enacieMask; int highlihs; int shadowhs; int radiushs; @@ -743,6 +777,7 @@ struct local_params { float whiteev; float detail; int sensilog; + int sensicie; int sensimas; bool Autogray; bool autocompute; @@ -760,6 +795,8 @@ struct local_params { float residshathr; float residhi; float residhithr; + float residgam; + float residslop; bool blwh; bool fftma; float blurma; @@ -769,10 +806,17 @@ struct local_params { float thrhigh; bool usemask; float lnoiselow; + float radmacie; + float blendmacie; + float chromacie; + float denoichmask; + float mLjz; + float mCjz; + float softrjz; }; -static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locallab, struct local_params& lp, bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, const LocwavCurve & locwavCurveden, bool locwavdenutili) +static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locallab, struct local_params& lp, bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, int llcieMask, const LocwavCurve & locwavCurveden, bool locwavdenutili) { int w = oW; int h = oH; @@ -871,22 +915,24 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.showmaskblmet = llblMask; lp.showmasklogmet = lllogMask; lp.showmask_met = ll_Mask; - - lp.enaColorMask = locallab.spots.at(sp).enaColorMask && llsoftMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaColorMaskinv = locallab.spots.at(sp).enaColorMask && llColorMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaExpMask = locallab.spots.at(sp).enaExpMask && llExpMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaExpMaskinv = locallab.spots.at(sp).enaExpMask && llExpMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaSHMask = locallab.spots.at(sp).enaSHMask && llSHMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enaSHMaskinv = locallab.spots.at(sp).enaSHMask && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enacbMask = locallab.spots.at(sp).enacbMask && llcbMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enaretiMask = locallab.spots.at(sp).enaretiMask && lllcMask == 0 && llsharMask == 0 && llsoftMask == 0 && llretiMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enatmMask = locallab.spots.at(sp).enatmMask && lltmMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && llblMask == 0 && llvibMask == 0&& lllogMask == 0 && ll_Mask == 0; - lp.enablMask = locallab.spots.at(sp).enablMask && llblMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enavibMask = locallab.spots.at(sp).enavibMask && llvibMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.enalcMask = locallab.spots.at(sp).enalcMask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 ; - lp.enasharMask = lllcMask == 0 && llcbMask == 0 && llsharMask == 0 && llsoftMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.ena_Mask = locallab.spots.at(sp).enamask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && lllogMask == 0 && llvibMask == 0; - lp.enaLMask = locallab.spots.at(sp).enaLMask && lllogMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && ll_Mask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.showmaskciemet = llcieMask; +//printf("CIEmask=%i\n", lp.showmaskciemet); + lp.enaColorMask = locallab.spots.at(sp).enaColorMask && llsoftMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaColorMaskinv = locallab.spots.at(sp).enaColorMask && llColorMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaExpMask = locallab.spots.at(sp).enaExpMask && llExpMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaExpMaskinv = locallab.spots.at(sp).enaExpMask && llExpMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaSHMask = locallab.spots.at(sp).enaSHMask && llSHMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enaSHMaskinv = locallab.spots.at(sp).enaSHMask && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enacbMask = locallab.spots.at(sp).enacbMask && llcbMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enaretiMask = locallab.spots.at(sp).enaretiMask && lllcMask == 0 && llsharMask == 0 && llsoftMask == 0 && llretiMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enatmMask = locallab.spots.at(sp).enatmMask && lltmMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && llblMask == 0 && llvibMask == 0&& lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enablMask = locallab.spots.at(sp).enablMask && llblMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enavibMask = locallab.spots.at(sp).enavibMask && llvibMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enalcMask = locallab.spots.at(sp).enalcMask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enasharMask = lllcMask == 0 && llcbMask == 0 && llsharMask == 0 && llsoftMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.ena_Mask = locallab.spots.at(sp).enamask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && lllogMask == 0 && llvibMask == 0 && llcieMask == 0; + lp.enaLMask = locallab.spots.at(sp).enaLMask && lllogMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enacieMask = locallab.spots.at(sp).enacieMask && llcieMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; lp.thrlow = locallab.spots.at(sp).levelthrlow; @@ -1180,6 +1226,11 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall float local_higthrs = (float)locallab.spots.at(sp).higthress; float local_decays = (float)locallab.spots.at(sp).decays; + float local_recothrcie = (float)locallab.spots.at(sp).recothrescie; + float local_lowthrcie = (float)locallab.spots.at(sp).lowthrescie; + float local_higthrcie = (float)locallab.spots.at(sp).higthrescie; + float local_decaycie = (float)locallab.spots.at(sp).decaycie; + float local_recothrl = (float)locallab.spots.at(sp).recothresl; float local_lowthrl = (float)locallab.spots.at(sp).lowthresl; float local_higthrl = (float)locallab.spots.at(sp).higthresl; @@ -1228,6 +1279,9 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall float labgridBHighlocmerg = locallab.spots.at(sp).labgridBHighmerg; float labgridALowlocmerg = locallab.spots.at(sp).labgridALowmerg; float labgridAHighlocmerg = locallab.spots.at(sp).labgridAHighmerg; + float local_gamlc = (float) locallab.spots.at(sp).gamlc; + float local_gamc = (float) locallab.spots.at(sp).gamc; + float local_gamex = (float) locallab.spots.at(sp).gamex; float blendmasklc = ((float) locallab.spots.at(sp).blendmasklc) / 100.f ; float radmasklc = ((float) locallab.spots.at(sp).radmasklc); @@ -1361,7 +1415,10 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.autocompute = locallab.spots.at(sp).autocompute; lp.baselog = (float) locallab.spots.at(sp).baselog; lp.sensimas = locallab.spots.at(sp).sensimask; - + lp.sensicie = locallab.spots.at(sp).sensicie; + float blendmaskcie = ((float) locallab.spots.at(sp).blendmaskcie) / 100.f ; + float radmaskcie = ((float) locallab.spots.at(sp).radmaskcie); + float chromaskcie = ((float) locallab.spots.at(sp).chromaskcie); lp.deltaem = locallab.spots.at(sp).deltae; lp.scalereti = scaleret; lp.cir = circr; @@ -1485,6 +1542,9 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.highBmerg = labgridBHighlocmerg; lp.lowAmerg = labgridALowlocmerg; lp.highAmerg = labgridAHighlocmerg; + lp.gamlc = local_gamlc; + lp.gamc = local_gamc; + lp.gamex = local_gamex; lp.senssf = local_sensisf; lp.strng = strlight; @@ -1553,6 +1613,12 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.lowthrs = local_lowthrs; lp.higthrs = local_higthrs; lp.decays = local_decays; + + lp.recothrcie = local_recothrcie; + lp.lowthrcie = local_lowthrcie; + lp.higthrcie = local_higthrcie; + lp.decaycie = local_decaycie; + lp.recothrv = local_recothrv; lp.lowthrv = local_lowthrv; lp.higthrv = local_higthrv; @@ -1596,6 +1662,7 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.nlpat = locallab.spots.at(sp).nlpat; lp.nlrad = locallab.spots.at(sp).nlrad; lp.nlgam = locallab.spots.at(sp).nlgam; + lp.noisegam = locallab.spots.at(sp).noisegam; lp.adjch = (float) locallab.spots.at(sp).adjblur; lp.strengt = streng; lp.gamm = gam; @@ -1608,6 +1675,11 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.fftma = locallab.spots.at(sp).fftmask; lp.contma = (float) locallab.spots.at(sp).contmask; + lp.blendmacie = blendmaskcie; + lp.radmacie = radmaskcie; + lp.chromacie = chromaskcie; + lp.denoichmask = locallab.spots.at(sp).denoichmask; + for (int y = 0; y < 6; y++) { lp.mulloc[y] = LIM(multi[y], 0.f, 4.f);//to prevent crash with old pp3 integer } @@ -1616,27 +1688,28 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.mullocsh[y] = multish[y]; } lp.activspot = locallab.spots.at(sp).activ; - + lp.detailsh = locallab.spots.at(sp).detailSH; lp.threshol = thresho; lp.chromacb = chromcbdl; lp.expvib = locallab.spots.at(sp).expvibrance && lp.activspot ; - lp.colorena = locallab.spots.at(sp).expcolor && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; // Color & Light tool is deactivated if Exposure mask is visible or SHMask - lp.blurena = locallab.spots.at(sp).expblur && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.tonemapena = locallab.spots.at(sp).exptonemap && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.retiena = locallab.spots.at(sp).expreti && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.lcena = locallab.spots.at(sp).expcontrast && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.cbdlena = locallab.spots.at(sp).expcbdl && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llretiMask == 0 && lllcMask == 0 && llsharMask == 0 && lllcMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.exposena = locallab.spots.at(sp).expexpose && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llSHMask == 0 && lllcMask == 0 && llsharMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; // Exposure tool is deactivated if Color & Light mask SHmask is visible - lp.hsena = locallab.spots.at(sp).expshadhigh && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible - lp.vibena = locallab.spots.at(sp).expvibrance && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible - lp.sharpena = locallab.spots.at(sp).expsharp && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.sfena = locallab.spots.at(sp).expsoft && lp.activspot && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; - lp.maskena = locallab.spots.at(sp).expmask && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && lllogMask == 0 && llSHMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible - lp.logena = locallab.spots.at(sp).explog && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.colorena = locallab.spots.at(sp).expcolor && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Color & Light tool is deactivated if Exposure mask is visible or SHMask + lp.blurena = locallab.spots.at(sp).expblur && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.tonemapena = locallab.spots.at(sp).exptonemap && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.retiena = locallab.spots.at(sp).expreti && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.lcena = locallab.spots.at(sp).expcontrast && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.cbdlena = locallab.spots.at(sp).expcbdl && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llretiMask == 0 && lllcMask == 0 && llsharMask == 0 && lllcMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.exposena = locallab.spots.at(sp).expexpose && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llSHMask == 0 && lllcMask == 0 && llsharMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Exposure tool is deactivated if Color & Light mask SHmask is visible + lp.hsena = locallab.spots.at(sp).expshadhigh && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible + lp.vibena = locallab.spots.at(sp).expvibrance && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.sharpena = locallab.spots.at(sp).expsharp && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.sfena = locallab.spots.at(sp).expsoft && lp.activspot && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.maskena = locallab.spots.at(sp).expmask && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && lllogMask == 0 && llSHMask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.logena = locallab.spots.at(sp).explog && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.cieena = locallab.spots.at(sp).expcie && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible - lp.islocal = (lp.expvib || lp.colorena || lp.blurena || lp.tonemapena || lp.retiena || lp.lcena || lp.cbdlena || lp.exposena || lp.hsena || lp.vibena || lp.sharpena || lp.sfena || lp.maskena || lp.logena); + lp.islocal = (lp.expvib || lp.colorena || lp.blurena || lp.tonemapena || lp.retiena || lp.lcena || lp.cbdlena || lp.exposena || lp.hsena || lp.vibena || lp.sharpena || lp.sfena || lp.maskena || lp.logena || lp.cieena); lp.sensv = local_sensiv; lp.past = chromaPastel; @@ -1669,6 +1742,8 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.residshathr = locallab.spots.at(sp).residshathr; lp.residhi = locallab.spots.at(sp).residhi; lp.residhithr = locallab.spots.at(sp).residhithr; + lp.residgam = locallab.spots.at(sp).residgam; + lp.residslop = locallab.spots.at(sp).residslop; lp.blwh = locallab.spots.at(sp).blwh; lp.senscolor = (int) locallab.spots.at(sp).colorscope; //replace scope color vibrance shadows @@ -1676,6 +1751,10 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.sensv = lp.senscolor; lp.senshs = lp.senscolor; + lp.mLjz = locallab.spots.at(sp).clarilresjz / 100.0; + lp.mCjz = locallab.spots.at(sp).claricresjz / 100.0; + lp.softrjz = locallab.spots.at(sp).clarisoftjz; + } static void calcTransitionrect(const float lox, const float loy, const float ach, const local_params& lp, int &zone, float &localFactor) @@ -1772,9 +1851,6 @@ static void calcTransition(const float lox, const float loy, const float ach, co } // Copyright 2018 Alberto Griggio -//J.Desmis 12 2019 - I will try to port a raw process in local adjustments -// I choose this one because, it is "new" -// Perhaps - probably no result, but perhaps ?? float find_gray(float source_gray, float target_gray) { @@ -1793,7 +1869,7 @@ float find_gray(float source_gray, float target_gray) const auto f = [ = ](float x) -> float { - return std::pow(x, source_gray) - 1 - target_gray * x + target_gray; + return std::pow(x, source_gray) - 1.f - target_gray * x + target_gray; }; // first find the interval we are interested in @@ -1853,6 +1929,43 @@ void ImProcFunctions::mean_sig (const float* const * const savenormL, float &mea stdf = std::sqrt(stdd); meanf = meand; } +// taken from darktable +inline float power_norm(float r, float g, float b) +{ + r = std::abs(r); + g = std::abs(g); + b = std::abs(b); + + float r2 = SQR(r); + float g2 = SQR(g); + float b2 = SQR(b); + float d = r2 + g2 + b2; + float n = r*r2 + g*g2 + b*b2; + + return n / std::max(d, 1e-12f); +} + +inline float ev2gray(float ev) +{ + return std::pow(2.f, -ev + std::log2(0.18f)); +} + + +inline float gray2ev(float gray) +{ + return std::log2(0.18f / gray); +} + + +inline float norm2(float r, float g, float b, TMatrix ws) +{ + return (power_norm(r, g, b) + Color::rgbLuminance(r, g, b, ws)) / 2.f; +} + +inline float norm(float r, float g, float b, TMatrix ws) +{ + return (Color::rgbLuminance(r, g, b, ws)); +} // basic log encoding taken from ACESutil.Lin_to_Log2, from @@ -1860,24 +1973,19 @@ void ImProcFunctions::mean_sig (const float* const * const savenormL, float &mea // (as seen on pixls.us) void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool multiThread, int bfw, int bfh) { - /* J.Desmis 12 2019 - small adaptations to local adjustments - replace log2 by log(lp.baselog) allows diferentiation between low and high lights - */ // BENCHFUN - const float gray = lp.sourcegray / 100.f; + const float gray = 0.01f * lp.sourcegray; const float shadows_range = lp.blackev; - float dynamic_range = lp.whiteev - lp.blackev; - if (dynamic_range < 0.5f) { - dynamic_range = 0.5f; - } + float dynamic_range = max(lp.whiteev - lp.blackev, 0.5f); const float noise = pow_F(2.f, -16.f); - // const float log2 = xlogf(lp.baselog); const float log2 = xlogf(2.f); - const float base = lp.targetgray > 1 && lp.targetgray < 100 && dynamic_range > 0 ? find_gray(std::abs(lp.blackev) / dynamic_range, lp.targetgray / 100.f) : 0.f; - const float linbase = rtengine::max(base, 0.f); + const float base = lp.targetgray > 1 && lp.targetgray < 100 && dynamic_range > 0 ? find_gray(std::abs(lp.blackev) / dynamic_range, 0.01f * lp.targetgray) : 0.f; + const float linbase = rtengine::max(base, 2.f);//2 to avoid bad behavior TMatrix ws = ICCStore::getInstance()->workingSpaceMatrix(params->icm.workingProfile); + if (settings->verbose) { + printf("Base Log encoding std=%5.1f\n", (double) linbase); + } const auto apply = [ = ](float x, bool scale = true) -> float { @@ -1904,35 +2012,6 @@ void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool } }; - const auto norm = - [&](float r, float g, float b) -> float { - return Color::rgbLuminance(r, g, b, ws); - - // other possible alternatives (so far, luminance seems to work - // fine though). See also - // https://discuss.pixls.us/t/finding-a-norm-to-preserve-ratios-across-non-linear-operations - // - // MAX - //return max(r, g, b); - // - // Euclidean - //return std::sqrt(SQR(r) + SQR(g) + SQR(b)); - - // weighted yellow power norm from https://youtu.be/Z0DS7cnAYPk - // float rr = 1.22f * r / 65535.f; - // float gg = 1.20f * g / 65535.f; - // float bb = 0.58f * b / 65535.f; - // float rr4 = SQR(rr) * SQR(rr); - // float gg4 = SQR(gg) * SQR(gg); - // float bb4 = SQR(bb) * SQR(bb); - // float den = (rr4 + gg4 + bb4); - // if (den > 0.f) { - // return 0.8374319f * ((rr4 * rr + gg4 * gg + bb4 * bb) / den) * 65535.f; - // } else { - // return 0.f; - // } - }; - const float detail = lp.detail; const int W = rgb->getWidth(), H = rgb->getHeight(); @@ -1945,7 +2024,7 @@ void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool float r = rgb->r(y, x); float g = rgb->g(y, x); float b = rgb->b(y, x); - float m = norm(r, g, b); + float m = norm2(r, g, b, ws); if (m > noise) { float mm = apply(m); @@ -1981,7 +2060,7 @@ void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool #endif for (int y = 0; y < H; ++y) { for (int x = 0; x < W; ++x) { - Y2[y][x] = norm(rgb->r(y, x), rgb->g(y, x), rgb->b(y, x)) / 65535.f; + Y2[y][x] = norm2(rgb->r(y, x), rgb->g(y, x), rgb->b(y, x), ws) / 65535.f; float l = xlogf(rtengine::max(Y2[y][x], 1e-9f)); float ll = round(l * base_posterization) / base_posterization; Y[y][x] = xexpf(ll); @@ -2005,7 +2084,7 @@ void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool float t = Y[y][x]; float t2; - if (t > noise && (t2 = norm(r, g, b)) > noise) { + if (t > noise && (t2 = norm2(r, g, b, ws)) > noise) { float c = apply(t, false); float f = c / t; // float t2 = norm(r, g, b); @@ -2026,25 +2105,24 @@ void ImProcFunctions::log_encode(Imagefloat *rgb, struct local_params & lp, bool } } } + } } -void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, float *blackev, float *whiteev, bool *Autogr, float *sourceab, int fw, int fh, float xsta, float xend, float ysta, float yend, int SCALE) +void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, float *blackev, float *whiteev, bool *Autogr, float *sourceab, int fw, int fh, float xsta, float xend, float ysta, float yend, int SCALE) { //BENCHFUN -//adpatation to local adjustments Jacques Desmis 12 2019 +//adpatation to local adjustments Jacques Desmis 12 2019 and 11 2021 (from ART) const PreviewProps pp(0, 0, fw, fh, SCALE); Imagefloat img(int(fw / SCALE + 0.5), int(fh / SCALE + 0.5)); const ProcParams neutral; + imgsrc->getImage(imgsrc->getWB(), TR_NONE, &img, pp, params->toneCurve, neutral.raw); imgsrc->convertColorSpace(&img, params->icm, imgsrc->getWB()); float minVal = RT_INFINITY; float maxVal = -RT_INFINITY; - float ec = 1.f; - if(params->toneCurve.autoexp) {//take into account exposure, only if autoexp, in other cases now it's after LA - ec = std::pow(2.f, params->toneCurve.expcomp); - } + TMatrix ws = ICCStore::getInstance()->workingSpaceMatrix(params->icm.workingProfile); constexpr float noise = 1e-5; const int h = fh / SCALE; @@ -2055,26 +2133,38 @@ void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, const int wsta = xsta * w; const int wend = xend * w; - + int www = int(fw / SCALE + 0.5); + int hhh = int(fh / SCALE + 0.5); + array2D YY(www, hhh); + double mean = 0.0; int nc = 0; for (int y = hsta; y < hend; ++y) { for (int x = wsta; x < wend; ++x) { const float r = img.r(y, x), g = img.g(y, x), b = img.b(y, x); - mean += static_cast(0.2126f * Color::gamma_srgb(r) + 0.7152f * Color::gamma_srgb(g) + 0.0722f * Color::gamma_srgb(b)); + YY[y][x] = norm2(r, g, b, ws) / 65535.f;//norm2 to find a best color luminance response in RGB + mean += static_cast((float) ws[1][0] * Color::gamma_srgb(r) + (float) ws[1][1] * Color::gamma_srgb(g) + (float) ws[1][2] * Color::gamma_srgb(b)); + //alternative to fing gray in case of above process does not works nc++; + } + } - const float m = rtengine::max(0.f, r, g, b) / 65535.f * ec; - if (m > noise) { - const float l = rtengine::min(r, g, b) / 65535.f * ec; - minVal = rtengine::min(minVal, l > noise ? l : m); - maxVal = rtengine::max(maxVal, m); + for (int y = hsta; y < hend; ++y) { + for (int x = wsta; x < wend; ++x) { + float l = YY[y][x]; + if (l > noise) { + minVal = min(minVal, l); + maxVal = max(maxVal, l); } } } - maxVal *= 1.2f; //or 1.5f;slightly increase max - //approximation sourcegray yb source = 0.4 * yb - + + maxVal *= 1.45f; //(or 1.5f...) slightly increase max to take into account illuminance incident light + minVal *= 0.55f; //(or 0.5f...) slightly decrease min to take into account illuminance incident light + //E = 2.5*2^EV => e=2.5 depends on the sensor type C=250 e=2.5 to C=330 e=3.3 + //repartition with 2.5 between 1.45 Light and shadows 0.58 => a little more 0.55... + // https://www.pixelsham.com/2020/12/26/exposure-value-measurements/ + // https://en.wikipedia.org/wiki/Light_meter if (maxVal > minVal) { const float log2 = std::log(2.f); const float dynamic_range = -xlogf(minVal / maxVal) / log2; @@ -2087,6 +2177,7 @@ void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, if (Autogr[sp]) { double tot = 0.0; int n = 0; + //0.05 0.25 arbitrary values around gray point 0.18 to find a good value as "gray" for "gain" const float gmax = rtengine::min(maxVal / 2.f, 0.25f); const float gmin = rtengine::max(minVal * std::pow(2.f, rtengine::max((dynamic_range - 1.f) / 2.f, 1.f)), 0.05f); @@ -2094,7 +2185,7 @@ void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, std::cout << " gray boundaries: " << gmin << ", " << gmax << std::endl; } - for (int y = ysta; y < yend; ++y) { + for (int y = hsta; y < hend; ++y) { for (int x = wsta; x < wend; ++x) { const float l = img.g(y, x) / 65535.f; @@ -2111,33 +2202,18 @@ void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, if (settings->verbose) { std::cout << " computed gray point from " << n << " samples: " << sourceg[sp] << std::endl; } - } else { + } else {//I change slightly this part of algo - more progressivity...best response in very low exposure images mean /= (nc * 65535.0); float yb; + yb = 1.5f + 100.f * pow_F(mean, 1.8f);//empirical formula for Jz and log encode for low exposure images - if (mean < 0.15) { - yb = 3.0f; - } else if (mean < 0.3) { - yb = 5.0f; - } else if (mean < 0.4) { - yb = 10.0f; - } else if (mean < 0.45) { - yb = 15.0f; - } else if (mean < 0.5) { - yb = 18.0f; - } else if (mean < 0.55) { - yb = 23.0f; - } else if (mean < 0.6) { - yb = 30.0f; - } else { - yb = 45.f; - } - sourceg[sp] = 0.4f * yb; + sourceg[sp] = yb; if (settings->verbose) { std::cout << " no samples found in range, resorting to Yb gray point value " << sourceg[sp] << std::endl; } } } + constexpr float MIN_WHITE = 2.f; constexpr float MAX_BLACK = -3.5f; @@ -2169,13 +2245,15 @@ void ImProcFunctions::getAutoLogloc(int sp, ImageSource *imgsrc, float *sourceg, adap = 2000.; } else { double E_V = fcomp + std::log2(double ((fnum * fnum) / fspeed / (fiso / 100.f))); - E_V += params->toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV - E_V += std::log2(params->raw.expos); // exposure raw white point ; log2 ==> linear to EV - adap = pow(2.0, E_V - 3.0); // cd / m2 + double kexp = 0.; + E_V += kexp * params->toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV + E_V += 0.5 * std::log2(params->raw.expos); // exposure raw white point ; log2 ==> linear to EV + adap = pow(2.0, E_V - 3.0); // cd / m2 ==> 3.0 = log2(8) =>fnum*fnum/speed = Luminance (average scene) * fiso / K (K is the reflected-light meter calibration constant according to the sensors about 12.5 or 14 // end calculation adaptation scene luminosity } sourceab[sp] = adap; + } } @@ -2405,15 +2483,158 @@ void tone_eq(array2D &R, array2D &G, array2D &B, const str } } - - -void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) +void ImProcFunctions::loccont(int bfw, int bfh, LabImage* tmp1, float rad, float stren, int sk) { - //BENCHFUN + if (rad > 0.f) { + array2D guide(bfw, bfh); + array2D LL(bfw, bfh); +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) +#endif + for (int y = 0; y < bfh ; y++) { + for (int x = 0; x < bfw; x++) { + LL[y][x] = tmp1->L[y][x]; + float ll = LL[y][x] / 32768.f; + guide[y][x] = xlin2log(rtengine::max(ll, 0.f), 10.f); + } + } + array2D iL(bfw, bfh, LL, 0); + float gu = stren * rad; + int r = rtengine::max(int(gu / sk), 1); + const double epsil = 0.001 * std::pow(2.f, -10); + float st = 0.01f * rad; + rtengine::guidedFilterLog(guide, 10.f, LL, r, epsil, false); + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) +#endif + for (int y = 0; y < bfh ; y++) { + for (int x = 0; x < bfw; x++) { + LL[y][x] = intp(st, LL[y][x] , iL[y][x]); + tmp1->L[y][x] = LL[y][x]; + } + } + } +} + +void sigmoidla (float &valj, float thresj, float lambda) +{ + //thres : shifts the action of sigmoid to darker tones or lights + //lambda : changes the "slope" of the sigmoid. Low values give a flat curve, high values a "rectangular / orthogonal" curve + valj = 1.f / (1.f + xexpf(lambda - (lambda / thresj) * valj)); +} + + +void gamutjz (double &Jz, double &az, double &bz, double pl, const double wip[3][3], const float higherCoef, const float lowerCoef) +{//Not used...bad results + constexpr float ClipLevel = 65535.0f; + bool inGamut; + // int nb = 0; + do { + inGamut = true; + double L_, M_, S_; + double xx, yy, zz; + bool zcam = false; + Ciecam02::jzczhzxyz (xx, yy, zz, Jz, az, bz, pl, L_, M_, S_, zcam); + double x, y, z; + x = 65535. * (d65_d50[0][0] * xx + d65_d50[0][1] * yy + d65_d50[0][2] * zz); + y = 65535. * (d65_d50[1][0] * xx + d65_d50[1][1] * yy + d65_d50[1][2] * zz); + z = 65535. * (d65_d50[2][0] * xx + d65_d50[2][1] * yy + d65_d50[2][2] * zz); + float R,G,B; + Color:: xyz2rgb(x, y, z, R, G, B, wip); + if (rtengine::min(R, G, B) < 0.f || rtengine::max(R, G, B) > ClipLevel) { + // nb++; + double hz = xatan2f(bz, az); + float2 sincosval = xsincosf(hz); + double Cz = sqrt(az * az + bz * bz); + // printf("cz=%f jz=%f" , (double) Cz, (double) Jz); + Cz *= (double) higherCoef; + if(Cz < 0.01 && Jz > 0.05) {//empirical values + Jz -= (double) lowerCoef; + } + az = clipazbz(Cz * (double) sincosval.y); + bz = clipazbz(Cz * (double) sincosval.x); + + inGamut = false; + } + } while (!inGamut); +} + +void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, LabImage* lab, int bfw, int bfh, int call, int sk, const LUTf& cielocalcurve, bool localcieutili, const LUTf& cielocalcurve2, bool localcieutili2, const LUTf& jzlocalcurve, bool localjzutili, const LUTf& czlocalcurve, bool localczutili, const LUTf& czjzlocalcurve, bool localczjzutili, const LocCHCurve& locchCurvejz, const LocHHCurve& lochhCurvejz, const LocLHCurve& loclhCurvejz, bool HHcurvejz, bool CHcurvejz, bool LHcurvejz, const LocwavCurve& locwavCurvejz, bool locwavutilijz +) +{ +// BENCHFUN +//possibility to reenable Zcam + if(!params->locallab.spots.at(sp).activ) {//disable all ciecam functions + return; + } bool ciec = false; + bool iscie = false; if (params->locallab.spots.at(sp).ciecam && params->locallab.spots.at(sp).explog && call == 1) { ciec = true; + iscie = false; } + else if (params->locallab.spots.at(sp).expcie && call == 0) { + ciec = true; + iscie = true; + } + bool z_cam = false; //params->locallab.spots.at(sp).jabcie; //alaways use normal algorithm, Zcam giev often bad results + bool jabcie = false;//always disabled + bool islogjz = params->locallab.spots.at(sp).forcebw; + bool issigjz = params->locallab.spots.at(sp).sigjz; + + //sigmoid J Q variables + const float sigmoidlambda = params->locallab.spots.at(sp).sigmoidldacie; + const float sigmoidth = params->locallab.spots.at(sp).sigmoidthcie; + const float sigmoidbl = params->locallab.spots.at(sp).sigmoidblcie; + const bool sigmoidqj = params->locallab.spots.at(sp).sigmoidqjcie; + + TMatrix wiprof = ICCStore::getInstance()->workingSpaceInverseMatrix(params->icm.workingProfile); + const double wip[3][3] = {//improve precision with double + {wiprof[0][0], wiprof[0][1], wiprof[0][2]}, + {wiprof[1][0], wiprof[1][1], wiprof[1][2]}, + {wiprof[2][0], wiprof[2][1], wiprof[2][2]} + }; + float plum = (float) params->locallab.spots.at(sp).pqremapcam16; + + int mocam = 1; + if(params->locallab.spots.at(sp).modecam == "all") { + mocam = 10;//à remettre à 0 si modecam = "all" + } else if(params->locallab.spots.at(sp).modecam == "cam16") { + mocam = 1; + } else if(params->locallab.spots.at(sp).modecam == "jz") { + mocam = 2; +// } else if(params->locallab.spots.at(sp).modecam == "zcam") { +// mocam = 3; + } + + int mecamcurve = 0; + if(params->locallab.spots.at(sp).toneMethodcie == "one") { + mecamcurve = 0; + } else if(params->locallab.spots.at(sp).toneMethodcie == "two") { + mecamcurve = 1; + } + + int mecamcurve2 = 0; + if(params->locallab.spots.at(sp).toneMethodcie2 == "onec") { + mecamcurve2 = 0; + } else if(params->locallab.spots.at(sp).toneMethodcie2 == "twoc") { + mecamcurve2 = 1; + } else if(params->locallab.spots.at(sp).toneMethodcie2 == "thrc") { + mecamcurve2 = 2; + } + + float th = 1.f; + const float at = 1.f - sigmoidth; + const float bt = sigmoidth; + + const float ath = sigmoidth - 1.f; + const float bth = 1; + float sila = pow_F(sigmoidlambda, 0.25f); + const float sigm = 1.4f + 25.f *(1.f - sila);//with sigmoidlambda = 0 e^16 = 9000000 e^20=485000000 e^23.5 = 16000000000 e^26.4 = 291000000000 + const float bl = sigmoidbl; + //end sigmoid + int width = lab->W, height = lab->H; float Yw; Yw = 1.0f; @@ -2431,6 +2652,7 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) LUTf CAMBrightCurveJ(32768, LUT_CLIP_BELOW | LUT_CLIP_ABOVE); LUTf CAMBrightCurveQ(32768, LUT_CLIP_BELOW | LUT_CLIP_ABOVE); + #ifdef _OPENMP const int numThreads = min(max(width * height / 65536, 1), omp_get_max_threads()); #pragma omp parallel num_threads(numThreads) if(numThreads>1) @@ -2502,12 +2724,29 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) //evaluate lightness, contrast if (ciec) { - const float contL = 0.6 * params->locallab.spots.at(sp).contl; //0.6 less effect, no need 1. - const float lightL = 0.4 * params->locallab.spots.at(sp).lightl; //0.4 less effect, no need 1. - const float contQ = 0.5 * params->locallab.spots.at(sp).contq; //0.5 less effect, no need 1. - const float lightQ = 0.4 * params->locallab.spots.at(sp).lightq; //0.4 less effect, no need 1. + float contL = 0.f; + float lightL = 0.f; + float contQ = 0.f; + float lightQ = 0.f; + if(iscie) { + contL = 0.6 * params->locallab.spots.at(sp).contlcie; //0.6 less effect, no need 1. + lightL = 0.4 * params->locallab.spots.at(sp).lightlcie; //0.4 less effect, no need 1. + contQ = 0.5 * params->locallab.spots.at(sp).contqcie; //0.5 less effect, no need 1. + lightQ = 0.4 * params->locallab.spots.at(sp).lightqcie; //0.4 less effect, no need 1. + } else { + contL = 0.6 * params->locallab.spots.at(sp).contl; //0.6 less effect, no need 1. + lightL = 0.4 * params->locallab.spots.at(sp).lightl; //0.4 less effect, no need 1. + contQ = 0.5 * params->locallab.spots.at(sp).contq; //0.5 less effect, no need 1. + lightQ = 0.4 * params->locallab.spots.at(sp).lightq; //0.4 less effect, no need 1. + + } + float contthresL = 0.f; - float contthresL = params->locallab.spots.at(sp).contthres; + if(iscie) { + contthresL = params->locallab.spots.at(sp).contthrescie; + } else { + contthresL = params->locallab.spots.at(sp).contthres; + } float contthresQ = contthresL; if(contL < 0.f) { contthresL *= -1; @@ -2525,6 +2764,8 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) Ciecam02::curveJfloat(lightQ, contQ, thQ, hist16Q, CAMBrightCurveQ); //brightness Q and contrast Q } + + int tempo = 5000; if(params->locallab.spots.at(sp).expvibrance && call == 2) { if (params->locallab.spots.at(sp).warm > 0) { @@ -2534,11 +2775,20 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) } } + if(ciec) { - if (params->locallab.spots.at(sp).catad > 0) { - tempo = 5000 - 30 * params->locallab.spots.at(sp).catad; - } else if (params->locallab.spots.at(sp).catad < 0){ - tempo = 5000 - 70 * params->locallab.spots.at(sp).catad; + if(iscie) { + if (params->locallab.spots.at(sp).catadcie > 0) { + tempo = 5000 - 30 * params->locallab.spots.at(sp).catadcie; + } else if (params->locallab.spots.at(sp).catadcie < 0){ + tempo = 5000 - 70 * params->locallab.spots.at(sp).catadcie; + } + } else { + if (params->locallab.spots.at(sp).catad > 0) { + tempo = 5000 - 30 * params->locallab.spots.at(sp).catad; + } else if (params->locallab.spots.at(sp).catad < 0){ + tempo = 5000 - 70 * params->locallab.spots.at(sp).catad; + } } } @@ -2553,34 +2803,67 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) //viewing condition for surround f2 = 1.0f, c2 = 0.69f, nc2 = 1.0f; if(ciec) { + if(iscie) { //surround source with only 2 choices (because Log encoding before) - if (params->locallab.spots.at(sp).sursour == "Average") { - f = 1.0f, c = 0.69f, nc = 1.0f; - } else if (params->locallab.spots.at(sp).sursour == "Dim") { - f = 0.9f; - c = 0.59f; - nc = 0.9f; - } else if (params->locallab.spots.at(sp).sursour == "Dark") { - f = 0.8f; - c = 0.525f; - nc = 0.8f; + if (params->locallab.spots.at(sp).sursourcie == "Average") { + f = 1.0f, c = 0.69f, nc = 1.0f; + } else if (params->locallab.spots.at(sp).sursourcie == "Dim") { + f = 0.9f; + c = 0.59f; + nc = 0.9f; + } else if (params->locallab.spots.at(sp).sursourcie == "Dark") { + f = 0.8f; + c = 0.525f; + nc = 0.8f; + } + } else { + if (params->locallab.spots.at(sp).sursour == "Average") { + f = 1.0f, c = 0.69f, nc = 1.0f; + } else if (params->locallab.spots.at(sp).sursour == "Dim") { + f = 0.9f; + c = 0.59f; + nc = 0.9f; + } else if (params->locallab.spots.at(sp).sursour == "Dark") { + f = 0.8f; + c = 0.525f; + nc = 0.8f; + } } //viewing condition for surround - if (params->locallab.spots.at(sp).surround == "Average") { - f2 = 1.0f, c2 = 0.69f, nc2 = 1.0f; - } else if (params->locallab.spots.at(sp).surround == "Dim") { - f2 = 0.9f; - c2 = 0.59f; - nc2 = 0.9f; - } else if (params->locallab.spots.at(sp).surround == "Dark") { - f2 = 0.8f; - c2 = 0.525f; - nc2 = 0.8f; - } else if (params->locallab.spots.at(sp).surround == "ExtremelyDark") { - f2 = 0.8f; - c2 = 0.41f; - nc2 = 0.8f; + if(iscie) { + if (params->locallab.spots.at(sp).surroundcie == "Average") { + f2 = 1.0f, c2 = 0.69f, nc2 = 1.0f; + } else if (params->locallab.spots.at(sp).surroundcie == "Dim") { + f2 = 0.9f; + c2 = 0.59f; + nc2 = 0.9f; + } else if (params->locallab.spots.at(sp).surroundcie == "Dark") { + f2 = 0.8f; + c2 = 0.525f; + nc2 = 0.8f; + } else if (params->locallab.spots.at(sp).surroundcie == "ExtremelyDark") { + f2 = 0.8f; + c2 = 0.41f; + nc2 = 0.8f; + } + } else { + if (params->locallab.spots.at(sp).surround == "Average") { + f2 = 1.0f, c2 = 0.69f, nc2 = 1.0f; + } else if (params->locallab.spots.at(sp).surround == "Dim") { + f2 = 0.9f; + c2 = 0.59f; + nc2 = 0.9f; + } else if (params->locallab.spots.at(sp).surround == "Dark") { + f2 = 0.8f; + c2 = 0.525f; + nc2 = 0.8f; + } else if (params->locallab.spots.at(sp).surround == "ExtremelyDark") { + f2 = 0.8f; + c2 = 0.41f; + nc2 = 0.8f; + } + } } @@ -2597,51 +2880,115 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) la = 400.f; float la2 = 400.f; if(ciec) { - la = params->locallab.spots.at(sp).sourceabs; - - la2 = params->locallab.spots.at(sp).targabs; + if(iscie) { + la = params->locallab.spots.at(sp).sourceabscie; + la2 = params->locallab.spots.at(sp).targabscie; + } else { + la = params->locallab.spots.at(sp).sourceabs; + la2 = params->locallab.spots.at(sp).targabs; + } } const float pilot = 2.f; const float pilotout = 2.f; - + double avgm = 0.; //algoritm's params float yb = 18.f; yb2 = 18; if(ciec) { - yb = params->locallab.spots.at(sp).targetGray;//target because we are after Log encoding - - yb2 = params->locallab.spots.at(sp).targetGray; + if(iscie) { + yb = params->locallab.spots.at(sp).sourceGraycie;// + avgm = (double) pow_F(0.01f * (yb - 1.f), 0.45f);; + yb2 = params->locallab.spots.at(sp).targetGraycie; + } else { + yb = params->locallab.spots.at(sp).targetGray;//target because we are after Log encoding + yb2 = params->locallab.spots.at(sp).targetGray; + } + } + if(params->locallab.spots.at(sp).expcie && call == 10 && params->locallab.spots.at(sp).modecam == "jz") { + yb = params->locallab.spots.at(sp).sourceGraycie;//for Jz calculate Yb and surround in Lab and cam16 before process Jz + la = params->locallab.spots.at(sp).sourceabscie; + + if (params->locallab.spots.at(sp).sursourcie == "Average") { + f = 1.0f, c = 0.69f, nc = 1.0f; + } else if (params->locallab.spots.at(sp).sursourcie == "Dim") { + f = 0.9f; + c = 0.59f; + nc = 0.9f; + } else if (params->locallab.spots.at(sp).sursourcie == "Dark") { + f = 0.8f; + c = 0.525f; + nc = 0.8f; + } } float schr = 0.f; float mchr = 0.f; float cchr = 0.f; - + float rstprotection = 0.f; + float hue = 0.f; +/* + float mchrz = 0.f; + float schrz = 0.f; + float cchrz = 0.f; +*/ if (ciec) { - - cchr = params->locallab.spots.at(sp).chroml; - if (cchr == -100.0f) { - cchr = -99.8f; - } + if(iscie) { + rstprotection = params->locallab.spots.at(sp).rstprotectcie; + hue = params->locallab.spots.at(sp).huecie; - schr = params->locallab.spots.at(sp).saturl; + cchr = params->locallab.spots.at(sp).chromlcie; + if (cchr == -100.0f) { + cchr = -99.8f; + } - if (schr > 0.f) { - schr = schr / 2.f; //divide sensibility for saturation - } + schr = params->locallab.spots.at(sp).saturlcie; - if (schr == -100.f) { - schr = -99.8f; - } + if (schr > 0.f) { + schr = schr / 2.f; //divide sensibility for saturation + } - mchr = params->locallab.spots.at(sp).colorfl; + if (schr == -100.f) { + schr = -99.8f; + } - if (mchr == -100.0f) { - mchr = -99.8f ; - } - if (mchr == 100.0f) { - mchr = 99.9f; + mchr = params->locallab.spots.at(sp).colorflcie; + + if (mchr == -100.0f) { + mchr = -99.8f ; + } + if (mchr == 100.0f) { + mchr = 99.9f; + } +/* + mchrz = 0.5f * (float) params->locallab.spots.at(sp).colorflzcam; + schrz = 0.5f * (float) params->locallab.spots.at(sp).saturzcam; + cchrz = 0.5f * (float) params->locallab.spots.at(sp).chromzcam; +*/ + } else { + cchr = params->locallab.spots.at(sp).chroml; + if (cchr == -100.0f) { + cchr = -99.8f; + } + + schr = params->locallab.spots.at(sp).saturl; + + if (schr > 0.f) { + schr = schr / 2.f; //divide sensibility for saturation + } + + if (schr == -100.f) { + schr = -99.8f; + } + + mchr = params->locallab.spots.at(sp).colorfl; + + if (mchr == -100.0f) { + mchr = -99.8f ; + } + if (mchr == 100.0f) { + mchr = 99.9f; + } } } @@ -2654,229 +3001,1367 @@ void ImProcFunctions::ciecamloc_02float(int sp, LabImage* lab, int call) float xw1 = xws, yw1 = yws, zw1 = zws, xw2 = xwd, yw2 = ywd, zw2 = zwd; float cz, wh, pfl; int c16 = 16;//always cat16 - Ciecam02::initcam1float(yb, pilot, f, la, xw, yw, zw, n, d, nbb, ncb, cz, aw, wh, pfl, fl, c, c16); + bool c20 = true; + if(c20 && plum > 100.f) { + c16 = 21;//I define 21...for 2021 :) + } + int level_bljz = params->locallab.spots.at(sp).csthresholdjz.getBottomLeft(); + int level_hljz = params->locallab.spots.at(sp).csthresholdjz.getTopLeft(); + int level_brjz = params->locallab.spots.at(sp).csthresholdjz.getBottomRight(); + int level_hrjz = params->locallab.spots.at(sp).csthresholdjz.getTopRight(); + + float alowjz = 1.f; + float blowjz = 0.f; + + if (level_hljz != level_bljz) { + alowjz = 1.f / (level_hljz - level_bljz); + blowjz = -alowjz * level_bljz; + } + + float ahighjz = 1.f; + float bhighjz = 0.f; + + if (level_hrjz != level_brjz) { + ahighjz = 1.f / (level_hrjz - level_brjz); + bhighjz = -ahighjz * level_brjz; + } + float sigmalcjz = params->locallab.spots.at(sp).sigmalcjz; + float jzamountchr = 0.01 * params->locallab.spots.at(sp).thrhjzcie; + bool jzch = params->locallab.spots.at(sp).chjzcie; + double jzamountchroma = 0.01 * settings->amchromajz; + if(jzamountchroma < 0.05) { + jzamountchroma = 0.05; + } + if(jzamountchroma > 2.) { + jzamountchroma = 2.; + } + + Ciecam02::initcam1float(yb, pilot, f, la, xw, yw, zw, n, d, nbb, ncb, cz, aw, wh, pfl, fl, c, c16, plum); const float pow1 = pow_F(1.64f - pow_F(0.29f, n), 0.73f); float nj, nbbj, ncbj, czj, awj, flj; - Ciecam02::initcam2float(yb2, pilotout, f2, la2, xw2, yw2, zw2, nj, dj, nbbj, ncbj, czj, awj, flj, c16); + Ciecam02::initcam2float(yb2, pilotout, f2, la2, xw2, yw2, zw2, nj, dj, nbbj, ncbj, czj, awj, flj, c16, plum); #ifdef __SSE2__ const float reccmcz = 1.f / (c2 * czj); #endif const float epsil = 0.0001f; const float coefQ = 32767.f / wh; + const float coefq = 1 / wh; const float pow1n = pow_F(1.64f - pow_F(0.29f, nj), 0.73f); const float coe = pow_F(fl, 0.25f); const float QproFactor = (0.4f / c) * (aw + 4.0f) ; -#ifdef __SSE2__ - int bufferLength = ((width + 3) / 4) * 4; // bufferLength has to be a multiple of 4 -#endif -#ifdef _OPENMP - #pragma omp parallel if (multiThread) -#endif - { -#ifdef __SSE2__ - // one line buffer per channel and thread - float Jbuffer[bufferLength] ALIGNED16; - float Cbuffer[bufferLength] ALIGNED16; - float hbuffer[bufferLength] ALIGNED16; - float Qbuffer[bufferLength] ALIGNED16; - float Mbuffer[bufferLength] ALIGNED16; - float sbuffer[bufferLength] ALIGNED16; -#endif -#ifdef _OPENMP - #pragma omp for schedule(dynamic, 16) -#endif - for (int i = 0; i < height; i++) { -#ifdef __SSE2__ - // vectorized conversion from Lab to jchqms - int k; - vfloat c655d35 = F2V(655.35f); + if((mocam == 0 || mocam ==2) && call == 0) {//Jz az bz ==> Jz Cz Hz before Ciecam16 + double mini = 1000.; + double maxi = -1000.; + double sum = 0.; + int nc = 0; + double epsiljz = 0.0001; + //Remapping see https://hal.inria.fr/hal-02131890/document I took some ideas in this text, and add my personal adaptation + // image quality assessment of HDR and WCG images https://tel.archives-ouvertes.fr/tel-02378332/document + double adapjz = params->locallab.spots.at(sp).adapjzcie; + double jz100 = params->locallab.spots.at(sp).jz100; + double pl = params->locallab.spots.at(sp).pqremap; + double jzw, azw, bzw; + jzw = 0.18;//Jz white - for (k = 0; k < width - 3; k += 4) { - vfloat x, y, z; - Color::Lab2XYZ(LVFU(lab->L[i][k]), LVFU(lab->a[i][k]), LVFU(lab->b[i][k]), x, y, z); - x = x / c655d35; - y = y / c655d35; - z = z / c655d35; - vfloat J, C, h, Q, M, s; - Ciecam02::xyz2jchqms_ciecam02float(J, C, h, - Q, M, s, F2V(aw), F2V(fl), F2V(wh), - x, y, z, - F2V(xw1), F2V(yw1), F2V(zw1), - F2V(c), F2V(nc), F2V(pow1), F2V(nbb), F2V(ncb), F2V(pfl), F2V(cz), F2V(d), c16); - STVF(Jbuffer[k], J); - STVF(Cbuffer[k], C); - STVF(hbuffer[k], h); - STVF(Qbuffer[k], Q); - STVF(Mbuffer[k], M); - STVF(sbuffer[k], s); - } + bool Qtoj = params->locallab.spots.at(sp).qtoj;//betwwen lightness to brightness + const bool logjz = params->locallab.spots.at(sp).logjz;//log encoding - for (; k < width; k++) { +//calculate min, max, mean for Jz +#ifdef _OPENMP + #pragma omp parallel for reduction(min:mini) reduction(max:maxi) reduction(+:sum) if(multiThread) +#endif + for (int i = 0; i < height; i+=1) { + for (int k = 0; k < width; k+=1) { float L = lab->L[i][k]; float a = lab->a[i][k]; float b = lab->b[i][k]; float x, y, z; //convert Lab => XYZ Color::Lab2XYZ(L, a, b, x, y, z); - x = x / 655.35f; - y = y / 655.35f; - z = z / 655.35f; - float J, C, h, Q, M, s; - Ciecam02::xyz2jchqms_ciecam02float(J, C, h, + x = x / 65535.f; + y = y / 65535.f; + z = z / 65535.f; + double Jz, az, bz; + double xx, yy, zz; + //D50 ==> D65 + xx = (d50_d65[0][0] * (double) x + d50_d65[0][1] * (double) y + d50_d65[0][2] * (double) z); + yy = (d50_d65[1][0] * (double) x + d50_d65[1][1] * (double) y + d50_d65[1][2] * (double) z); + zz = (d50_d65[2][0] * (double) x + d50_d65[2][1] * (double) y + d50_d65[2][2] * (double) z); + + double L_p, M_p, S_p; + bool zcam = z_cam; + + Ciecam02::xyz2jzczhz (Jz, az, bz, xx, yy, zz, pl, L_p, M_p, S_p, zcam); + if(Jz > maxi) { + maxi = Jz; + } + if(Jz < mini) { + mini = Jz; + } + sum += Jz; + // I read bz, az values and Hz ==> with low chroma values Hz are very different from lab always around 1.4 radians ???? for blue... + } + } + nc = height * width; + sum = sum / nc; + maxi += epsiljz; + sum += epsiljz; + //remapping Jz + double ijz100 = 1./jz100; + double ajz = (ijz100 - 1.)/9.;//9 = sqrt(100) - 1 with a parabolic curve after jz100 - we can change for others curve ..log...(you must change also in locallabtool2) + double bjz = 1. - ajz; + //relation between adapjz and Absolute luminance source (La), adapjz =sqrt(La) - see locallabtool2 adapjzcie + double interm = jz100 * (adapjz * ajz + bjz); + double bj = (10. - maxi) / 9.; + double aj = maxi -bj; + double to_screen = (aj * interm + bj) / maxi; + //to screen - remapping of Jz in function real scene absolute luminance + +// if (settings->verbose) { +// printf("ajz=%f bjz=%f adapjz=%f jz100=%f interm=%f to-scrp=%f to_screen=%f\n", ajz, bjz, adapjz, jz100, interm ,to_screenp, to_screen); +// } + double to_one = 1.;//only for calculation in range 0..1 or 0..32768 + to_one = 1 / (maxi * to_screen); + if(adapjz == 10.) {//force original algorithm if La > 10000 + to_screen = 1.; + } + if(Qtoj) { + double xxw = (d50_d65[0][0] * (double) Xw + d50_d65[0][1] * (double) Yw + d50_d65[0][2] * (double) Zw); + double yyw = (d50_d65[1][0] * (double) Xw + d50_d65[1][1] * (double) Yw + d50_d65[1][2] * (double) Zw); + double zzw = (d50_d65[2][0] * (double) Xw + d50_d65[2][1] * (double) Yw + d50_d65[2][2] * (double) Zw); + double L_pa, M_pa, S_pa; + Ciecam02::xyz2jzczhz (jzw, azw, bzw, xxw, yyw, zzw, pl, L_pa, M_pa, S_pa, z_cam); + if (settings->verbose) { //calculate Jz white for use of lightness instead brightness + printf("Jzwhite=%f \n", jzw); + } + + } + const std::unique_ptr temp(new LabImage(width, height)); + const std::unique_ptr tempresid(new LabImage(width, height)); + const std::unique_ptr tempres(new LabImage(width, height)); + array2D JJz(width, height); + array2D Aaz(width, height); + array2D Bbz(width, height); + int highhs = params->locallab.spots.at(sp).hljzcie; + int hltonahs = params->locallab.spots.at(sp).hlthjzcie; + int shadhs = params->locallab.spots.at(sp).shjzcie; + int shtonals = params->locallab.spots.at(sp).shthjzcie; + int radhs = params->locallab.spots.at(sp).radjzcie; + float softjz = (float) params->locallab.spots.at(sp).softjzcie; + + avgm = 0.5 * (sum * to_screen * to_one + avgm);//empirical formula + double miny = 0.1; + double delta = 0.015 * (double) sqrt(std::max(100.f, la) / 100.f);//small adaptation in function La scene + double maxy = 0.65;//empirical value + double maxreal = maxi*to_screen; + double maxjzw = jzw*to_screen; + if (settings->verbose) { + printf("La=%4.1f PU_adap=%2.1f maxi=%f mini=%f mean=%f, avgm=%f to_screen=%f Max_real=%f to_one=%f\n", (double) la, adapjz, maxi, mini, sum, avgm, to_screen, maxreal, to_one); + } + + const float sigmoidlambdajz = params->locallab.spots.at(sp).sigmoidldajzcie; + const float sigmoidthjz = params->locallab.spots.at(sp).sigmoidthjzcie; + const float sigmoidbljz = params->locallab.spots.at(sp).sigmoidbljzcie; + + float thjz = 1.f; + const float atjz = 1.f - sigmoidthjz; + const float btjz = sigmoidthjz; + + const float athjz = sigmoidthjz - 1.f; + const float bthjz = 1; + float powsig = pow_F(sigmoidlambdajz, 0.25f); + const float sigmjz = 1.4f + 25.f *(1.f - powsig);// e^26.4 = 291000000000 + const float bljz = sigmoidbljz; + + double contreal = 0.2 * params->locallab.spots.at(sp).contjzcie; + DiagonalCurve jz_contrast({ + DCT_NURBS, + 0, 0, + avgm - avgm * (0.6 - contreal / 250.0), avgm - avgm * (0.6 + contreal / 250.0), + avgm + (1. - avgm) * (0.6 - contreal / 250.0), avgm + (1. - avgm) * (0.6 + contreal / 250.0), + 1, 1 + }); + //all calculs in double to best results...but slow + double lightreal = 0.2 * params->locallab.spots.at(sp).lightjzcie; + double chromz = params->locallab.spots.at(sp).chromjzcie; + double saturz = params->locallab.spots.at(sp).saturjzcie; + double dhue = 0.0174 * params->locallab.spots.at(sp).huejzcie; + DiagonalCurve jz_light({ + DCT_NURBS, + 0, 0, + miny, miny + lightreal / 150., + maxy, min (1.0, maxy + delta + lightreal / 300.0), + 1, 1 + }); + DiagonalCurve jz_lightn({ + DCT_NURBS, + 0, 0, + max(0.0, miny - lightreal / 150.), miny , + maxy + delta - lightreal / 300.0, maxy + delta, + 1, 1 + }); + bool wavcurvejz = false; + if (locwavCurvejz && locwavutilijz) { + for (int i = 0; i < 500; i++) { + if (locwavCurvejz[i] != 0.5f) { + wavcurvejz = true; + break; + } + } + } + float mjjz = lp.mLjz; + if(wavcurvejz && lp.mLjz == 0.f) { + mjjz = 0.0f;//to enable clarity if need in some cases mjjz = 0.0001f + } + + //log encoding Jz + double gray = 0.15; + const double shadows_range = params->locallab.spots.at(sp).blackEvjz; + const double targetgray = params->locallab.spots.at(sp).targetjz; + double targetgraycor = 0.15; + double dynamic_range = std::max(params->locallab.spots.at(sp).whiteEvjz - shadows_range, 0.5); + const double noise = pow(2., -16.6);//16.6 instead of 16 a little less than others, but we work in double + const double log2 = xlog(2.); + double base = 10.; + double linbase = 10.; + if(logjz) {//with brightness Jz + gray = 0.01 * params->locallab.spots.at(sp).sourceGraycie;//acts as amplifier (gain) : needs same type of modifications than targetgraycor with pow + gray = pow(gray, 1.2);//or 1.15 => modification to increase sensitivity gain, only on defaults, of course we can change this value manually...take into account suuround and Yb Cam16 + targetgraycor = pow(0.01 * targetgray, 1.15);//or 1.2 small reduce effect -> take into account a part of surround (before it was at 1.2) + base = targetgray > 1. && targetgray < 100. && dynamic_range > 0. ? (double) find_gray(std::abs((float) shadows_range) / (float) dynamic_range, (float) (targetgraycor)) : 0.; + linbase = std::max(base, 2.);//2. minimal base log to avoid very bad results + if (settings->verbose) { + printf("Base logarithm encoding Jz=%5.1f\n", linbase); + } + } + + const auto applytojz = + [ = ](double x) -> double { + + x = std::max(x, noise); + x = std::max(x / gray, noise);//gray = gain - before log conversion + x = std::max((xlog(x) / log2 - shadows_range) / dynamic_range, noise);//x in range EV + assert(x == x); + + if (linbase > 0.)//apply log base in function of targetgray blackEvjz and Dynamic Range + { + x = xlog2lin(x, linbase); + } + return x; + }; + +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) { + float L = lab->L[i][k]; + float a = lab->a[i][k]; + float b = lab->b[i][k]; + float x, y, z; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x, y, z); + x = x / 65535.f; + y = y / 65535.f; + z = z / 65535.f; + double Jz, az, bz;//double need because matrix with const(1.6295499532821566e-11) and others + double xx, yy, zz; + //change WP to D65 + xx = (d50_d65[0][0] * (double) x + d50_d65[0][1] * (double) y + d50_d65[0][2] * (double) z); + yy = (d50_d65[1][0] * (double) x + d50_d65[1][1] * (double) y + d50_d65[1][2] * (double) z); + zz = (d50_d65[2][0] * (double) x + d50_d65[2][1] * (double) y + d50_d65[2][2] * (double) z); + + double L_p, M_p, S_p; + bool zcam = z_cam; + Ciecam02::xyz2jzczhz (Jz, az, bz, xx, yy, zz, pl, L_p, M_p, S_p, zcam); + //remapping Jz + Jz = Jz * to_screen; + az = az * to_screen; + bz = bz * to_screen; + JJz[i][k] = Jz; + Aaz[i][k] = az; + Bbz[i][k] = bz; + if(highhs > 0 || shadhs > 0 || wavcurvejz || mjjz != 0.f || lp.mCjz != 0.f || LHcurvejz || HHcurvejz || CHcurvejz) { + //here we work in float with usual functions SH / wavelets / curves H + temp->L[i][k] = tempresid->L[i][k] = tempres->L[i][k] = (float) to_one * 32768.f * (float) JJz[i][k]; + temp->a[i][k] = tempresid->a[i][k] = tempres->a[i][k] = (float) to_one * 32768.f * (float) Aaz[i][k]; + temp->b[i][k] = tempresid->b[i][k] = tempres->b[i][k] = (float) to_one * 32768.f * (float) Bbz[i][k]; + } + } + } + + if(highhs > 0 || shadhs > 0) { + ImProcFunctions::shadowsHighlights(temp.get(), true, 1, highhs, shadhs, radhs, sk, hltonahs * maxi * to_screen * to_one, shtonals * maxi * to_screen * to_one); +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) {//reinitialize datas after SH...: guide, etc. + tempresid->L[i][k] = tempres->L[i][k] = temp->L[i][k]; + tempresid->a[i][k] = tempres->a[i][k] = temp->a[i][k]; + tempresid->b[i][k] = tempres->b[i][k] = temp->b[i][k]; + } + } + } + //others "Lab" threatment...to adapt + + if(wavcurvejz || mjjz != 0.f || lp.mCjz != 0.f) {//local contrast wavelet and clarity +#ifdef _OPENMP + const int numThreads = omp_get_max_threads(); +#else + const int numThreads = 1; + +#endif + // adap maximum level wavelet to size of RT-spot + int wavelet_level = 1 + params->locallab.spots.at(sp).csthresholdjz.getBottomRight();//retrieve with +1 maximum wavelet_level + int minwin = rtengine::min(width, height); + int maxlevelspot = 10;//maximum possible + + // adapt maximum level wavelet to size of crop + while ((1 << maxlevelspot) >= (minwin * sk) && maxlevelspot > 1) { + --maxlevelspot ; + } + + + wavelet_level = rtengine::min(wavelet_level, maxlevelspot); + int maxlvl = wavelet_level; + //simple local contrast in function luminance + if (locwavCurvejz && locwavutilijz && wavcurvejz) { + float strengthjz = 1.2; + std::unique_ptr wdspot(new wavelet_decomposition(temp->L[0], bfw, bfh, maxlvl, 1, sk, numThreads, lp.daubLen));//lp.daubLen + if (wdspot->memory_allocation_failed()) { + return; + } + maxlvl = wdspot->maxlevel(); + wavlc(*wdspot, level_bljz, level_hljz, maxlvl, level_hrjz, level_brjz, ahighjz, bhighjz, alowjz, blowjz, sigmalcjz, strengthjz, locwavCurvejz, numThreads); + wdspot->reconstruct(temp->L[0], 1.f); + + } + float thr = 0.001f; + int flag = 2; + + // begin clarity wavelet jz + if(mjjz != 0.f || lp.mCjz != 0.f) { + float mL0 = 0.f; + float mC0 = 0.f; + bool exec = false; + float mL = mjjz; + float mC = lp.mCjz; + clarimerge(lp, mL, mC, exec, tempresid.get(), wavelet_level, sk, numThreads); + + if (maxlvl <= 4) { + mL0 = 0.f; + mC0 = 0.f; + mL = -1.5f * mL;//increase only for sharpen + mC = -mC; + thr = 1.f; + flag = 0; + + } else { + mL0 = mL; + mC0 = mC; + thr = 1.f; + flag = 2; + } + LabImage *mergfile = temp.get(); +#ifdef _OPENMP + #pragma omp parallel for if (multiThread) +#endif + for (int x = 0; x < height; x++) + for (int y = 0; y < width; y++) { + temp->L[x][y] = clipLoc((1.f + mL0) * mergfile->L[x][y] - mL * tempresid->L[x][y]); + temp->a[x][y] = clipC((1.f + mC0) * mergfile->a[x][y] - mC * tempresid->a[x][y]); + temp->b[x][y] = clipC((1.f + mC0) * mergfile->b[x][y] - mC * tempresid->b[x][y]); + } + } + + if (lp.softrjz >= 0.5f && (wavcurvejz || std::fabs(mjjz) > 0.001f)) {//guidedfilter + softproc(tempres.get(), temp.get(), lp.softrjz, height, width, 0.001, 0.00001, thr, sk, multiThread, flag); + } + } + +//new curves Hz +#ifdef _OPENMP + #pragma omp parallel for if (multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) { + float j_z = temp->L[i][k]; + float C_z = sqrt(SQR(temp->a[i][k]) + SQR(temp->b[i][k])); + float c_z = C_z / 32768.f; + if (loclhCurvejz && LHcurvejz) {//Jz=f(Hz) curve + float kcz = (float) jzamountchr; + float Hz = xatan2f (temp->b[i][k], temp->a[i][k]); + float l_r = j_z / 32768.f; + float kcc = SQR(c_z / kcz); + jzch = true; + if(jzch == false) { + kcc = 1.f; + } else if(kcc > 1.f) { + kcc = 1.f; //cbrt(kcc); + } + float valparam = loclhCurvejz[500.f *static_cast(Color::huejz_to_huehsv2((float) Hz))] - 0.5f; + + float valparamneg; + valparamneg = valparam; + valparam *= 2.f * kcc; + valparamneg *= kcc; + if (valparam > 0.f) { + l_r = (1.f - valparam) * l_r + valparam * (1.f - SQR(((SQR(1.f - min(l_r, 1.0f)))))); + } else + //for negative + { + float khue = 1.9f; //in reserve in case of! + l_r *= (1.f + khue * valparamneg); + } + temp->L[i][k] = l_r * 32768.f; + } + + if (locchCurvejz && CHcurvejz) {//Cz=f(Hz) curve + float Hz = xatan2f (temp->b[i][k], temp->a[i][k]); + const float valparam = 1.5f * (locchCurvejz[500.f * static_cast(Color::huejz_to_huehsv2((float)Hz))] - 0.5f); //get valp=f(H) + float chromaCzfactor = 1.0f + valparam; + temp->a[i][k] *= chromaCzfactor; + temp->b[i][k] *= chromaCzfactor; + } + + + if (lochhCurvejz && HHcurvejz) { // Hz=f(Hz) + float Hz = xatan2f (temp->b[i][k], temp->a[i][k]); + const float valparam = 1.4f * (lochhCurvejz[500.f * static_cast(Color::huejz_to_huehsv2((float)Hz))] - 0.5f) + static_cast(Hz); + Hz = valparam; + if ( Hz < 0.0f ) { + Hz += (2.f * rtengine::RT_PI_F); + } + + float2 sincosval = xsincosf(Hz); + temp->a[i][k] = C_z * sincosval.y; + temp->b[i][k] = C_z * sincosval.x; + } + } + } + + if (loclhCurvejz && LHcurvejz && softjz > 0.f) {//Guidedilter for artifacts curve J(H) + float thr = 0.00001f; + int flag = 2; + float softjzr = 0.05f * softjz; + softproc(tempres.get(), temp.get(), softjzr, height, width, 0.000001, 0.00000001, thr, sk, multiThread, flag); + } + + + if ((lochhCurvejz && HHcurvejz) || (locchCurvejz && CHcurvejz)) { //for artifacts curve H(H) + if(softjz > 0.f) { + array2D chro(width, height); + array2D hue(width, height); + array2D guid(width, height); + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < height; y++) { + for (int x = 0; x < width; x++) { + hue[y][x] = xatan2f(temp->b[y][x], temp->a[y][x]); + chro[y][x] = sqrt(SQR(temp->b[y][x]) + SQR(temp->a[y][x]))/32768.f; + if ( hue[y][x] < 0.0f ) { + hue[y][x] += (2.f * rtengine::RT_PI_F); + } + hue[y][x] /= (2.f * rtengine::RT_PI_F); + guid[y][x] = tempres->L[y][x] / 32768.f; + } + } + float softr = softjz; + const float tmpblur = softr < 0.f ? -1.f / softr : 1.f + softr; + const int r2 = rtengine::max(10 / sk * tmpblur + 0.2f, 1); + const int r1 = rtengine::max(4 / sk * tmpblur + 0.5f, 1); + constexpr float epsilmax = 0.0005f; + constexpr float epsilmin = 0.0000001f; + constexpr float aepsil = (epsilmax - epsilmin) / 100.f; + constexpr float bepsil = epsilmin; + const float epsil = softr < 0.f ? 0.001f : aepsil * softr + bepsil; + if (lochhCurvejz && HHcurvejz) { + rtengine::guidedFilter(guid, hue, hue, r2, 0.5f * epsil, multiThread); + } + if (locchCurvejz && CHcurvejz) { + rtengine::guidedFilter(guid, chro, chro, r1, 0.4f * epsil, multiThread); + } + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < height; y++) { + for (int x = 0; x < width; x++) { + hue[y][x] *= (2.f * rtengine::RT_PI_F); + chro[y][x] *= 32768.f; + float2 sincosval = xsincosf(hue[y][x]); + temp->a[y][x] = chro[y][x] * sincosval.y; + temp->b[y][x] = chro[y][x] * sincosval.x; + } + } + } + } + + +/////////////////// + + +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) { + //reconvert to double + if(highhs > 0 || shadhs > 0 || wavcurvejz || mjjz != 0.f || lp.mCjz != 0.f || LHcurvejz || HHcurvejz || CHcurvejz) { + //now we work in double necessary for matrix conversion and when in range 0..1 with use of PQ + JJz[i][k] = (double) (temp->L[i][k] / (32768.f * (float) to_one)); + Aaz[i][k] = (double) (temp->a[i][k] / (32768.f * (float) to_one)); + Bbz[i][k] = (double) (temp->b[i][k] / (32768.f * (float) to_one)); + } + + double az = Aaz[i][k]; + double bz = Bbz[i][k]; + double Jz = LIM01(JJz[i][k]); + Jz *= to_one; + double Cz = sqrt(az * az + bz * bz); + //log encoding + if(logjz) { + double jmz = Jz; + if (jmz > noise) { + double mm = applytojz(jmz); + double f = mm / jmz; + Jz *= f; + //Cz *= f; + Jz = LIM01(Jz);//clip values + //Cz = clipcz(Cz); + } + } + //sigmoid + if(issigjz && iscie) {//sigmoid Jz + float val = Jz; + if(islogjz) { + val = std::max((xlog(Jz) / log2 - shadows_range) / dynamic_range, noise);//in range EV + } + if(sigmoidthjz >= 1.f) { + thjz = athjz * val + bthjz;//threshold + } else { + thjz = atjz * val + btjz; + } + sigmoidla (val, thjz, sigmjz);//sigmz "slope" of sigmoid + + + Jz = LIM01((double) bljz * Jz + (double) val); + } + + if(Qtoj == true) {//lightness instead of brightness + Jz /= to_one; + Jz /= maxjzw;//Jz white + Jz = SQR(Jz); + } + //contrast + Jz= LIM01(jz_contrast.getVal(LIM01(Jz))); + //brightness and lightness + if(lightreal > 0) { + Jz = LIM01(jz_light.getVal(Jz)); + } + if(lightreal < 0) { + Jz = LIM01(jz_lightn.getVal(Jz)); + } + //Jz (Jz) curve + double Jzold = Jz; + if(jzlocalcurve && localjzutili) { + Jz = (double) (jzlocalcurve[(float) Jz * 65535.f] / 65535.f); + Jz = 0.3 * (Jz - Jzold) + Jzold; + } + //reconvert from lightness or Brightness + if(Qtoj == false) { + Jz /= to_one; + } else { + Jz = sqrt(Jz); + Jz *= maxjzw; + } + + double Hz; + //remapping Cz + Hz = xatan2 ( bz, az ); + double Czold = Cz; + //Cz(Cz) curve + if(czlocalcurve && localczutili) { + Cz = (double) (czlocalcurve[(float) Cz * 92666.f * (float) to_one] / (92666.f * (float) to_one)); + Cz = 0.5 * (Cz - Czold) + Czold; + } + //Cz(Jz) curve + if(czjzlocalcurve && localczjzutili) { + double chromaCfactor = (double) (czjzlocalcurve[(float) Jz * 65535.f * (float) to_one]) / (Jz * 65535. * to_one); + Cz *= chromaCfactor; + } + //Hz in 0 2*PI + if ( Hz < 0.0 ) { + Hz += (2. * rtengine::RT_PI); + } + //Chroma slider + if(chromz < 0.) { + Cz = Cz * (1. + 0.01 * chromz); + } else { + double maxcz = czlim / to_one; + double fcz = Cz / maxcz; + double pocz = pow(fcz , 1. - 0.0024 * chromz);//increase value - before 0.0017 + Cz = maxcz * pocz; + // Cz = Cz * (1. + 0.005 * chromz);//linear + } + //saturation slider + if(saturz != 0.) { + double js = Jz/ maxjzw;//divide by Jz white + js = SQR(js); + if(js <= 0.) { + js = 0.0000001; + } + double Sz = Cz / (js); + if(saturz < 0.) { + Sz = Sz * (1. + 0.01 * saturz); + } else { + Sz = Sz * (1. + 0.003 * saturz);//not pow function because Sz is "open" - 0.003 empirical value to have results comparable to Cz + } + Cz = Sz * js; + } + + //rotation hue + Hz += dhue; + if ( Hz < 0.0 ) { + Hz += (2. * rtengine::RT_PI); + } + Cz = clipcz(Cz); + double2 sincosval = xsincos(Hz); + az = clipazbz(Cz * sincosval.y); + bz = clipazbz(Cz * sincosval.x); + Cz = sqrt(az * az + bz * bz); + + + bz = bz / (to_screen); + az = az / (to_screen); + + Jz = LIM01(Jz / (to_screen)); + if(jabcie) {//Not used does not work at all + Jz = clipjz05(Jz); + gamutjz (Jz, az, bz, pl, wip, 0.94, 0.004); + } + + double L_, M_, S_; + double xx, yy, zz; + bool zcam = z_cam; + //reconvert to XYZ in double + Ciecam02::jzczhzxyz (xx, yy, zz, Jz, az, bz, pl, L_, M_, S_, zcam); + //re enable D50 + double x, y, z; + x = 65535. * (d65_d50[0][0] * xx + d65_d50[0][1] * yy + d65_d50[0][2] * zz); + y = 65535. * (d65_d50[1][0] * xx + d65_d50[1][1] * yy + d65_d50[1][2] * zz); + z = 65535. * (d65_d50[2][0] * xx + d65_d50[2][1] * yy + d65_d50[2][2] * zz); + + float Ll, aa, bb; + Color::XYZ2Lab(x, y, z, Ll, aa, bb); + lab->L[i][k] = Ll; + lab->a[i][k] = aa; + lab->b[i][k] = bb; + } + } + } + +if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 vibrance warm-cool - call = 10 take into account "mean luminance Yb for Jz +//begin ciecam + if (settings->verbose && (mocam == 0 || mocam == 1 || call == 1)) {//display only if choice cam16 + //informations on Cam16 scene conditions - allows user to see choices's incidences + float maxicam = -1000.f; + float maxicamq = -1000.f; + float maxisat = -1000.f; + float maxiM = -1000.f; + float minicam = 1000000.f; + float minicamq = 1000000.f; + float minisat = 1000000.f; + float miniM = 1000000.f; + int nccam = 0; + float sumcam = 0.f; + float sumcamq = 0.f; + float sumsat = 0.f; + float sumM = 0.f; + if(lp.logena && !(params->locallab.spots.at(sp).expcie && mocam == 1)) {//Log encoding only, but enable for log encoding if we use Cam16 module both with log encoding + plum = 100.f; + } + +#ifdef _OPENMP + #pragma omp parallel for reduction(min:minicam) reduction(max:maxicam) reduction(min:minicamq) reduction(max:maxicamq) reduction(min:minisat) reduction(max:maxisat) reduction(min:miniM) reduction(max:maxiM) reduction(+:sumcam) reduction(+:sumcamq) reduction(+:sumsat) reduction(+:sumM)if(multiThread) +#endif + for (int i = 0; i < height; i+=1) { + for (int k = 0; k < width; k+=1) { + float L = lab->L[i][k]; + float a = lab->a[i][k]; + float b = lab->b[i][k]; + float x, y, z; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x, y, z); + x = x / 655.35f; + y = y / 655.35f; + z = z / 655.35f; + float J, C, h, Q, M, s; + Ciecam02::xyz2jchqms_ciecam02float(J, C, h, Q, M, s, aw, fl, wh, x, y, z, xw1, yw1, zw1, - c, nc, pow1, nbb, ncb, pfl, cz, d, c16); - Jbuffer[k] = J; - Cbuffer[k] = C; - hbuffer[k] = h; - Qbuffer[k] = Q; - Mbuffer[k] = M; - sbuffer[k] = s; + c, nc, pow1, nbb, ncb, pfl, cz, d, c16, plum); + if(J > maxicam) { + maxicam = J; + } + if(J < minicam) { + minicam = J; + } + sumcam += J; + + if(Q > maxicamq) { + maxicamq = Q; + } + if(Q < minicamq) { + minicamq = Q; + } + sumcamq += Q; + + if(s > maxisat) { + maxisat = s; + } + if(s < minisat) { + minisat = s; + } + sumsat += s; + + if(M > maxiM) { + maxiM = M; + } + if(M < miniM) { + miniM = M; + } + sumM += M; + } + } + nccam = height * width; + sumcam = sumcam / nccam; + sumcamq /= nccam; + sumsat /= nccam; + sumM /= nccam; + + printf("Cam16 Scene Lighness_J Brightness_Q- HDR-PQ=%5.1f minJ=%3.1f maxJ=%3.1f meanJ=%3.1f minQ=%3.1f maxQ=%4.1f meanQ=%4.1f\n", (double) plum, (double) minicam, (double) maxicam, (double) sumcam, (double) minicamq, (double) maxicamq, (double) sumcamq); + printf("Cam16 Scene Saturati-s Colorfulln_M- minSat=%3.1f maxSat=%3.1f meanSat=%3.1f minM=%3.1f maxM=%3.1f meanM=%3.1f\n", (double) minisat, (double) maxisat, (double) sumsat, (double) miniM, (double) maxiM, (double) sumM); +} + + + +//Ciecam "old" code not change except sigmoid added +#ifdef __SSE2__ + int bufferLength = ((width + 3) / 4) * 4; // bufferLength has to be a multiple of 4 +#endif +#ifdef _OPENMP + #pragma omp parallel if (multiThread) +#endif + { +#ifdef __SSE2__ + // one line buffer per channel and thread + float Jbuffer[bufferLength] ALIGNED16; + float Cbuffer[bufferLength] ALIGNED16; + float hbuffer[bufferLength] ALIGNED16; + float Qbuffer[bufferLength] ALIGNED16; + float Mbuffer[bufferLength] ALIGNED16; + float sbuffer[bufferLength] ALIGNED16; +#endif +#ifdef _OPENMP + #pragma omp for schedule(dynamic, 16) +#endif + for (int i = 0; i < height; i++) { +#ifdef __SSE2__ + // vectorized conversion from Lab to jchqms + int k; + vfloat c655d35 = F2V(655.35f); + + for (k = 0; k < width - 3; k += 4) { + vfloat x, y, z; + Color::Lab2XYZ(LVFU(lab->L[i][k]), LVFU(lab->a[i][k]), LVFU(lab->b[i][k]), x, y, z); + x = x / c655d35; + y = y / c655d35; + z = z / c655d35; + vfloat J, C, h, Q, M, s; + Ciecam02::xyz2jchqms_ciecam02float(J, C, h, + Q, M, s, F2V(aw), F2V(fl), F2V(wh), + x, y, z, + F2V(xw1), F2V(yw1), F2V(zw1), + F2V(c), F2V(nc), F2V(pow1), F2V(nbb), F2V(ncb), F2V(pfl), F2V(cz), F2V(d), c16, F2V(plum)); + STVF(Jbuffer[k], J); + STVF(Cbuffer[k], C); + STVF(hbuffer[k], h); + STVF(Qbuffer[k], Q); + STVF(Mbuffer[k], M); + STVF(sbuffer[k], s); + } + + for (; k < width; k++) { + float L = lab->L[i][k]; + float a = lab->a[i][k]; + float b = lab->b[i][k]; + float x, y, z; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x, y, z); + x = x / 655.35f; + y = y / 655.35f; + z = z / 655.35f; + float J, C, h, Q, M, s; + Ciecam02::xyz2jchqms_ciecam02float(J, C, h, + Q, M, s, aw, fl, wh, + x, y, z, + xw1, yw1, zw1, + c, nc, pow1, nbb, ncb, pfl, cz, d, c16, plum); + Jbuffer[k] = J; + Cbuffer[k] = C; + hbuffer[k] = h; + Qbuffer[k] = Q; + Mbuffer[k] = M; + sbuffer[k] = s; + } #endif // __SSE2__ - for (int j = 0; j < width; j++) { - float J, C, h, Q, M, s; + for (int j = 0; j < width; j++) { + float J, C, h, Q, M, s; #ifdef __SSE2__ // use precomputed values from above - J = Jbuffer[j]; - C = Cbuffer[j]; - h = hbuffer[j]; - Q = Qbuffer[j]; - M = Mbuffer[j]; - s = sbuffer[j]; + J = Jbuffer[j]; + C = Cbuffer[j]; + h = hbuffer[j]; + Q = Qbuffer[j]; + M = Mbuffer[j]; + s = sbuffer[j]; #else - float x, y, z; - float L = lab->L[i][j]; - float a = lab->a[i][j]; - float b = lab->b[i][j]; - float x1, y1, z1; - //convert Lab => XYZ - Color::Lab2XYZ(L, a, b, x1, y1, z1); - x = x1 / 655.35f; - y = y1 / 655.35f; - z = z1 / 655.35f; - //process source==> normal - Ciecam02::xyz2jchqms_ciecam02float(J, C, h, + float x, y, z; + float L = lab->L[i][j]; + float a = lab->a[i][j]; + float b = lab->b[i][j]; + float x1, y1, z1; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x1, y1, z1); + x = x1 / 655.35f; + y = y1 / 655.35f; + z = z1 / 655.35f; + //process source==> normal + Ciecam02::xyz2jchqms_ciecam02float(J, C, h, Q, M, s, aw, fl, wh, x, y, z, xw1, yw1, zw1, - c, nc, pow1, nbb, ncb, pfl, cz, d, c16); + c, nc, pow1, nbb, ncb, pfl, cz, d, c16, plum); #endif - float Jpro, Cpro, hpro, Qpro, Mpro, spro; - Jpro = J; - Cpro = C; - hpro = h; - Qpro = Q; - Mpro = M; - spro = s; - /* - */ - if(ciec) { - Qpro = CAMBrightCurveQ[(float)(Qpro * coefQ)] / coefQ; //brightness and contrast - float rstprotection = 50.f;//default value to avoid 1 slider - // float chr = 0.f;//no use of chroma - float Mp, sres; - Mp = Mpro / 100.0f; - Ciecam02::curvecolorfloat(mchr, Mp, sres, 2.5f); - float dred = 100.f; //in C mode - float protect_red = 80.0f; // in C mode - dred *= coe; //in M mode - protect_red *= coe; //M mode - Color::skinredfloat(Jpro, hpro, sres, Mp, dred, protect_red, 0, rstprotection, 100.f, Mpro); - Jpro = SQR((10.f * Qpro) / wh); - Qpro = (Qpro == 0.f ? epsil : Qpro); // avoid division by zero - spro = 100.0f * sqrtf(Mpro / Qpro); + float Jpro, Cpro, hpro, Qpro, Mpro, spro; + Jpro = J; + Cpro = C; + hpro = h; + Qpro = Q; + Mpro = M; + spro = s; + /* + */ + if(ciec) { + bool jp = false; + if ((cielocalcurve && localcieutili) && mecamcurve == 1) { + jp = true; + float Qq = Qpro * coefQ; + float Qold = Qpro; + Qq = 0.5f * cielocalcurve[Qq * 2.f]; + Qq = Qq / coefQ; + Qpro = 0.2f * (Qq - Qold) + Qold; + if(jp) { + Jpro = SQR((10.f * Qpro) / wh); + } + } - if (Jpro > 99.9f) { - Jpro = 99.9f; + Qpro = CAMBrightCurveQ[(float)(Qpro * coefQ)] / coefQ; //brightness and contrast + + if(sigmoidlambda > 0.f && iscie && sigmoidqj == true) {//sigmoid Q only with ciecam module + float val = Qpro * coefq; + if(sigmoidth >= 1.f) { + th = ath * val + bth; + } else { + th = at * val + bt; + } + sigmoidla (val, th, sigm); + float bl2 = 1.f; + Qpro = std::max(bl * Qpro + bl2 * val / coefq, 0.f); + } + + float Mp, sres; + Mp = Mpro / 100.0f; + Ciecam02::curvecolorfloat(mchr, Mp, sres, 2.5f); + float dred = 100.f; //in C mode + float protect_red = 80.0f; // in C mode + dred *= coe; //in M mode + protect_red *= coe; //M mode + Color::skinredfloat(Jpro, hpro, sres, Mp, dred, protect_red, 0, rstprotection, 100.f, Mpro); + Jpro = SQR((10.f * Qpro) / wh); + Qpro = (Qpro == 0.f ? epsil : Qpro); // avoid division by zero + spro = 100.0f * sqrtf(Mpro / Qpro); + + if (Jpro > 99.9f) { + Jpro = 99.9f; + } + + Jpro = CAMBrightCurveJ[(float)(Jpro * 327.68f)]; //lightness CIECAM02 + contrast + + if(sigmoidlambda > 0.f && iscie && sigmoidqj == false) {//sigmoid J only with ciecam module + float val = Jpro / 100.f; + if(sigmoidth >= 1.f) { + th = ath * val + bth; + } else { + th = at * val + bt; + } + sigmoidla (val, th, sigm); + Jpro = 100.f * LIM01(bl * 0.01f * Jpro + val); + if (Jpro > 99.9f) { + Jpro = 99.9f; + } + } + + float Sp = spro / 100.0f; + Ciecam02::curvecolorfloat(schr, Sp, sres, 1.5f); + dred = 100.f; // in C mode + protect_red = 80.0f; // in C mode + dred = 100.0f * sqrtf((dred * coe) / Q); + protect_red = 100.0f * sqrtf((protect_red * coe) / Q); + Color::skinredfloat(Jpro, hpro, sres, Sp, dred, protect_red, 0, rstprotection, 100.f, spro); + Qpro = QproFactor * sqrtf(Jpro); + float Cp = (spro * spro * Qpro) / (1000000.f); + Cpro = Cp * 100.f; + Ciecam02::curvecolorfloat(cchr, Cp, sres, 1.8f); + Color::skinredfloat(Jpro, hpro, sres, Cp, 55.f, 30.f, 1, rstprotection, 100.f, Cpro); + + hpro = hpro + hue; + + if (hpro < 0.0f) { + hpro += 360.0f; //hue + } + + if ((cielocalcurve && localcieutili) && mecamcurve == 0) { + float Jj = (float) Jpro * 327.68f; + float Jold = Jj; + Jj = 0.5f * cielocalcurve[Jj * 2.f]; + Jj = 0.3f * (Jj - Jold) + Jold; //divide sensibility + Jpro = (float)(Jj / 327.68f); + + if (Jpro < 1.f) { + Jpro = 1.f; + } + } + if (cielocalcurve2 && localcieutili2) { + if(mecamcurve2 == 0) { + float parsat = 0.8f; //0.68; + float coef = 327.68f / parsat; + float Cc = (float) Cpro * coef; + float Ccold = Cc; + Cc = 0.5f * cielocalcurve2[Cc * 2.f]; + float dred = 55.f; + float protect_red = 30.0f; + int sk1 = 1; + float ko = 1.f / coef; + Color::skinredfloat(Jpro, hpro, Cc, Ccold, dred, protect_red, sk1, rstprotection, ko, Cpro); + } else if (mecamcurve2 == 1) { + float parsat = 0.8f; //0.6 + float coef = 327.68f / parsat; + float Ss = (float) spro * coef; + float Sold = Ss; + Ss = 0.5f * cielocalcurve2[Ss * 2.f]; + Ss = 0.6f * (Ss - Sold) + Sold; //divide sensibility saturation + float dred = 100.f; // in C mode + float protect_red = 80.0f; // in C mode + dred = 100.0f * sqrtf((dred * coe) / Qpro); + protect_red = 100.0f * sqrtf((protect_red * coe) / Qpro); + float ko = 1.f / coef; + Color::skinredfloat(Jpro, hpro, Ss, Sold, dred, protect_red, 0, rstprotection, ko, spro); + Qpro = (4.0f / c) * sqrtf(Jpro / 100.0f) * (aw + 4.0f) ; + Cpro = (spro * spro * Qpro) / (10000.0f); + } else if (mecamcurve2 == 2) { + float parsat = 0.8f; //0.68; + float coef = 327.68f / parsat; + float Mm = (float) Mpro * coef; + float Mold = Mm; + Mm = 0.5f * cielocalcurve2[Mm * 2.f]; + float dred = 100.f; //in C mode + float protect_red = 80.0f; // in C mode + dred *= coe; //in M mode + protect_red *= coe; + float ko = 1.f / coef; + Color::skinredfloat(Jpro, hpro, Mm, Mold, dred, protect_red, 0, rstprotection, ko, Mpro); + Cpro = Mpro / coe; + } + } + } - Jpro = CAMBrightCurveJ[(float)(Jpro * 327.68f)]; //lightness CIECAM02 + contrast - float Sp = spro / 100.0f; - Ciecam02::curvecolorfloat(schr, Sp, sres, 1.5f); - dred = 100.f; // in C mode - protect_red = 80.0f; // in C mode - dred = 100.0f * sqrtf((dred * coe) / Q); - protect_red = 100.0f * sqrtf((protect_red * coe) / Q); - Color::skinredfloat(Jpro, hpro, sres, Sp, dred, protect_red, 0, rstprotection, 100.f, spro); - Qpro = QproFactor * sqrtf(Jpro); - float Cp = (spro * spro * Qpro) / (1000000.f); - Cpro = Cp * 100.f; - Ciecam02::curvecolorfloat(cchr, Cp, sres, 1.8f); - Color::skinredfloat(Jpro, hpro, sres, Cp, 55.f, 30.f, 1, rstprotection, 100.f, Cpro); - } - - //retrieve values C,J...s - C = Cpro; - J = Jpro; - Q = Qpro; - M = Mpro; - h = hpro; - s = spro; + //retrieve values C,J...s + C = Cpro; + J = Jpro; + Q = Qpro; + M = Mpro; + h = hpro; + s = spro; #ifdef __SSE2__ - // write to line buffers - Jbuffer[j] = J; - Cbuffer[j] = C; - hbuffer[j] = h; + // write to line buffers + Jbuffer[j] = J; + Cbuffer[j] = C; + hbuffer[j] = h; #else - float xx, yy, zz; - //process normal==> viewing + float xx, yy, zz; + //process normal==> viewing - Ciecam02::jch2xyz_ciecam02float(xx, yy, zz, + Ciecam02::jch2xyz_ciecam02float(xx, yy, zz, J, C, h, xw2, yw2, zw2, - c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16); - x = xx * 655.35f; - y = yy * 655.35f; - z = zz * 655.35f; - float Ll, aa, bb; - //convert xyz=>lab - Color::XYZ2Lab(x, y, z, Ll, aa, bb); - lab->L[i][j] = Ll; - lab->a[i][j] = aa; - lab->b[i][j] = bb; + c2, nc2, pow1n, nbbj, ncbj, flj, czj, dj, awj, c16, plum); + x = CLIP(xx * 655.35f); + y = CLIP(yy * 655.35f); + z = CLIP(zz * 655.35f); + float Ll, aa, bb; + //convert xyz=>lab + Color::XYZ2Lab(x, y, z, Ll, aa, bb); + lab->L[i][j] = Ll; + lab->a[i][j] = aa; + lab->b[i][j] = bb; #endif - } + } #ifdef __SSE2__ - // process line buffers - float *xbuffer = Qbuffer; - float *ybuffer = Mbuffer; - float *zbuffer = sbuffer; + // process line buffers + float *xbuffer = Qbuffer; + float *ybuffer = Mbuffer; + float *zbuffer = sbuffer; - for (k = 0; k < bufferLength; k += 4) { - vfloat x, y, z; - Ciecam02::jch2xyz_ciecam02float(x, y, z, + for (k = 0; k < bufferLength; k += 4) { + vfloat x, y, z; + Ciecam02::jch2xyz_ciecam02float(x, y, z, LVF(Jbuffer[k]), LVF(Cbuffer[k]), LVF(hbuffer[k]), F2V(xw2), F2V(yw2), F2V(zw2), - F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16); - STVF(xbuffer[k], x * c655d35); - STVF(ybuffer[k], y * c655d35); - STVF(zbuffer[k], z * c655d35); - } + F2V(nc2), F2V(pow1n), F2V(nbbj), F2V(ncbj), F2V(flj), F2V(dj), F2V(awj), F2V(reccmcz), c16, F2V(plum)); + STVF(xbuffer[k], x * c655d35); + STVF(ybuffer[k], y * c655d35); + STVF(zbuffer[k], z * c655d35); + } - // XYZ2Lab uses a lookup table. The function behind that lut is a cube root. - // SSE can't beat the speed of that lut, so it doesn't make sense to use SSE - for (int j = 0; j < width; j++) { - float Ll, aa, bb; - //convert xyz=>lab - Color::XYZ2Lab(xbuffer[j], ybuffer[j], zbuffer[j], Ll, aa, bb); + // XYZ2Lab uses a lookup table. The function behind that lut is a cube root. + // SSE can't beat the speed of that lut, so it doesn't make sense to use SSE + for (int j = 0; j < width; j++) { + float Ll, aa, bb; + //convert xyz=>lab + xbuffer[j] = CLIP(xbuffer[j]); + ybuffer[j] = CLIP(ybuffer[j]); + zbuffer[j] = CLIP(zbuffer[j]); + + Color::XYZ2Lab(xbuffer[j], ybuffer[j], zbuffer[j], Ll, aa, bb); - lab->L[i][j] = Ll; - lab->a[i][j] = aa; - lab->b[i][j] = bb; - } + lab->L[i][j] = Ll; + lab->a[i][j] = aa; + lab->b[i][j] = bb; + } #endif - } + } + } } + +if(mocam == 3) {//Zcam not use but keep in case off +/* + double miniiz = 1000.; + double maxiiz = -1000.; + double sumiz = 0.; + int nciz = 0; + double epsilzcam = 0.0001; + double atten = 2700.; + double epsilzcam2 = 1.; + if(mocam == 3) {//Zcam + double pl = params->locallab.spots.at(sp).pqremap; +//calculate min, max, mean for Jz +#ifdef _OPENMP + #pragma omp parallel for reduction(min:miniiz) reduction(max:maxiiz) reduction(+:sumiz) if(multiThread) +#endif + for (int i = 0; i < height; i+=1) { + for (int k = 0; k < width; k+=1) { + float L = lab->L[i][k]; + float a = lab->a[i][k]; + float b = lab->b[i][k]; + float x, y, z; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x, y, z); + x = x / 65535.f; + y = y / 65535.f; + z = z / 65535.f; + double Jz, az, bz; + double xx, yy, zz; + //D50 ==> D65 + xx = (d50_d65[0][0] * (double) x + d50_d65[0][1] * (double) y + d50_d65[0][2] * (double) z); + yy = (d50_d65[1][0] * (double) x + d50_d65[1][1] * (double) y + d50_d65[1][2] * (double) z); + zz = (d50_d65[2][0] * (double) x + d50_d65[2][1] * (double) y + d50_d65[2][2] * (double) z); + xx = LIM01(xx); + yy = LIM01(yy); + zz = LIM01(zz); + + double L_p, M_p, S_p; + bool zcam = true; + Ciecam02::xyz2jzczhz (Jz, az, bz, xx, yy, zz, pl, L_p, M_p, S_p, zcam); + if(Jz > maxiiz) { + maxiiz = Jz; + } + if(Jz < miniiz) { + miniiz = Jz; + } + + sumiz += Jz; + + } + } + nciz = height * width; + sumiz = sumiz / nciz; + sumiz += epsilzcam; + maxiiz += epsilzcam; + if (settings->verbose) { + printf("Zcam miniiz=%f maxiiz=%f meaniz=%f\n", miniiz, maxiiz, sumiz); + } + } + double avgmz = sumiz; + //calculate various parameter for Zcam - those with ** come from documentation Zcam + // ZCAM, a colour appearance model based on a high dynamic range uniform colour space + //Muhammad Safdar, Jon Yngve Hardeberg, and Ming Ronnier Luo + // https://www.osapublishing.org/oe/fulltext.cfm?uri=oe-29-4-6036&id=447640#e12 + double L_p, M_p, S_p; + double jzw, azw, bzw; + bool zcam = true; + double plz = params->locallab.spots.at(sp).pqremap;// to test or change to 10000 +// double po = 0.1 + params->locallab.spots.at(sp).contthreszcam; + float fb_source = sqrt(yb / 100.f); + float fb_dest = sqrt(yb2 / 100.f); + double flz = 0.171 * pow(la, 0.3333333)*(1. - exp(-(48. * (double) la / 9.))); + double fljz = 0.171 * pow(la2, 0.3333333)*(1. - exp(-(48. * (double) la2 / 9.))); + double cpow = 2.2;//empirical + double cpp = pow( (double) c, 0.5);//empirical + double cpp2 = pow( (double) c2, 0.5);//empirical + double pfl = pow(flz, 0.25); + double cmul_source = 1.26;//empirical + double cmul_source_ch = 1.1;//empirical + double achro_source = pow((double) c, cpow)*(pow((double) flz, - 0.004)* (double) sqrt(fb_source));//I think there is an error in formula documentation step 5 - all parameters are inversed or wrong + double achro_dest = pow((double) c2, cpow)*(pow((double) fljz, - 0.004) * (double) sqrt(fb_dest)); + double kk_source = (1.6 * (double) cpp) / pow((double) fb_source, 0.12); + double ikk_dest = pow((double) fb_dest, 0.12) /(1.6 * (double) cpp2); + Ciecam02::xyz2jzczhz (jzw, azw, bzw, Xw, Yw, Zw, plz, L_p, M_p, S_p, zcam); + double eff = 1.; + double kap = 2.7; + if(maxiiz > (kap * sumiz)) { + kap = 1.7; + } + double qzw = cmul_source * atten * pow(jzw, (double) kk_source) / achro_source;//I think there is an error in formula documentation step 5 - all parameters are inversed + double maxforq = kap * sumiz * eff + epsilzcam2; + if(maxforq > maxiiz) { + maxforq = maxiiz; + } else { + maxforq = 0.9 * maxforq + 0.1 * maxiiz; + } + double qzmax = cmul_source * atten * pow(maxforq, (double) kk_source) / achro_source; + double izw = jzw; + double coefm = pow(flz, 0.2) / (pow((double) fb_source, 0.1) * pow(izw, 0.78)); + if (settings->verbose) { + printf("qzw=%f PL=%f qzmax=%f\n", qzw, plz, qzmax);//huge change with PQ peak luminance + } + array2D Iiz(width, height); + array2D Aaz(width, height); + array2D Bbz(width, height); + +//curve to replace LUT , LUT leads to crash... + double contqz = 0.5 * params->locallab.spots.at(sp).contqzcam; + DiagonalCurve qz_contrast({ + DCT_NURBS, + 0, 0, + avgmz - avgmz * (0.6 - contqz / 250.0), avgmz - avgmz * (0.6 + contqz / 250.0), + avgmz + (1. - avgmz) * (0.6 - contqz / 250.0), avgmz + (1. - avgmz) * (0.6 + contqz / 250.0), + 1, 1 + }); + double contlz = 0.6 * params->locallab.spots.at(sp).contlzcam; + DiagonalCurve ljz_contrast({ + DCT_NURBS, + 0, 0, + avgmz - avgmz * (0.6 - contlz / 250.0), avgmz - avgmz * (0.6 + contlz / 250.0), + avgmz + (1. - avgmz) * (0.6 - contlz / 250.0), avgmz + (1. - avgmz) * (0.6 + contlz / 250.0), + 1, 1 + }); + + //all calculs in double to best results...but slow + double lqz = 0.4 * params->locallab.spots.at(sp).lightqzcam; + if(params->locallab.spots.at(sp).lightqzcam < 0) { + lqz = 0.2 * params->locallab.spots.at(sp).lightqzcam; //0.4 less effect, no need 1. + } + DiagonalCurve qz_light({ + DCT_NURBS, + 0, 0, + 0.1, 0.1 + lqz / 150., + 0.7, min (1.0, 0.7 + lqz / 300.0), + 1, 1 + }); + DiagonalCurve qz_lightn({ + DCT_NURBS, + 0, 0, + max(0.0, 0.1 - lqz / 150.), 0.1 , + 0.7 - lqz / 300.0, 0.7, + 1, 1 + }); + double ljz = 0.4 * params->locallab.spots.at(sp).lightlzcam; + if(params->locallab.spots.at(sp).lightlzcam < 0) { + ljz = 0.2 * params->locallab.spots.at(sp).lightlzcam; + } + DiagonalCurve ljz_light({ + DCT_NURBS, + 0, 0, + 0.1, 0.1 + ljz / 150., + 0.7, min (1.0, 0.7 + ljz / 300.0), + 1, 1 + }); + DiagonalCurve ljz_lightn({ + DCT_NURBS, + 0, 0, + max(0.0, 0.1 - ljz / 150.), 0.1 , + 0.7 - ljz / 300.0, 0.7, + 1, 1 + }); + +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) { + float L = lab->L[i][k]; + float a = lab->a[i][k]; + float b = lab->b[i][k]; + float x, y, z; + //convert Lab => XYZ + Color::Lab2XYZ(L, a, b, x, y, z); + x = x / 65535.f; + y = y / 65535.f; + z = z / 65535.f; + double iz, az, bz; + double xx, yy, zz; + //change WP to D65 + xx = (d50_d65[0][0] * (double) x + d50_d65[0][1] * (double) y + d50_d65[0][2] * (double) z); + yy = (d50_d65[1][0] * (double) x + d50_d65[1][1] * (double) y + d50_d65[1][2] * (double) z); + zz = (d50_d65[2][0] * (double) x + d50_d65[2][1] * (double) y + d50_d65[2][2] * (double) z); + double L_p, M_p, S_p; + bool zcam = true; + Ciecam02::xyz2jzczhz (iz, az, bz, xx, yy, zz, plz, L_p, M_p, S_p, zcam); + Iiz[i][k] = LIM01(iz); + Aaz[i][k] = clipazbz(az); + Bbz[i][k] = clipazbz(bz); + } + } +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int i = 0; i < height; i++) { + for (int k = 0; k < width; k++) { + + double az = Aaz[i][k]; + double bz = Bbz[i][k]; + double iz = Iiz[i][k]; + if(iz > kap * sumiz) { + iz = kap * sumiz * eff; + } + float coefqz = (float) qzmax; + float coefjz = 100.f ; + double qz = cmul_source * atten * pow(iz, (double) kk_source) / achro_source;//partial + az *= cmul_source_ch; + bz *= cmul_source_ch; + + qz= (double) coefqz * LIM01(qz_contrast.getVal((float)qz / coefqz)); + + if(lqz > 0) { + qz = (double) coefqz * LIM01(qz_light.getVal((float)qz / coefqz)); + } + if(lqz < 0) { + qz = (double) coefqz * LIM01(qz_lightn.getVal((float)qz / coefqz)); + } + // double jz = 100. * (qz / qzw); + double jz = SQR((10. * qz) / qzw);//formula CAM16 + jz= (double) coefjz * LIM01(ljz_contrast.getVal((float)jz / coefjz)); + if(ljz > 0) { + jz = (double) coefjz * LIM01(ljz_light.getVal((float)jz / coefjz)); + } + if(ljz < 0) { + jz = (double) coefjz * LIM01(ljz_lightn.getVal((float)jz / coefjz)); + } + if(jz > 100.) jz = 99.; + + + //qzpro = 0.01 * jzpro * qzw; + double qzpro = 0.1 * sqrt(jz) * qzw; + iz = LIM01(pow(qzpro / (atten / achro_dest), ikk_dest)); + double h = atan2(bz, az); + if ( h < 0.0 ) { + h += (double) (2.f * rtengine::RT_PI_F); + } + double hp = h * (360 / (double) (2.f * rtengine::RT_PI_F)); + double ez = 1.015 + cos(89.038 + hp); + if(mchrz != 0.f || schrz != 0.f || cchrz != 0.f){ + //colorfullness + double Mpz = 100. * pow(az * az + bz * bz, 0.37)* pow(ez, 0.068) * coefm; + Mpz *= (double) (1.f + 0.01f * mchrz); + float ccz = sqrt(pow((float) (Mpz / (100. * pow(ez, 0.068) * coefm)), (1.f / 0.37f))); + float2 sincosval = xsincosf(h); + az = (double)(ccz * sincosval.y); + bz = (double)(ccz * sincosval.x); + if(schrz != 0.f){ + //saturation + double Spz = 100. * pow(flz, 0.6) * (Mpz / qz); + Spz *= (double) (1.f + 0.01f * schrz); + Mpz = (Spz * qz) / (100.* pow(flz, 0.6)); + ccz = sqrt(pow((float) (Mpz / (100. * pow(ez, 0.068) * coefm)), (1.f / 0.37f))); + az = (double)(ccz * sincosval.y); + bz = (double)(ccz * sincosval.x); + } + if(cchrz != 0.f){ + // double Cpz = 100. * (Mpz / qzw); + double Cpz = 100. * (Mpz / pfl);//Cam16 formula + Cpz *= (double) (1.f + 0.01f * cchrz); + Mpz = (Cpz * pfl) / 100.; + // double Vpz = sqrt(SQR(jz - 58.) + 3.4 * SQR(Cpz));//vividness not working + // Vpz *= (double) (1.f + 0.01f * cchrz); + //Mpz = (Cpz * qzw) / 100.; + // Mpz = 0.01 * qzw * sqrt((SQR(Vpz) - SQR(jz - 58.)) / 3.4); + ccz = sqrt(pow((float) (Mpz / (100. * pow(ez, 0.068) * coefm)), (1.f / 0.37f))); + az = (double)(ccz * sincosval.y); + bz = (double)(ccz * sincosval.x); + } + + } + double L_, M_, S_; + double xx, yy, zz; + bool zcam = true; + iz=LIM01(iz); + az=clipazbz(az); + bz=clipazbz(bz); + + Ciecam02::jzczhzxyz (xx, yy, zz, iz, az, bz, plz, L_, M_, S_, zcam); + //re enable D50 + double x, y, z; + x = 65535. * (d65_d50[0][0] * xx + d65_d50[0][1] * yy + d65_d50[0][2] * zz); + y = 65535. * (d65_d50[1][0] * xx + d65_d50[1][1] * yy + d65_d50[1][2] * zz); + z = 65535. * (d65_d50[2][0] * xx + d65_d50[2][1] * yy + d65_d50[2][2] * zz); + + float Ll, aa, bb; + Color::XYZ2Lab(x, y, z, Ll, aa, bb); + lab->L[i][k] = Ll; + lab->a[i][k] = aa; + lab->b[i][k] = bb; + } + } +*/ +} + + } void ImProcFunctions::softproc(const LabImage* bufcolorig, const LabImage* bufcolfin, float rad, int bfh, int bfw, float epsilmax, float epsilmin, float thres, int sk, bool multiThread, int flag) @@ -2900,7 +4385,7 @@ void ImProcFunctions::softproc(const LabImage* bufcolorig, const LabImage* bufco const float bepsil = epsilmin; //epsilmax - 100.f * aepsil; // const float epsil = aepsil * 0.1f * rad + bepsil; const float epsil = aepsil * rad + bepsil; - const float blur = 10.f / sk * (thres + 0.8f * rad); + const float blur = 10.f / sk * (thres + 0.f * rad); rtengine::guidedFilter(guid, ble, ble, blur, epsil, multiThread, 4); @@ -2931,6 +4416,34 @@ void ImProcFunctions::softproc(const LabImage* bufcolorig, const LabImage* bufco rtengine::guidedFilter(guid, ble, ble, r2, epsil, multiThread); +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int ir = 0; ir < bfh; ir++) { + for (int jr = 0; jr < bfw; jr++) { + bufcolfin->L[ir][jr] = 32768.f * ble[ir][jr]; + } + } + } else if (flag == 2) { + +#ifdef _OPENMP + #pragma omp parallel for if(multiThread) +#endif + for (int ir = 0; ir < bfh; ir++) + for (int jr = 0; jr < bfw; jr++) { + ble[ir][jr] = bufcolfin->L[ir][jr] / 32768.f; + guid[ir][jr] = bufcolorig->L[ir][jr] / 32768.f; + } + + const float aepsil = (epsilmax - epsilmin) / 1000.f; + const float bepsil = epsilmin; //epsilmax - 100.f * aepsil; + const float epsil = rad < 0.f ? 0.0001f : aepsil * 10.f * rad + bepsil; + // const float epsil = bepsil; + const float blur = rad < 0.f ? -1.f / rad : 0.00001f + rad; + const int r2 = rtengine::max(int(20.f / sk * blur + 0.000001f), 1); + + rtengine::guidedFilter(guid, ble, ble, r2, epsil, multiThread); + #ifdef _OPENMP #pragma omp parallel for if(multiThread) #endif @@ -3726,7 +5239,7 @@ void ImProcFunctions::InverseBlurNoise_Local(LabImage * originalmask, const stru -static void mean_fab(int xstart, int ystart, int bfw, int bfh, LabImage* bufexporig, const LabImage* original, float &fab, float &meanfab, float chrom, bool multiThread) +static void mean_fab(int xstart, int ystart, int bfw, int bfh, LabImage* bufexporig, int flag, const LabImage* original, float &fab, float &meanfab, float &maxfab, float chrom, bool multiThread) { const int nbfab = bfw * bfh; @@ -3735,38 +5248,56 @@ static void mean_fab(int xstart, int ystart, int bfw, int bfh, LabImage* bufexpo if (nbfab > 0) { double sumab = 0.0; - -#ifdef _OPENMP +#ifdef _OPENMP #pragma omp parallel for reduction(+:sumab) if(multiThread) #else static_cast(multiThread); #endif for (int y = 0; y < bfh; y++) { for (int x = 0; x < bfw; x++) { - bufexporig->a[y][x] = original->a[y + ystart][x + xstart]; - bufexporig->b[y][x] = original->b[y + ystart][x + xstart]; - sumab += static_cast(std::fabs(bufexporig->a[y][x])); - sumab += static_cast(std::fabs(bufexporig->b[y][x])); + if(flag == 0) { + bufexporig->a[y][x] = original->a[y + ystart][x + xstart]; + bufexporig->b[y][x] = original->b[y + ystart][x + xstart]; + } else { + bufexporig->a[y][x] = original->a[y][x]; + bufexporig->b[y][x] = original->b[y][x]; + } + sumab += static_cast(SQR(std::fabs(bufexporig->a[y][x])) + SQR(std::fabs(bufexporig->b[y][x]))); + + // sumab += static_cast(std::fabs(bufexporig->a[y][x])); + // sumab += static_cast(std::fabs(bufexporig->b[y][x])); } } - meanfab = sumab / (2.0 * nbfab); + meanfab = sqrt(sumab / (2.0 * nbfab)); double som = 0.0; - + double maxm = 0.0; #ifdef _OPENMP - #pragma omp parallel for reduction(+:som) if(multiThread) + #pragma omp parallel for reduction(+:som) reduction(max:maxfab)if(multiThread) #endif for (int y = 0; y < bfh; y++) { for (int x = 0; x < bfw; x++) { som += static_cast(SQR(std::fabs(bufexporig->a[y][x]) - meanfab) + SQR(std::fabs(bufexporig->b[y][x]) - meanfab)); + maxm = static_cast(SQR(std::fabs(bufexporig->a[y][x])) + SQR(std::fabs(bufexporig->b[y][x]))); + maxm = sqrt(maxm); + if(maxm > (double) maxfab) { + maxfab = (float) maxm; + } + } } - const float multsigma = (chrom >= 0.f ? 0.035f : 0.018f) * chrom + 1.f; + const float multsigma = 3.f ;//(chrom >= 0.f ? 0.035f : 0.018f) * chrom + 1.f; //disabled an use 2 stddv + const float kf = 0.f; + const float multchrom = 1.f + kf * chrom; //small correction chrom here 0.f const float stddv = std::sqrt(som / nbfab); - fab = meanfab + multsigma * stddv; + float fabprov = meanfab + multsigma * stddv * multchrom;//with 3 sigma about 99% cases + if(fabprov > maxfab) { + fabprov = maxfab; + } + fab = max(fabprov, 0.90f* maxfab);//Find maxi between mean + 3 sigma and 90% max (90 arbitrary empirical value) if (fab <= 0.f) { fab = 50.f; @@ -4569,7 +6100,7 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int const LocwavCurve & loclmasCurvecolwav, bool lmasutilicolwav, int level_bl, int level_hl, int level_br, int level_hr, int shortcu, bool delt, const float hueref, const float chromaref, const float lumaref, float maxdE, float mindE, float maxdElim, float mindElim, float iterat, float limscope, int scope, - bool fftt, float blu_ma, float cont_ma, int indic + bool fftt, float blu_ma, float cont_ma, int indic, float &fab ) @@ -4579,9 +6110,20 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int array2D hue(bfw, bfh); array2D guid(bfw, bfh); const std::unique_ptr bufreserv(new LabImage(bfw, bfh)); - float meanfab, fab; - mean_fab(xstart, ystart, bfw, bfh, bufcolorig, original, fab, meanfab, chrom, multiThread); - float chromult = 1.f - 0.01f * chrom; + float meanfab, corfab; + float maxfab = -1000.f; + float epsi = 0.001f; + mean_fab(xstart, ystart, bfw, bfh, bufcolorig, 0, original, fab, meanfab, maxfab, chrom, multiThread); + corfab = 0.7f * (65535.f) / (fab + epsi);//empirical values 0.7 link to chromult + + // printf("Fab=%f corfab=%f maxfab=%f\n", (double) fab, (double) corfab, (double) maxfab); + float chromult = 1.f; + if(chrom > 0.f){ + chromult = 1.f + 0.003f * chrom; + } else { + chromult = 1.f + 0.01f * chrom; + } + // chromult * corfab * kmaskC float kinv = 1.f; float kneg = 1.f; @@ -4688,6 +6230,133 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int } } +//denoise mask chroma + + + LabImage tmpab(bfw, bfh); + tmpab.clear(true); + +#ifdef _OPENMP + #pragma omp parallel for if (multiThread) +#endif + for (int ir = 0; ir < bfh; ir++) + for (int jr = 0; jr < bfw; jr++) { + tmpab.L[ir][jr] = bufcolorig->L[ir][jr]; + tmpab.a[ir][jr] = bufcolorig->a[ir][jr]; + tmpab.b[ir][jr] = bufcolorig->b[ir][jr]; + } + float noisevarab_r = SQR(lp.denoichmask / 10.f); + if(noisevarab_r > 0.f) { + int wavelet_leve = 6; + + int minwin1 = rtengine::min(bfw, bfh); + int maxlevelspot1 = 9; + + while ((1 << maxlevelspot1) >= (minwin1 * sk) && maxlevelspot1 > 1) { + --maxlevelspot1 ; + } + + wavelet_leve = rtengine::min(wavelet_leve, maxlevelspot1); + int maxlvl1 = wavelet_leve; +#ifdef _OPENMP + const int numThreads = omp_get_max_threads(); +#else + const int numThreads = 1; + +#endif + + wavelet_decomposition Ldecomp(tmpab.L[0],tmpab.W, tmpab.H, maxlvl1, 1, sk, numThreads, lp.daubLen); + wavelet_decomposition adecomp(tmpab.a[0],tmpab.W, tmpab.H, maxlvl1, 1, sk, numThreads, lp.daubLen); + wavelet_decomposition bdecomp(tmpab.b[0],tmpab.W, tmpab.H, maxlvl1, 1, sk, numThreads, lp.daubLen); + float* noisevarchrom; + noisevarchrom = new float[bfw*bfh]; + float nvch = 0.6f;//high value + float nvcl = 0.1f;//low value + float seuil = 4000.f;//low + float seuil2 = 15000.f;//high + //ac and bc for transition + float ac = (nvch - nvcl) / (seuil - seuil2); + float bc = nvch - seuil * ac; + int bfw2 = (bfw + 1) / 2; + +#ifdef _OPENMP + #pragma omp parallel for if (multiThread) +#endif + for (int ir = 0; ir < bfh; ir++) + for (int jr = 0; jr < bfw; jr++) { + float cN = std::sqrt(SQR(tmpab.a[ir][jr]) + SQR(tmpab.b[ir][jr])); + + if (cN < seuil) { + noisevarchrom[(ir >> 1)*bfw2 + (jr >> 1)] = nvch; + } else if (cN < seuil2) { + noisevarchrom[(ir >> 1)*bfw2 + (jr >> 1)] = ac * cN + bc; + } else { + noisevarchrom[(ir >> 1)*bfw2 + (jr >> 1)] = nvcl; + } + } + + float madL[8][3]; + int levred = maxlvl1; + if (!Ldecomp.memory_allocation_failed()) { +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic) collapse(2) if (multiThread) +#endif + for (int lvl = 0; lvl < levred; lvl++) { + for (int dir = 1; dir < 4; dir++) { + int Wlvl_L = Ldecomp.level_W(lvl); + int Hlvl_L = Ldecomp.level_H(lvl); + const float* const* WavCoeffs_L = Ldecomp.level_coeffs(lvl); + + madL[lvl][dir - 1] = SQR(Mad(WavCoeffs_L[dir], Wlvl_L * Hlvl_L)); + } + } + } + + if (!adecomp.memory_allocation_failed() && !bdecomp.memory_allocation_failed()) { + WaveletDenoiseAll_BiShrinkAB(Ldecomp, adecomp, noisevarchrom, madL, nullptr, 0, noisevarab_r, true, false, false, numThreads); + WaveletDenoiseAllAB(Ldecomp, adecomp, noisevarchrom, madL, nullptr, 0, noisevarab_r, true, false, false, numThreads); + + WaveletDenoiseAll_BiShrinkAB(Ldecomp, bdecomp, noisevarchrom, madL, nullptr, 0, noisevarab_r, false, false, false, numThreads); + WaveletDenoiseAllAB(Ldecomp, bdecomp, noisevarchrom, madL, nullptr, 0, noisevarab_r, false, false, false, numThreads); + + } + + delete[] noisevarchrom; + + if (!Ldecomp.memory_allocation_failed()) { + Ldecomp.reconstruct(tmpab.L[0]); + } + if (!adecomp.memory_allocation_failed()) { + adecomp.reconstruct(tmpab.a[0]); + } + if (!bdecomp.memory_allocation_failed()) { + bdecomp.reconstruct(tmpab.b[0]); + } + + float meanfab1, fab1, maxfab1; + std::unique_ptr buforig; + buforig.reset(new LabImage(bfw, bfh)); +#ifdef _OPENMP + #pragma omp parallel for if (multiThread) +#endif + for (int ir = 0; ir < bfh; ir++) + for (int jr = 0; jr < bfw; jr++) { + buforig->L[ir][jr] = tmpab.L[ir][jr]; + buforig->a[ir][jr] = tmpab.a[ir][jr]; + buforig->b[ir][jr] = tmpab.b[ir][jr]; + } + + + mean_fab(xstart, ystart, bfw, bfh, buforig.get(), 1, buforig.get(), fab1, meanfab1, maxfab1, chrom, multiThread); + // printf("Fab den=%f \n", (double) fab1); + fab = fab1;//fab denoise + + } +// end code denoise mask chroma + + + + #ifdef _OPENMP #pragma omp parallel if (multiThread) #endif @@ -4706,11 +6375,13 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int int i = 0; for (; i < bfw - 3; i += 4) { - STVF(atan2Buffer[i], xatan2f(LVFU(bufcolorig->b[ir][i]), LVFU(bufcolorig->a[ir][i]))); + // STVF(atan2Buffer[i], xatan2f(LVFU(bufcolorig->b[ir][i]), LVFU(bufcolorig->a[ir][i]))); + STVF(atan2Buffer[i], xatan2f(LVFU(tmpab.b[ir][i]), LVFU(tmpab.a[ir][i]))); } for (; i < bfw; i++) { - atan2Buffer[i] = xatan2f(bufcolorig->b[ir][i], bufcolorig->a[ir][i]); + // atan2Buffer[i] = xatan2f(bufcolorig->b[ir][i], bufcolorig->a[ir][i]); + atan2Buffer[i] = xatan2f(tmpab.b[ir][i], tmpab.a[ir][i]); } } @@ -4745,14 +6416,16 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int } if (!deltaE && locccmasCurve && lcmasutili) { - kmaskC = LIM01(kinv - kneg * locccmasCurve[500.f * (0.0001f + std::sqrt(SQR(bufcolorig->a[ir][jr]) + SQR(bufcolorig->b[ir][jr])) / fab)]); + // kmaskC = LIM01(kinv - kneg * locccmasCurve[500.f * (0.0001f + std::sqrt(SQR(bufcolorig->a[ir][jr]) + SQR(bufcolorig->b[ir][jr])) / (fab))]); + kmaskC = LIM01(kinv - kneg * locccmasCurve[500.f * (0.0001f + std::sqrt(SQR(tmpab.a[ir][jr]) + SQR(tmpab.b[ir][jr])) / fab)]); } if (lochhmasCurve && lhmasutili) { #ifdef __SSE2__ const float huema = atan2Buffer[jr]; #else - const float huema = xatan2f(bufcolorig->b[ir][jr], bufcolorig->a[ir][jr]); + // const float huema = xatan2f(bufcolorig->b[ir][jr], bufcolorig->a[ir][jr]); + const float huema = xatan2f(tmpab.b[ir][jr], tmpab.a[ir][jr]); #endif float h = Color::huelab_to_huehsv2(huema); h += 1.f / 6.f; @@ -4771,8 +6444,8 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int } bufmaskblurcol->L[ir][jr] = clipLoc(kmaskL + kmaskHL + kmasstru + kmasblur); - bufmaskblurcol->a[ir][jr] = clipC((kmaskC + chromult * kmaskH)); - bufmaskblurcol->b[ir][jr] = clipC((kmaskC + chromult * kmaskH)); + bufmaskblurcol->a[ir][jr] = clipC((chromult * corfab * kmaskC + chromult * kmaskH)); + bufmaskblurcol->b[ir][jr] = clipC((chromult * corfab * kmaskC + chromult * kmaskH)); if (shortcu == 1) { //short circuit all L curve bufmaskblurcol->L[ir][jr] = 32768.f - bufcolorig->L[ir][jr]; @@ -4788,6 +6461,7 @@ void ImProcFunctions::maskcalccol(bool invmask, bool pde, int bfw, int bfh, int } } } + if (lap > 0.f && pde) { array2D mask; mask(bfw, bfh); @@ -5327,7 +7001,6 @@ void ImProcFunctions::Sharp_Local(int call, float **loctemp, int senstype, const const float maxdE = 5.f + MAXSCOPE * varsens * (1 + 0.1f * lp.thr); const float mindElim = 2.f + MINSCOPE * limscope * lp.thr; const float maxdElim = 5.f + MAXSCOPE * limscope * (1 + 0.1f * lp.thr); - #ifdef _OPENMP #pragma omp for schedule(dynamic,16) #endif @@ -6375,7 +8048,7 @@ void ImProcFunctions::calc_ref(int sp, LabImage * original, LabImage * transform if (params->locallab.enabled) { //always calculate hueref, chromaref, lumaref before others operations use in normal mode for all modules exceprt denoise struct local_params lp; - calcLocalParams(sp, oW, oH, params->locallab, lp, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, locwavCurveden, locwavdenutili); + calcLocalParams(sp, oW, oH, params->locallab, lp, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, locwavCurveden, locwavdenutili); int begy = lp.yc - lp.lyT; int begx = lp.xc - lp.lxL; int yEn = lp.yc + lp.ly; @@ -6863,9 +8536,10 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in varsens = lp.sensilog; } else if (senstype == 20) { //common mask varsens = lp.sensimas; - } + } else if (senstype == 31) { //ciecam + varsens = lp.sensicie; + } bool delt = lp.deltaem; - //sobel sobelref /= 100.f; meansobel /= 100.f; @@ -6890,6 +8564,7 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in const bool lcshow = ((lp.showmasklcmet == 1 || lp.showmasklcmet == 2) && senstype == 10); const bool origshow = ((lp.showmasksoftmet == 5) && senstype == 3 && lp.softmet == 1); const bool logshow = ((lp.showmasklogmet == 1 || lp.showmasklogmet == 2) && senstype == 11); + const bool cieshow = ((lp.showmaskciemet == 1 || lp.showmaskciemet == 2) && senstype == 31); const bool masshow = ((lp.showmask_met == 1) && senstype == 20); @@ -6902,6 +8577,7 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in const bool previeworig = ((lp.showmasksoftmet == 6) && senstype == 3 && lp.softmet == 1); const bool previewmas = ((lp.showmask_met == 3) && senstype == 20); const bool previewlog = ((lp.showmasklogmet == 4) && senstype == 11); + const bool previewcie = ((lp.showmaskciemet == 4) && senstype == 31); float radius = 3.f / sk; @@ -6917,7 +8593,7 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in std::unique_ptr origblurmask; //balance deltaE - const float kL = lp.balance / SQR(327.68f); + float kL = lp.balance / SQR(327.68f); const float kab = balancedeltaE(lp.balance) / SQR(327.68f); const float kH = lp.balanceh; const float kch = balancedeltaE(kH); @@ -6932,7 +8608,10 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in float darklim = 5000.f; float aadark = -1.f; float bbdark = darklim; - + bool usemask = true; + if(originalmask == nullptr) { + usemask = false; + } const bool usemaskvib = (lp.showmaskvibmet == 2 || lp.enavibMask || lp.showmaskvibmet == 4) && senstype == 2; const bool usemaskexp = (lp.showmaskexpmet == 2 || lp.enaExpMask || lp.showmaskexpmet == 5) && senstype == 1; const bool usemaskcol = (lp.showmaskcolmet == 2 || lp.enaColorMask || lp.showmaskcolmet == 5) && senstype == 0; @@ -6941,8 +8620,8 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in const bool usemasklc = (lp.showmasklcmet == 2 || lp.enalcMask || lp.showmasklcmet == 4) && senstype == 10; const bool usemaskmas = (lp.showmask_met == 1 || lp.ena_Mask || lp.showmask_met == 3) && senstype == 20; const bool usemasklog = (lp.showmasklogmet == 2 || lp.enaLMask || lp.showmasklogmet == 4) && senstype == 11; - const bool usemaskall = (usemaskexp || usemaskvib || usemaskcol || usemaskSH || usemasktm || usemasklc || usemasklog || usemaskmas); - + const bool usemaskcie = (lp.showmaskciemet == 2 || lp.enacieMask || lp.showmaskciemet == 4) && senstype == 31; + const bool usemaskall = usemask && (usemaskexp || usemaskvib || usemaskcol || usemaskSH || usemasktm || usemasklc || usemasklog || usemaskcie || usemaskmas); //blur a little mask if (usemaskall) { origblurmask.reset(new LabImage(bfw, bfh)); @@ -7042,6 +8721,13 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in const LabImage *maskptr = usemaskall ? origblurmask.get() : origblur.get(); //parameters deltaE + //increase a bit lp.thr and lp.iterat and kL if HDR only with log encoding and CAM16 Jz + if(senstype == 11 || senstype == 31) { + lp.thr *= 1.2f; + lp.iterat *= 1.2f; + kL *= 1.2f; + } + const float mindE = 2.f + MINSCOPE * varsens * lp.thr; const float maxdE = 5.f + MAXSCOPE * varsens * (1 + 0.1f * lp.thr); const float mindElim = 2.f + MINSCOPE * limscope * lp.thr; @@ -7160,13 +8846,13 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in const float difb = factorx * realstrbdE; float maxdifab = rtengine::max(std::fabs(difa), std::fabs(difb)); - if ((expshow || vibshow || colshow || SHshow || tmshow || lcshow || logshow || origshow || masshow) && lp.colorde < 0) { //show modifications with use "b" + if ((expshow || vibshow || colshow || SHshow || tmshow || lcshow || logshow || cieshow || origshow || masshow) && lp.colorde < 0) { //show modifications with use "b" // (origshow && lp.colorde < 0) { //original Retinex transformed->a[y + ystart][x + xstart] = 0.f; transformed->b[y + ystart][x + xstart] = ampli * 8.f * diflc * reducdE; transformed->L[y + ystart][x + xstart] = CLIP(12000.f + 0.5f * ampli * diflc); - } else if ((expshow || vibshow || colshow || SHshow || tmshow || lcshow || logshow || origshow || masshow) && lp.colorde > 0) {//show modifications without use "b" + } else if ((expshow || vibshow || colshow || SHshow || tmshow || lcshow || logshow || cieshow || origshow || masshow) && lp.colorde > 0) {//show modifications without use "b" if (diflc < 1000.f) {//if too low to be view use ab diflc += 0.5f * maxdifab; } @@ -7174,7 +8860,7 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in transformed->L[y + ystart][x + xstart] = CLIP(12000.f + 0.5f * ampli * diflc); transformed->a[y + ystart][x + xstart] = clipC(ampli * difa); transformed->b[y + ystart][x + xstart] = clipC(ampli * difb); - } else if (previewexp || previewvib || previewcol || previewSH || previewtm || previewlc || previewlog || previeworig || previewmas || lp.prevdE) {//show deltaE + } else if (previewexp || previewvib || previewcol || previewSH || previewtm || previewlc || previewlog || previewcie || previeworig || previewmas || lp.prevdE) {//show deltaE float difbdisp = reducdE * 10000.f * lp.colorde; if (transformed->L[y + ystart][x + xstart] < darklim) { //enhance dark luminance as user can see! @@ -7872,6 +9558,81 @@ void ImProcFunctions::Compresslevels(float **Source, int W_L, int H_L, float com } } +void ImProcFunctions::wavlc(wavelet_decomposition& wdspot, int level_bl, int level_hl, int maxlvl, int level_hr, int level_br, float ahigh, float bhigh, float alow, float blow, float sigmalc, float strength, const LocwavCurve & locwavCurve, int numThreads) +{ + float mean[10]; + float meanN[10]; + float sigma[10]; + float sigmaN[10]; + float MaxP[10]; + float MaxN[10]; + + Evaluate2(wdspot, mean, meanN, sigma, sigmaN, MaxP, MaxN, numThreads); + for (int dir = 1; dir < 4; dir++) { + for (int level = level_bl; level < maxlvl; ++level) { + int W_L = wdspot.level_W(level); + int H_L = wdspot.level_H(level); + float klev = 1.f; + + if (level >= level_hl && level <= level_hr) { + klev = 1.f; + } + + if (level_hl != level_bl) { + if (level >= level_bl && level < level_hl) { + klev = alow * level + blow; + } + } + + if (level_hr != level_br) { + if (level > level_hr && level <= level_br) { + klev = ahigh * level + bhigh; + } + } + float* const* wav_L = wdspot.level_coeffs(level); + + if (MaxP[level] > 0.f && mean[level] != 0.f && sigma[level] != 0.f) { + constexpr float insigma = 0.666f; //SD + const float logmax = log(MaxP[level]); //log Max + const float rapX = (mean[level] + sigmalc * sigma[level]) / MaxP[level]; //rapport between sD / max + const float inx = log(insigma); + const float iny = log(rapX); + const float rap = inx / iny; //koef + const float asig = 0.166f / (sigma[level] * sigmalc); + const float bsig = 0.5f - asig * mean[level]; + const float amean = 0.5f / mean[level]; + const float limit1 = mean[level] + sigmalc * sigma[level]; + const float limit2 = mean[level]; +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic, 16 * W_L) if (multiThread) +#endif + for (int i = 0; i < W_L * H_L; i++) { + const float val = std::fabs(wav_L[dir][i]); + + float absciss; + if (val >= limit1) { //for max + const float valcour = xlogf(val); + absciss = xexpf((valcour - logmax) * rap); + } else if (val >= limit2) { + absciss = asig * val + bsig; + } else { + absciss = amean * val; + } + + const float kc = klev * (locwavCurve[absciss * 500.f] - 0.5f); + const float reduceeffect = kc <= 0.f ? 1.f : strength; + + float kinterm = 1.f + reduceeffect * kc; + kinterm = kinterm <= 0.f ? 0.01f : kinterm; + + wav_L[dir][i] *= kinterm <= 0.f ? 0.01f : kinterm; + } + } + } + } + +} + void ImProcFunctions::wavcont(const struct local_params& lp, float ** tmp, wavelet_decomposition& wdspot, int level_bl, int maxlvl, const LocwavCurve & loclevwavCurve, bool loclevwavutili, const LocwavCurve & loccompwavCurve, bool loccompwavutili, @@ -8632,75 +10393,8 @@ void ImProcFunctions::wavcontrast4(struct local_params& lp, float ** tmp, float //edge sharpness end if (locwavCurve && locwavutili && wavcurve) {//simple local contrast in function luminance - float mean[10]; - float meanN[10]; - float sigma[10]; - float sigmaN[10]; - float MaxP[10]; - float MaxN[10]; - Evaluate2(*wdspot, mean, meanN, sigma, sigmaN, MaxP, MaxN, numThreads); - for (int dir = 1; dir < 4; dir++) { - for (int level = level_bl; level < maxlvl; ++level) { - int W_L = wdspot->level_W(level); - int H_L = wdspot->level_H(level); - float klev = 1.f; - - if (level >= level_hl && level <= level_hr) { - klev = 1.f; - } - - if (level_hl != level_bl) { - if (level >= level_bl && level < level_hl) { - klev = alow * level + blow; - } - } - - if (level_hr != level_br) { - if (level > level_hr && level <= level_br) { - klev = ahigh * level + bhigh; - } - } - float* const* wav_L = wdspot->level_coeffs(level); - - if (MaxP[level] > 0.f && mean[level] != 0.f && sigma[level] != 0.f) { - constexpr float insigma = 0.666f; //SD - const float logmax = log(MaxP[level]); //log Max - const float rapX = (mean[level] + lp.sigmalc * sigma[level]) / MaxP[level]; //rapport between sD / max - const float inx = log(insigma); - const float iny = log(rapX); - const float rap = inx / iny; //koef - const float asig = 0.166f / (sigma[level] * lp.sigmalc); - const float bsig = 0.5f - asig * mean[level]; - const float amean = 0.5f / mean[level]; - const float limit1 = mean[level] + lp.sigmalc * sigma[level]; - const float limit2 = mean[level]; -#ifdef _OPENMP - #pragma omp parallel for schedule(dynamic, 16 * W_L) if (multiThread) -#endif - for (int i = 0; i < W_L * H_L; i++) { - const float val = std::fabs(wav_L[dir][i]); - - float absciss; - if (val >= limit1) { //for max - const float valcour = xlogf(val); - absciss = xexpf((valcour - logmax) * rap); - } else if (val >= limit2) { - absciss = asig * val + bsig; - } else { - absciss = amean * val; - } - - const float kc = klev * (locwavCurve[absciss * 500.f] - 0.5f); - const float reduceeffect = kc <= 0.f ? 1.f : 1.5f; - - float kinterm = 1.f + reduceeffect * kc; - kinterm = kinterm <= 0.f ? 0.01f : kinterm; - - wav_L[dir][i] *= kinterm <= 0.f ? 0.01f : kinterm; - } - } - } - } + float strengthlc = 1.5f; + wavlc(*wdspot, level_bl, level_hl, maxlvl, level_hr, level_br, ahigh, bhigh, alow, blow, lp.sigmalc, strengthlc, locwavCurve, numThreads); } //reconstruct all for L wdspot->reconstruct(tmp[0], 1.f); @@ -8756,6 +10450,74 @@ void ImProcFunctions::wavcontrast4(struct local_params& lp, float ** tmp, float if (reconstruct) { wdspot->reconstruct(tmpb[0], 1.f); } + + + //gamma and slope residual image - be carefull memory + bool tonecur = false; + const Glib::ustring profile = params->icm.workingProfile; + bool isworking = (profile == "sRGB" || profile == "Adobe RGB" || profile == "ProPhoto" || profile == "WideGamut" || profile == "BruceRGB" || profile == "Beta RGB" || profile == "BestRGB" || profile == "Rec2020" || profile == "ACESp0" || profile == "ACESp1"); + + if (isworking && (lp.residgam != 2.4f || lp.residslop != 12.92f)) { + tonecur = true; + } + + if(tonecur) { + std::unique_ptr wdspotL(new wavelet_decomposition(tmp[0], bfw, bfh, maxlvl, 1, sk, numThreads, lp.daubLen)); + if (wdspotL->memory_allocation_failed()) { + return; + } + std::unique_ptr wdspota(new wavelet_decomposition(tmpa[0], bfw, bfh, maxlvl, 1, sk, numThreads, lp.daubLen)); + if (wdspota->memory_allocation_failed()) { + return; + } + std::unique_ptr wdspotb(new wavelet_decomposition(tmpb[0], bfw, bfh, maxlvl, 1, sk, numThreads, lp.daubLen)); + if (wdspotb->memory_allocation_failed()) { + return; + } + int W_Level = wdspotL->level_W(0); + int H_Level = wdspotL->level_H(0); + float *wav_L0 = wdspotL->get_coeff0(); + float *wav_a0 = wdspota->get_coeff0(); + float *wav_b0 = wdspotb->get_coeff0(); + + const std::unique_ptr labresid(new LabImage(W_Level, H_Level)); +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < H_Level; y++) { + for (int x = 0; x < W_Level; x++) { + labresid->L[y][x] = wav_L0[y * W_Level + x]; + labresid->a[y][x] = wav_a0[y * W_Level + x]; + labresid->b[y][x] = wav_b0[y * W_Level + x]; + } + } + + Imagefloat *tmpImage = nullptr; + tmpImage = new Imagefloat(W_Level, H_Level); + lab2rgb(*labresid, *tmpImage, params->icm.workingProfile); + Glib::ustring prof = params->icm.workingProfile; + cmsHTRANSFORM dummy = nullptr; + int ill =0; + workingtrc(tmpImage, tmpImage, W_Level, H_Level, -5, prof, 2.4, 12.92310, ill, 0, dummy, true, false, false); + workingtrc(tmpImage, tmpImage, W_Level, H_Level, 1, prof, lp.residgam, lp.residslop, ill, 0, dummy, false, true, true);//be carefull no gamut control + rgb2lab(*tmpImage, *labresid, params->icm.workingProfile); + delete tmpImage; + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < H_Level; y++) { + for (int x = 0; x < W_Level; x++) { + wav_L0[y * W_Level + x] = labresid->L[y][x]; + wav_a0[y * W_Level + x] = labresid->a[y][x]; + wav_b0[y * W_Level + x] = labresid->b[y][x]; + } + } + + wdspotL->reconstruct(tmp[0], 1.f); + wdspota->reconstruct(tmpa[0], 1.f); + wdspotb->reconstruct(tmpb[0], 1.f); + } } @@ -9117,6 +10879,29 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl tmp1.b[ir][jr] = original->b[ir][jr]; } + float gamma = lp.noisegam; + rtengine::GammaValues g_a; //gamma parameters + double pwr = 1.0 / (double) lp.noisegam;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + + if(gamma > 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < GH; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < GW - 3; x += 4) { + STVFU(tmp1.L[y][x], F2V(32768.f) * igammalog(LVFU(tmp1.L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < GW; ++x) { + tmp1.L[y][x] = 32768.f * igammalog(tmp1.L[y][x] / 32768.f, gamma, ts, g_a[2], g_a[4]); + } + } + } + // int DaubLen = 6; int levwavL = levred; @@ -9663,11 +11448,27 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl } + if(gamma > 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < GH; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < GW - 3; x += 4) { + STVFU(tmp1.L[y][x], F2V(32768.f) * gammalog(LVFU(tmp1.L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < GW; ++x) { + tmp1.L[y][x] = 32768.f * gammalog(tmp1.L[y][x] / 32768.f, gamma, ts, g_a[3], g_a[4]); + } + } + } + if(lp.nlstr > 0) { NLMeans(tmp1.L, lp.nlstr, lp.nldet, lp.nlpat, lp.nlrad, lp.nlgam, GW, GH, float (sk), multiThread); - // NLMeans(*nlm, lp.nlstr, lp.nldet, lp.nlpat, lp.nlrad, lp.nlgam, GW + addsiz, GH + addsiz, float (sk), multiThread); - } + if(lp.smasktyp != 0) { if(lp.enablMask && lp.recothrd != 1.f) { LabImage tmp3(GW, GH); @@ -9793,6 +11594,29 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl } + float gamma = lp.noisegam; + rtengine::GammaValues g_a; //gamma parameters + double pwr = 1.0 / (double) lp.noisegam;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + if(gamma > 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) { + int x = 0; + +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufwv.L[y][x], F2V(32768.f) * igammalog(LVFU(bufwv.L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bfw; ++x) { + bufwv.L[y][x] = 32768.f * igammalog(bufwv.L[y][x] / 32768.f, gamma, ts, g_a[2], g_a[4]); + } + } + } + // int DaubLen = 6; int levwavL = levred; @@ -10335,13 +12159,29 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl } } + if(gamma > 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh ; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; + +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { - if(lp.nlstr > 0) { - NLMeans(bufwv.L, lp.nlstr, lp.nldet, lp.nlpat, lp.nlrad, lp.nlgam, bfw, bfh, 1.f, multiThread); - // NLMeans(*nlm, lp.nlstr, lp.nldet, lp.nlpat, lp.nlrad, lp.nlgam, bfw + addsiz, bfh + addsiz, 1.f, multiThread); + STVFU(bufwv.L[y][x], F2V(32768.f) * gammalog(LVFU(bufwv.L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw ; ++x) { - - } + bufwv.L[y][x] = 32768.f * gammalog(bufwv.L[y][x] / 32768.f, gamma, ts, g_a[3], g_a[4]); + } + } + } + + if(lp.nlstr > 0) { + NLMeans(bufwv.L, lp.nlstr, lp.nldet, lp.nlpat, lp.nlrad, lp.nlgam, bfw, bfh, 1.f, multiThread); + } if (lp.smasktyp != 0) { @@ -10481,7 +12321,7 @@ void rgbtone(float& maxval, float& medval, float& minval, const LUTf& lutToneCur medval = minval + ((maxval - minval) * (medvalold - minvalold) / (maxvalold - minvalold)); } -void clarimerge(struct local_params& lp, float &mL, float &mC, bool &exec, LabImage *tmpresid, int wavelet_level, int sk, int numThreads) +void ImProcFunctions::clarimerge(const struct local_params& lp, float &mL, float &mC, bool &exec, LabImage *tmpresid, int wavelet_level, int sk, int numThreads) { if (mL != 0.f && mC == 0.f) { mC = 0.0001f; @@ -10617,6 +12457,10 @@ void ImProcFunctions::avoidcolshi(const struct local_params& lp, int sp, LabImag { if (params->locallab.spots.at(sp).avoid && lp.islocal) { const float ach = lp.trans / 100.f; + bool execmunsell = true; + if(params->locallab.spots.at(sp).expcie && (params->locallab.spots.at(sp).modecam == "all" || params->locallab.spots.at(sp).modecam == "jz" || params->locallab.spots.at(sp).modecam == "cam16")) { + execmunsell = false; + } TMatrix wiprof = ICCStore::getInstance()->workingSpaceInverseMatrix(params->icm.workingProfile); const double wip[3][3] = {//improve precision with double @@ -10762,7 +12606,9 @@ void ImProcFunctions::avoidcolshi(const struct local_params& lp, int sp, LabImag float correctlum = 0.f; const float memChprov = std::sqrt(SQR(original->a[y][x]) + SQR(original->b[y][x])) / 327.68f; float Chprov = std::sqrt(SQR(transformed->a[y][x]) + SQR(transformed->b[y][x])) / 327.68f; - Color::AllMunsellLch(true, Lprov1, Lprov2, HH, Chprov, memChprov, correctionHue, correctlum); + if(execmunsell) { + Color::AllMunsellLch(true, Lprov1, Lprov2, HH, Chprov, memChprov, correctionHue, correctlum); + } if (std::fabs(correctionHue) < 0.015f) { HH += correctlum; // correct only if correct Munsell chroma very small. @@ -10853,7 +12699,6 @@ void ImProcFunctions::avoidcolshi(const struct local_params& lp, int sp, LabImag void maskrecov(const LabImage * bufcolfin, LabImage * original, LabImage * bufmaskblurcol, int bfh, int bfw, int ystart, int xstart, float hig, float low, float recoth, float decay, bool invmask, int sk, bool multiThread) { LabImage tmp3(bfw, bfh); - for (int y = 0; y < bfh; y++){ for (int x = 0; x < bfw; x++) { tmp3.L[y][x] = original->L[y + ystart][x + xstart]; @@ -11289,6 +13134,7 @@ void ImProcFunctions::Lab_Local( const LUTf& cllocalcurve, bool localclutili, const LUTf& lclocalcurve, bool locallcutili, const LocLHCurve& loclhCurve, const LocHHCurve& lochhCurve, const LocCHCurve& locchCurve, + const LocHHCurve& lochhCurvejz, const LocCHCurve& locchCurvejz, const LocLHCurve& loclhCurvejz, const LUTf& lmasklocalcurve, bool localmaskutili, const LUTf& lmaskexplocalcurve, bool localmaskexputili, const LUTf& lmaskSHlocalcurve, bool localmaskSHutili, @@ -11300,6 +13146,12 @@ void ImProcFunctions::Lab_Local( const LUTf& lmasklclocalcurve, bool localmasklcutili, const LUTf& lmaskloglocalcurve, bool localmasklogutili, const LUTf& lmasklocal_curve, bool localmask_utili, + const LUTf& lmaskcielocalcurve, bool localmaskcieutili, + const LUTf& cielocalcurve, bool localcieutili, + const LUTf& cielocalcurve2, bool localcieutili2, + const LUTf& jzlocalcurve, bool localjzutili, + const LUTf& czlocalcurve, bool localczutili, + const LUTf& czjzlocalcurve, bool localczjzutili, const LocCCmaskCurve& locccmasCurve, bool lcmasutili, const LocLLmaskCurve& locllmasCurve, bool llmasutili, const LocHHmaskCurve& lochhmasCurve, bool lhmasutili, const LocHHmaskCurve& llochhhmasCurve, bool lhhmasutili, const LocCCmaskCurve& locccmasexpCurve, bool lcmasexputili, const LocLLmaskCurve& locllmasexpCurve, bool llmasexputili, const LocHHmaskCurve& lochhmasexpCurve, bool lhmasexputili, @@ -11312,10 +13164,13 @@ void ImProcFunctions::Lab_Local( const LocCCmaskCurve& locccmaslcCurve, bool lcmaslcutili, const LocLLmaskCurve& locllmaslcCurve, bool llmaslcutili, const LocHHmaskCurve& lochhmaslcCurve, bool lhmaslcutili, const LocCCmaskCurve& locccmaslogCurve, bool lcmaslogutili, const LocLLmaskCurve& locllmaslogCurve, bool llmaslogutili, const LocHHmaskCurve& lochhmaslogCurve, bool lhmaslogutili, const LocCCmaskCurve& locccmas_Curve, bool lcmas_utili, const LocLLmaskCurve& locllmas_Curve, bool llmas_utili, const LocHHmaskCurve& lochhmas_Curve, bool lhmas_utili, + const LocCCmaskCurve& locccmascieCurve, bool lcmascieutili, const LocLLmaskCurve& locllmascieCurve, bool llmascieutili, const LocHHmaskCurve& lochhmascieCurve, bool lhmascieutili, + const LocHHmaskCurve& lochhhmas_Curve, bool lhhmas_utili, const LocwavCurve& loclmasCurveblwav, bool lmasutiliblwav, const LocwavCurve& loclmasCurvecolwav, bool lmasutilicolwav, const LocwavCurve& locwavCurve, bool locwavutili, + const LocwavCurve& locwavCurvejz, bool locwavutilijz, const LocwavCurve& loclevwavCurve, bool loclevwavutili, const LocwavCurve& locconwavCurve, bool locconwavutili, const LocwavCurve& loccompwavCurve, bool loccompwavutili, @@ -11325,11 +13180,11 @@ void ImProcFunctions::Lab_Local( const LocwavCurve& locedgwavCurve, bool locedgwavutili, const LocwavCurve& loclmasCurve_wav, bool lmasutili_wav, - bool LHutili, bool HHutili, bool CHutili, const LUTf& cclocalcurve, bool localcutili, const LUTf& rgblocalcurve, bool localrgbutili, bool localexutili, const LUTf& exlocalcurve, const LUTf& hltonecurveloc, const LUTf& shtonecurveloc, const LUTf& tonecurveloc, const LUTf& lightCurveloc, + bool LHutili, bool HHutili, bool CHutili, bool HHutilijz, bool CHutilijz, bool LHutilijz, const LUTf& cclocalcurve, bool localcutili, const LUTf& rgblocalcurve, bool localrgbutili, bool localexutili, const LUTf& exlocalcurve, const LUTf& hltonecurveloc, const LUTf& shtonecurveloc, const LUTf& tonecurveloc, const LUTf& lightCurveloc, double& huerefblur, double& chromarefblur, double& lumarefblur, double& hueref, double& chromaref, double& lumaref, double& sobelref, int &lastsav, - bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, + bool prevDeltaE, int llColorMask, int llColorMaskinv, int llExpMask, int llExpMaskinv, int llSHMask, int llSHMaskinv, int llvibMask, int lllcMask, int llsharMask, int llcbMask, int llretiMask, int llsoftMask, int lltmMask, int llblMask, int lllogMask, int ll_Mask, int llcieMask, float& minCD, float& maxCD, float& mini, float& maxi, float& Tmean, float& Tsigma, float& Tmin, float& Tmax, - float& meantm, float& stdtm, float& meanreti, float& stdreti + float& meantm, float& stdtm, float& meanreti, float& stdreti, float &fab ) { //general call of others functions : important return hueref, chromaref, lumaref @@ -11341,7 +13196,7 @@ void ImProcFunctions::Lab_Local( constexpr int del = 3; // to avoid crash with [loy - begy] and [lox - begx] and bfh bfw // with gtk2 [loy - begy-1] [lox - begx -1 ] and del = 1 struct local_params lp; - calcLocalParams(sp, oW, oH, params->locallab, lp, prevDeltaE, llColorMask, llColorMaskinv, llExpMask, llExpMaskinv, llSHMask, llSHMaskinv, llvibMask, lllcMask, llsharMask, llcbMask, llretiMask, llsoftMask, lltmMask, llblMask, lllogMask, ll_Mask, locwavCurveden, locwavdenutili); + calcLocalParams(sp, oW, oH, params->locallab, lp, prevDeltaE, llColorMask, llColorMaskinv, llExpMask, llExpMaskinv, llSHMask, llSHMaskinv, llvibMask, lllcMask, llsharMask, llcbMask, llretiMask, llsoftMask, lltmMask, llblMask, lllogMask, ll_Mask, llcieMask, locwavCurveden, locwavdenutili); avoidcolshi(lp, sp, original, transformed, cy, cx, sk); @@ -11520,7 +13375,7 @@ void ImProcFunctions::Lab_Local( locccmaslogCurve, lcmaslogutili, locllmaslogCurve, llmaslogutili, lochhmaslogCurve, lhmaslogutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskloglocalcurve, localmasklogutili, dummy, false, 1, 1, 5, 5, shortcu, delt, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmasklogmet == 3) { @@ -11564,7 +13419,23 @@ void ImProcFunctions::Lab_Local( tmpImageorig.reset(); tmpImage.reset(); if (params->locallab.spots.at(sp).ciecam) { - ImProcFunctions::ciecamloc_02float(sp, bufexpfin.get(), 1); + bool HHcurvejz = false, CHcurvejz = false, LHcurvejz = false;; + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 1, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + + + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecie == "log") { + bool HHcurvejz = false; + bool CHcurvejz = false; + bool LHcurvejz = false; + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecam == "jz") {//some cam16 elementsfor Jz + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 10, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(),bfw, bfh, 0, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + + float rad = params->locallab.spots.at(sp).detailcie; + loccont(bfw, bfh, bufexpfin.get(), rad, 15.f, sk); } //here begin graduated filter @@ -11583,16 +13454,25 @@ void ImProcFunctions::Lab_Local( } //end graduated + float recoth = lp.recothrl; + + if(lp.recothrl < 1.f) { + recoth = -1.f * recoth + 2.f; + } if(lp.enaLMask && lp.recothrl != 1.f) { float hig = lp.higthrl; float low = lp.lowthrl; - float recoth = lp.recothrl; + // float recoth = lp.recothrl; float decay = lp.decayl; bool invmask = false; maskrecov(bufexpfin.get(), original, bufmaskoriglog.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); } - transit_shapedetect2(sp, 0.f, 0.f, call, 11, bufexporig.get(), bufexpfin.get(), originalmasklog.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + if(lp.recothrl >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 11, bufexporig.get(), bufexpfin.get(), originalmasklog.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 11, bufexporig.get(), bufexpfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } } if (lp.recur) { @@ -11697,12 +13577,11 @@ void ImProcFunctions::Lab_Local( LocHHmaskCurve lochhhmasCurve; const float strumask = 0.02 * params->locallab.spots.at(sp).strumaskbl; const bool astool = params->locallab.spots.at(sp).toolbl; - maskcalccol(false, pde, TW, TH, 0, 0, sk, cx, cy, bufblorig.get(), bufmaskblurbl.get(), originalmaskbl.get(), original, reserved, inv, lp, strumask, astool, locccmasblCurve, lcmasblutili, locllmasblCurve, llmasblutili, lochhmasblCurve, lhmasblutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskbllocalcurve, localmaskblutili, loclmasCurveblwav, lmasutiliblwav, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0, fab ); if (lp.showmaskblmet == 3) { @@ -12483,13 +14362,12 @@ void ImProcFunctions::Lab_Local( float anchorcd = 50.f; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufgbm.get(), bufmaskorigtm.get(), originalmasktm.get(), original, reserved, inv, lp, 0.f, false, locccmastmCurve, lcmastmutili, locllmastmCurve, llmastmutili, lochhmastmCurve, lhmastmutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmasktmlocalcurve, localmasktmutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmasktmmet == 3) { @@ -12503,6 +14381,23 @@ void ImProcFunctions::Lab_Local( constexpr int itera = 0; ImProcFunctions::EPDToneMaplocal(sp, bufgb.get(), tmp1.get(), itera, sk);//iterate to 0 calculate with edgstopping, improve result, call=1 dcrop we can put iterate to 5 + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecie == "tm") { + bool HHcurvejz = false; + bool CHcurvejz = false; + bool LHcurvejz = false; + if (params->locallab.spots.at(sp).modecam == "jz") {//some cam16 elementsfor Jz + ImProcFunctions::ciecamloc_02float(lp, sp, tmp1.get(), bfw, bfh, 10, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + + ImProcFunctions::ciecamloc_02float(lp, sp, tmp1.get(), bfw, bfh, 0, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + + float rad = params->locallab.spots.at(sp).detailcie; + loccont(bfw, bfh, tmp1.get(), rad, 15.f, sk); + } + + + + tmp1m->CopyFrom(tmp1.get(), multiThread); //save current result7 if(params->locallab.spots.at(sp).equiltm && params->locallab.spots.at(sp).exptonemap) { if(call == 3) { @@ -12535,13 +14430,12 @@ void ImProcFunctions::Lab_Local( float anchorcd = 50.f; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, tmp1.get(), bufmaskorigtm.get(), originalmasktm.get(), original, reserved, inv, lp, 0.f, false, locccmastmCurve, lcmastmutili, locllmastmCurve, llmastmutili, lochhmastmCurve, lhmastmutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmasktmlocalcurve, localmasktmutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmasktmmet == 3) {//display mask @@ -12599,9 +14493,14 @@ void ImProcFunctions::Lab_Local( } if(lp.enatmMask && lp.recothrt != 1.f) { + float recoth = lp.recothrt; + + if(lp.recothrt < 1.f) { + recoth = -1.f * recoth + 2.f; + } float hig = lp.higthrt; float low = lp.lowthrt; - float recoth = lp.recothrt; + // float recoth = lp.recothrt; float decay = lp.decayt; bool invmask = false; maskrecov(tmp1.get(), original, bufmaskorigtm.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); @@ -12609,9 +14508,11 @@ void ImProcFunctions::Lab_Local( // transit_shapedetect_retinex(call, 4, bufgb.get(),bufmaskorigtm.get(), originalmasktm.get(), buflight, bufchro, hueref, chromaref, lumaref, lp, original, transformed, cx, cy, sk); - - transit_shapedetect2(sp, meantm, stdtm, call, 8, bufgb.get(), tmp1.get(), originalmasktm.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); - + if(lp.recothrt >= 1.f) { + transit_shapedetect2(sp, meantm, stdtm, call, 8, bufgb.get(), tmp1.get(), originalmasktm.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, meantm, stdtm, call, 8, bufgb.get(), tmp1.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } // transit_shapedetect(8, tmp1.get(), originalmasktm.get(), bufchro, false, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); bufgb.reset(); @@ -13440,7 +15341,7 @@ void ImProcFunctions::Lab_Local( locccmascbCurve, lcmascbutili, locllmascbCurve, llmascbutili, lochhmascbCurve, lhmascbutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskcblocalcurve, localmaskcbutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.0f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.0f, 0.f, -1, fab ); if (lp.showmaskcbmet == 3) { @@ -13575,8 +15476,8 @@ void ImProcFunctions::Lab_Local( //end cbdl_Local //vibrance - - if (lp.expvib && (lp.past != 0.f || lp.satur != 0.f || lp.strvib != 0.f || lp.war != 0 || lp.strvibab != 0.f || lp.strvibh != 0.f || lp.showmaskvibmet == 2 || lp.enavibMask || lp.showmaskvibmet == 3 || lp.showmaskvibmet == 4 || lp.prevdE) && lp.vibena) { //interior ellipse renforced lightness and chroma //locallutili + float vibg = params->locallab.spots.at(sp).vibgam; + if (lp.expvib && (lp.past != 0.f || lp.satur != 0.f || lp.strvib != 0.f || vibg != 1.f || lp.war != 0 || lp.strvibab != 0.f || lp.strvibh != 0.f || lp.showmaskvibmet == 2 || lp.enavibMask || lp.showmaskvibmet == 3 || lp.showmaskvibmet == 4 || lp.prevdE) && lp.vibena) { //interior ellipse renforced lightness and chroma //locallutili if (call <= 3) { //simpleprocess, dcrop, improccoordinator const int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); const int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); @@ -13660,13 +15561,12 @@ void ImProcFunctions::Lab_Local( float amountcd = 0.f; float anchorcd = 50.f; const int highl = 0; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufexporig.get(), bufmaskorigvib.get(), originalmaskvib.get(), original, reserved, inv, lp, 0.f, false, locccmasvibCurve, lcmasvibutili, locllmasvibCurve, llmasvibutili, lochhmasvibCurve, lhmasvibutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskviblocalcurve, localmaskvibutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmaskvibmet == 3) { @@ -13680,6 +15580,7 @@ void ImProcFunctions::Lab_Local( #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) #endif + /* for (int y = ystart; y < yend; y++) { for (int x = xstart; x < xend; x++) { bufexporig->L[y - ystart][x - xstart] = original->L[y][x]; @@ -13687,6 +15588,14 @@ void ImProcFunctions::Lab_Local( bufexporig->b[y - ystart][x - xstart] = original->b[y][x]; } } + */ + for (int y = 0; y < bfh; y++) { + for (int x = 0; x < bfw; x++) { + // bufexporig->L[y][x] = original->L[y + ystart][x + xstart]; + bufexporig->a[y][x] = original->a[y + ystart][x + xstart]; + bufexporig->b[y][x] = original->b[y + ystart][x + xstart]; + } + } VibranceParams vibranceParams; vibranceParams.enabled = params->locallab.spots.at(sp).expvibrance; @@ -13699,9 +15608,17 @@ void ImProcFunctions::Lab_Local( vibranceParams.skintonescurve = params->locallab.spots.at(sp).skintonescurve; - bufexpfin->CopyFrom(bufexporig.get(), multiThread); + // bufexpfin->CopyFrom(bufexporig.get(), multiThread); + for (int y = 0; y < bfh; y++) { + for (int x = 0; x < bfw; x++) { + bufexpfin->L[y][x] = bufexporig->L[y][x]; + bufexpfin->a[y][x] = bufexporig->a[y][x]; + bufexpfin->b[y][x] = bufexporig->b[y][x]; + } + } if (lp.strvibh != 0.f) { + printf("a\n"); struct grad_params gph; calclocalGradientParams(lp, gph, ystart, xstart, bfw, bfh, 9); #ifdef _OPENMP @@ -13739,6 +15656,8 @@ void ImProcFunctions::Lab_Local( } if (lp.strvib != 0.f) { + printf("b\n"); + struct grad_params gp; calclocalGradientParams(lp, gp, ystart, xstart, bfw, bfh, 7); #ifdef _OPENMP @@ -13752,6 +15671,8 @@ void ImProcFunctions::Lab_Local( } if (lp.strvibab != 0.f) { + printf("c\n"); + struct grad_params gpab; calclocalGradientParams(lp, gpab, ystart, xstart, bfw, bfh, 8); #ifdef _OPENMP @@ -13764,25 +15685,82 @@ void ImProcFunctions::Lab_Local( bufexpfin->b[ir][jr] *= factor; } } + float gamma1 = params->locallab.spots.at(sp).vibgam; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufexpfin->L[y][x], F2V(32768.f) * igammalog(LVFU(bufexpfin->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bfw; ++x) { + bufexpfin->L[y][x] = 32768.f * igammalog(bufexpfin->L[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + ImProcFunctions::vibrance(bufexpfin.get(), vibranceParams, params->toneCurve.hrenabled, params->icm.workingProfile); + // float gamma = params->locallab.spots.at(sp).vibgam; + // rtengine::GammaValues g_a; //gamma parameters + // double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab + // double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + // rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufexpfin->L[y][x], F2V(32768.f) * gammalog(LVFU(bufexpfin->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw; ++x) { + bufexpfin->L[y][x] = 32768.f * gammalog(bufexpfin->L[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + + if (params->locallab.spots.at(sp).warm != 0) { - ImProcFunctions::ciecamloc_02float(sp, bufexpfin.get(), 2); + bool HHcurvejz = false, CHcurvejz = false, LHcurvejz = false; + + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 2, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); } if(lp.enavibMask && lp.recothrv != 1.f) { + float recoth = lp.recothrv; + + if(lp.recothrv < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthrv; float low = lp.lowthrv; - float recoth = lp.recothrv; + // float recoth = lp.recothrv; float decay = lp.decayv; bool invmask = false; maskrecov(bufexpfin.get(), original, bufmaskorigvib.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); } - - transit_shapedetect2(sp, 0.f, 0.f, call, 2, bufexporig.get(), bufexpfin.get(), originalmaskvib.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); - + if(lp.recothrv >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 2, bufexporig.get(), bufexpfin.get(), originalmaskvib.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 2, bufexporig.get(), bufexpfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + + } } @@ -13897,13 +15875,12 @@ void ImProcFunctions::Lab_Local( int lumask = params->locallab.spots.at(sp).lumask; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufexporig.get(), bufmaskorigSH.get(), originalmaskSH.get(), original, reserved, inv, lp, 0.f, false, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskSHlocalcurve, localmaskSHutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmaskSHmet == 3) { @@ -13980,9 +15957,15 @@ void ImProcFunctions::Lab_Local( } if(lp.enaSHMask && lp.recothrs != 1.f) { + float recoth = lp.recothrs; + + if(lp.recothrs < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthrs; float low = lp.lowthrs; - float recoth = lp.recothrs; + // float recoth = lp.recothrs; float decay = lp.decays; bool invmask = false; maskrecov(bufexpfin.get(), original, bufmaskorigSH.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); @@ -14003,8 +15986,11 @@ void ImProcFunctions::Lab_Local( } } - transit_shapedetect2(sp, 0.f, 0.f, call, 9, bufexporig.get(), bufexpfin.get(), originalmaskSH.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); - + if(lp.recothrs >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 9, bufexporig.get(), bufexpfin.get(), originalmaskSH.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 9, bufexporig.get(), bufexpfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } if (lp.recur) { original->CopyFrom(transformed, multiThread); float avge; @@ -14071,13 +16057,12 @@ void ImProcFunctions::Lab_Local( int lumask = params->locallab.spots.at(sp).lumask; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, TW, TH, 0, 0, sk, cx, cy, bufcolorig.get(), bufmaskblurcol.get(), originalmaskSH.get(), original, reserved, inv, lp, 0.f, false, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskSHlocalcurve, localmaskSHutili, dummy, false, 1, 1, 5, 5, shortcu, false, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); @@ -14345,7 +16330,7 @@ void ImProcFunctions::Lab_Local( locccmaslcCurve, lcmaslcutili, locllmaslcCurve, llmaslcutili, lochhmaslcCurve, lhmaslcutili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmasklclocalcurve, localmasklcutili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab ); if (lp.showmasklcmet == 3) { @@ -14451,8 +16436,62 @@ void ImProcFunctions::Lab_Local( const float compress = params->locallab.spots.at(sp).residcomp; const float thres = params->locallab.spots.at(sp).threswav; + float gamma = lp.gamlc; + rtengine::GammaValues g_a; //gamma parameters + double pwr = 1.0 / (double) lp.gamlc;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + + if(gamma != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < tmp1->H; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < tmp1->W - 3; x += 4) { + STVFU(tmp1->L[y][x], F2V(32768.f) * igammalog(LVFU(tmp1->L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < tmp1->W; ++x) { + tmp1->L[y][x] = 32768.f * igammalog(tmp1->L[y][x] / 32768.f, gamma, ts, g_a[2], g_a[4]); + } + } + } + wavcontrast4(lp, tmp1->L, tmp1->a, tmp1->b, contrast, radblur, radlevblur, tmp1->W, tmp1->H, level_bl, level_hl, level_br, level_hr, sk, numThreads, locwavCurve, locwavutili, wavcurve, loclevwavCurve, loclevwavutili, wavcurvelev, locconwavCurve, locconwavutili, wavcurvecon, loccompwavCurve, loccompwavutili, wavcurvecomp, loccomprewavCurve, loccomprewavutili, wavcurvecompre, locedgwavCurve, locedgwavutili, sigma, offs, maxlvl, sigmadc, deltad, chrol, chrobl, blurlc, blurena, levelena, comprena, compreena, compress, thres); + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecie == "wav") { + bool HHcurvejz = false, CHcurvejz = false, LHcurvejz = false; + if (params->locallab.spots.at(sp).modecam == "jz") {//some cam16 elementsfor Jz + ImProcFunctions::ciecamloc_02float(lp, sp, tmp1.get(), bfw, bfh, 10, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + + ImProcFunctions::ciecamloc_02float(lp, sp, tmp1.get(), bfw, bfh, 0, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + + float rad = params->locallab.spots.at(sp).detailcie; + loccont(bfw, bfh, tmp1.get(), rad, 5.f, sk); + } + + + + if(gamma != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < tmp1->H; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < tmp1->W - 3; x += 4) { + STVFU(tmp1->L[y][x], F2V(32768.f) * gammalog(LVFU(tmp1->L[y][x]) / F2V(32768.f), F2V(gamma), F2V(ts), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < tmp1->W; ++x) { + tmp1->L[y][x] = 32768.f * gammalog(tmp1->L[y][x] / 32768.f, gamma, ts, g_a[3], g_a[4]); + } + } + } + const float satur = params->locallab.spots.at(sp).residchro; @@ -14620,9 +16659,15 @@ void ImProcFunctions::Lab_Local( } if(lp.enalcMask && lp.recothrw != 1.f) { + float recoth = lp.recothrw; + + if(lp.recothrw < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthrw; float low = lp.lowthrw; - float recoth = lp.recothrw; + //float recoth = lp.recothrw; float decay = lp.decayw; bool invmask = false; maskrecov(tmp1.get(), original, bufmaskoriglc.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); @@ -14641,8 +16686,11 @@ void ImProcFunctions::Lab_Local( tmp1->b[x][y] = intp(repart, bufgb->b[x][y], tmp1->b[x][y]); } } - - transit_shapedetect2(sp, 0.f, 0.f, call, 10, bufgb.get(), tmp1.get(), originalmasklc.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + if(lp.recothrw >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 10, bufgb.get(), tmp1.get(), originalmasklc.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 10, bufgb.get(), tmp1.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } tmp1.reset(); } @@ -14687,11 +16735,111 @@ void ImProcFunctions::Lab_Local( } } } + float gamma1 = params->locallab.spots.at(sp).shargam; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufsh[y][x], F2V(32768.f) * igammalog(LVFU(bufsh[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bfw; ++x) { + bufsh[y][x] = 32768.f * igammalog(bufsh[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + + + + //sharpen only square area instead of all image + ImProcFunctions::deconvsharpeningloc(bufsh, hbuffer, bfw, bfh, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, 1); + /* + float gamma = params->locallab.spots.at(sp).shargam; + double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + */ + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufsh[y][x], F2V(32768.f) * gammalog(LVFU(bufsh[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + STVFU(loctemp[y][x], F2V(32768.f) * gammalog(LVFU(loctemp[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw; ++x) { + bufsh[y][x] = 32768.f * gammalog(bufsh[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + loctemp[y][x] = 32768.f * gammalog(loctemp[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + + + - //sharpen only square area instead of all image - ImProcFunctions::deconvsharpeningloc(bufsh, hbuffer, bfw, bfh, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, 1); } else { //call from dcrop.cc - ImProcFunctions::deconvsharpeningloc(original->L, shbuffer, bfw, bfh, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, sk); + float gamma1 = params->locallab.spots.at(sp).shargam; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(original->L[y][x], F2V(32768.f) * igammalog(LVFU(original->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bfw; ++x) { + original->L[y][x] = 32768.f * igammalog(original->L[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + + + ImProcFunctions::deconvsharpeningloc(original->L, shbuffer, bfw, bfh, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, sk); + /* + float gamma = params->locallab.spots.at(sp).shargam; + double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + */ + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(original->L[y][x], F2V(32768.f) * gammalog(LVFU(original->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + STVFU(loctemp[y][x], F2V(32768.f) * gammalog(LVFU(loctemp[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw; ++x) { + original->L[y][x] = 32768.f * gammalog(original->L[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + loctemp[y][x] = 32768.f * gammalog(loctemp[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + + } //sharpen ellipse and transition @@ -14708,7 +16856,56 @@ void ImProcFunctions::Lab_Local( int GH = original->H; JaggedArray loctemp(GW, GH); + float gamma1 = params->locallab.spots.at(sp).shargam; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < GH; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < GW - 3; x += 4) { + STVFU(original->L[y][x], F2V(32768.f) * igammalog(LVFU(original->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < GW; ++x) { + original->L[y][x] = 32768.f * igammalog(original->L[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + + + ImProcFunctions::deconvsharpeningloc(original->L, shbuffer, GW, GH, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, sk); + /* + float gamma = params->locallab.spots.at(sp).shargam; + double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + */ + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < GH; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < GW - 3; x += 4) { + STVFU(original->L[y][x], F2V(32768.f) * gammalog(LVFU(original->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + STVFU(loctemp[y][x], F2V(32768.f) * igammalog(LVFU(loctemp[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < GW; ++x) { + original->L[y][x] = 32768.f * gammalog(original->L[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + loctemp[y][x] = 32768.f * igammalog(loctemp[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + InverseSharp_Local(loctemp, hueref, lumaref, chromaref, lp, original, transformed, cx, cy, sk); @@ -14763,13 +16960,36 @@ void ImProcFunctions::Lab_Local( #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) #endif - for (int y = ystart; y < yend; y++) { - for (int x = xstart; x < xend; x++) { - bufexporig->L[y - ystart][x - xstart] = original->L[y][x]; - buforig->L[y - ystart][x - xstart] = original->L[y][x]; + for (int y = 0; y < bfh ; y++) { + for (int x = 0; x < bfw; x++) { + bufexporig->L[y][x] = original->L[y + ystart][x + xstart]; + buforig->a[y][x] = original->a[y + ystart][x + xstart]; } } + float gamma1 = lp.gamex; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) lp.gamex;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufexporig->L[y][x], F2V(32768.f) * igammalog(LVFU(bufexporig->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bfw; ++x) { + bufexporig->L[y][x] = 32768.f * igammalog(bufexporig->L[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + const int spotSi = rtengine::max(1 + 2 * rtengine::max(1, lp.cir / sk), 5); if (bfw > 2 * spotSi && bfh > 2 * spotSi && lp.struexp > 0.f) { @@ -14847,13 +17067,12 @@ void ImProcFunctions::Lab_Local( int lumask = params->locallab.spots.at(sp).lumask; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufexporig.get(), bufmaskblurexp.get(), originalmaskexp.get(), original, reserved, inv, lp, 0.f, false, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskexplocalcurve, localmaskexputili, dummy, false, 1, 1, 5, 5, shortcu, params->locallab.spots.at(sp).deltae, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0, fab ); if (lp.showmaskexpmet == 3) { @@ -14881,7 +17100,7 @@ void ImProcFunctions::Lab_Local( if (exlocalcurve && localexutili) {// L=f(L) curve enhanced - + #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) #endif @@ -14915,6 +17134,7 @@ void ImProcFunctions::Lab_Local( struct grad_params gp; if (lp.strexp != 0.f) { + calclocalGradientParams(lp, gp, ystart, xstart, bfw, bfh, 1); #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) @@ -14929,6 +17149,7 @@ void ImProcFunctions::Lab_Local( //exposure_pde if (lp.expmet == 1) { if (enablefat) { + const std::unique_ptr datain(new float[bfwr * bfhr]); const std::unique_ptr dataout(new float[bfwr * bfhr]); #ifdef _OPENMP @@ -14954,10 +17175,22 @@ void ImProcFunctions::Lab_Local( } ToneMapFattal02(tmpImagefat.get(), fatParams, 3, 0, nullptr, 0, 0, alg);//last parameter = 1 ==>ART algorithm rgb2lab(*tmpImagefat, *bufexpfin, params->icm.workingProfile); + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecie == "dr") { + bool HHcurvejz = false, CHcurvejz = false, LHcurvejz = false; + if (params->locallab.spots.at(sp).modecam == "jz") {//some cam16 elementsfor Jz + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 10, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 0, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + + float rad = params->locallab.spots.at(sp).detailcie; + loccont(bfw, bfh, bufexpfin.get(), rad, 15.f, sk); + } } if (lp.laplacexp > 0.1f) { + MyMutex::MyLock lock(*fftwMutex); std::unique_ptr datain(new float[bfwr * bfhr]); std::unique_ptr dataout(new float[bfwr * bfhr]); @@ -15013,12 +17246,14 @@ void ImProcFunctions::Lab_Local( } } if (lp.shadex > 0) { + if (lp.expcomp == 0.f) { lp.expcomp = 0.001f; // to enabled } } if (lp.hlcomp > 0.f) { + if (lp.expcomp == 0.f) { lp.expcomp = 0.001f; // to enabled } @@ -15027,12 +17262,14 @@ void ImProcFunctions::Lab_Local( //shadows with ipshadowshighlight if ((lp.expcomp != 0.f) || (exlocalcurve && localexutili)) { if (lp.shadex > 0) { + ImProcFunctions::shadowsHighlights(bufexpfin.get(), true, 1, 0, lp.shadex, 40, sk, 0, lp.shcomp); } } if (lp.expchroma != 0.f) { if ((lp.expcomp != 0.f && lp.expcomp != 0.001f) || (exlocalcurve && localexutili) || lp.laplacexp > 0.1f) { + constexpr float ampli = 70.f; const float ch = (1.f + 0.02f * lp.expchroma); const float chprosl = ch <= 1.f ? 99.f * ch - 99.f : clipChro(ampli * ch - ampli); @@ -15049,15 +17286,44 @@ void ImProcFunctions::Lab_Local( } } } - + /* + float gamma = lp.gamex; + rtengine::GammaValues g_a; //gamma parameters + double pwr = 1.0 / (double) lp.gamex;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope + */ + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufexpfin->L[y][x], F2V(32768.f) * gammalog(LVFU(bufexpfin->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw; ++x) { + bufexpfin->L[y][x] = 32768.f * gammalog(bufexpfin->L[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + if (lp.softradiusexp > 0.f && lp.expmet == 0) { softproc(buforig.get(), bufexpfin.get(), lp.softradiusexp, bfh, bfw, 0.1, 0.001, 0.5f, sk, multiThread, 1); } if(lp.enaExpMask && lp.recothre != 1.f) { + float recoth = lp.recothre; + + if(lp.recothre < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthre; float low = lp.lowthre; - float recoth = lp.recothre; + // float recoth = lp.recothre; float decay = lp.decaye; bool invmask = false; maskrecov(bufexpfin.get(), original, bufmaskblurexp.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); @@ -15080,7 +17346,11 @@ void ImProcFunctions::Lab_Local( } } - transit_shapedetect2(sp, 0.f, 0.f, call, 1, bufexporig.get(), bufexpfin.get(), originalmaskexp.get(), hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + if(lp.recothre >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 1, bufexporig.get(), bufexpfin.get(), originalmaskexp.get(), hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 1, bufexporig.get(), bufexpfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + } } if (lp.recur) { @@ -15141,13 +17411,12 @@ void ImProcFunctions::Lab_Local( constexpr float anchorcd = 50.f; LocHHmaskCurve lochhhmasCurve; const int highl = 0; - maskcalccol(false, pde, TW, TH, 0, 0, sk, cx, cy, bufexporig.get(), bufmaskblurexp.get(), originalmaskexp.get(), original, reserved, inv, lp, 0.f, false, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, lochhhmasCurve, false, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskexplocalcurve, localmaskexputili, dummy, false, 1, 1, 5, 5, shortcu, false, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, 0, fab ); if (lp.showmaskexpmetinv == 1) { @@ -15257,6 +17526,29 @@ void ImProcFunctions::Lab_Local( } } + float gamma1 = lp.gamc; + rtengine::GammaValues g_a; //gamma parameters + double pwr1 = 1.0 / (double) lp.gamc;//default 3.0 - gamma Lab + double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope + + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bufcolorig->H; ++y) { + int x = 0; +#ifdef __SSE2__ + for (; x < bufcolorig->W - 3; x += 4) { + STVFU(bufcolorig->L[y][x], F2V(32768.f) * igammalog(LVFU(bufcolorig->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[2]), F2V(g_a[4]))); + } +#endif + for (;x < bufcolorig->W; ++x) { + bufcolorig->L[y][x] = 32768.f * igammalog(bufcolorig->L[y][x] / 32768.f, gamma1, ts1, g_a[2], g_a[4]); + } + } + } + const int spotSi = rtengine::max(1 + 2 * rtengine::max(1, lp.cir / sk), 5); const bool blends = bfw > 2 * spotSi && bfh > 2 * spotSi && lp.struco > 0.f; @@ -15339,14 +17631,13 @@ void ImProcFunctions::Lab_Local( const float anchorcd = 50.f; const int highl = 0; bool astool = params->locallab.spots.at(sp).toolcol; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufcolorig.get(), bufmaskblurcol.get(), originalmaskcol.get(), original, reserved, inv, lp, strumask, astool, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili, llochhhmasCurve, lhhmasutili, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmasklocalcurve, localmaskutili, loclmasCurvecolwav, lmasutilicolwav, level_bl, level_hl, level_br, level_hr, shortcu, delt, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftColorMask, lp.blurcolmask, lp.contcolmask, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftColorMask, lp.blurcolmask, lp.contcolmask, -1, fab ); if (lp.showmaskcolmet == 3) { @@ -15504,6 +17795,31 @@ void ImProcFunctions::Lab_Local( rtengine::min(1.f, 0.7f - satreal / 300.f), 0.7, 1, 1 }); + bool LHcurve = false; + if (loclhCurve && LHutili) { + for (int i = 0; i < 500; i++) { + if (loclhCurve[i] != 0.5f) { + LHcurve = true; + break; + } + } + } + bool CHcurve = false; + if (locchCurve && CHutili) { + for (int i = 0; i < 500; i++) { + if (locchCurve[i] != 0.5f) { + CHcurve = true; + break; + } + } + } + double amountchrom = 0.01 * settings->amchroma; + if(amountchrom < 0.05) { + amountchrom = 0.05; + } + if(amountchrom > 2.) { + amountchrom = 2.; + } #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) @@ -15578,27 +17894,39 @@ void ImProcFunctions::Lab_Local( bufcolcalcL = 0.5f * lllocalcurve[bufcolcalcL * 2.f]; } - if (loclhCurve && LHutili && lp.qualcurvemet != 0) {//L=f(H) curve + + if (loclhCurve && LHcurve && lp.qualcurvemet != 0) {//L=f(H) curve const float rhue = xatan2f(bufcolcalcb, bufcolcalca); - float l_r = bufcolcalcL / 32768.f; //Luminance Lab in 0..1 - const float valparam = loclhCurve[500.f *static_cast(Color::huelab_to_huehsv2(rhue))] - 0.5f; //get l_r=f(H) + //printf("rhu=%f", (double) rhue); + const float chromat = (std::sqrt(SQR(bufcolcalca) + SQR(bufcolcalcb)))/32768.f; + float l_r = LIM01(bufcolcalcL / 32768.f); //Luminance Lab in 0..1 + float valparam = loclhCurve[500.f *static_cast(Color::huelab_to_huehsv2(rhue))] - 0.5f; //get l_r=f(H) + // printf("rh=%f V=%f", (double) rhue, (double) valparam); + // float kc = 0.05f + 0.02f * params->locallab.spots.at(sp).lightjzcie; + float kc = amountchrom; + float valparamneg; + valparamneg = valparam; + float kcc = SQR(chromat / kc); //take Chroma into account...40 "middle low" of chromaticity (arbitrary and simple), one can imagine other algorithme + // printf("KC=%f", (double) kcc); + //reduce action for low chroma and increase action for high chroma + valparam *= 2.f * kcc; + valparamneg *= kcc; //slightly different for negative if (valparam > 0.f) { - l_r = (1.f - valparam) * l_r + valparam * (1.f - SQR(((SQR(1.f - rtengine::min(l_r, 1.0f)))))); - } else { - constexpr float khu = 1.9f; //in reserve in case of! - //for negative - l_r *= (1.f + khu * valparam); + l_r = (1.f - valparam) * l_r + valparam * (1.f - SQR(((SQR(1.f - min(l_r, 1.0f)))))); + } else + //for negative + { + float khue = 1.9f; //in reserve in case of! + l_r *= (1.f + khue * valparamneg); } bufcolcalcL = l_r * 32768.f; } - - - if (locchCurve && CHutili && lp.qualcurvemet != 0) {//C=f(H) curve + if (locchCurve && CHcurve && lp.qualcurvemet != 0) {//C=f(H) curve const float rhue = xatan2f(bufcolcalcb, bufcolcalca); - const float valparam = locchCurve[500.f * static_cast(Color::huelab_to_huehsv2(rhue))] - 0.5f; //get valp=f(H) + const float valparam = 2.f * locchCurve[500.f * static_cast(Color::huelab_to_huehsv2(rhue))] - 0.5f; //get valp=f(H) float chromaChfactor = 1.0f + valparam; bufcolcalca *= chromaChfactor;//apply C=f(H) bufcolcalcb *= chromaChfactor; @@ -16224,15 +18552,47 @@ void ImProcFunctions::Lab_Local( } + +/* + float gamma = lp.gamc; + rtengine::GammaValues g_a; //gamma parameters + double pwr = 1.0 / (double) lp.gamc;//default 3.0 - gamma Lab + double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope +*/ + if(gamma1 != 1.f) { +#ifdef _OPENMP +# pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + for (int y = 0; y < bfh; ++y) {//apply inverse gamma 3.f and put result in range 32768.f + int x = 0; +#ifdef __SSE2__ + for (; x < bfw - 3; x += 4) { + STVFU(bufcolfin->L[y][x], F2V(32768.f) * gammalog(LVFU(bufcolfin->L[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + } +#endif + for (; x < bfw; ++x) { + bufcolfin->L[y][x] = 32768.f * gammalog(bufcolfin->L[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + } + } + } + + if (lp.softradiuscol > 0.f) { softproc(bufcolorig.get(), bufcolfin.get(), lp.softradiuscol, bfh, bfw, 0.001, 0.00001, 0.5f, sk, multiThread, 1); } //mask recovery if(lp.enaColorMask && lp.recothrc != 1.f) { + float recoth = lp.recothrc; + + if(lp.recothrc < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthrc; float low = lp.lowthrc; - float recoth = lp.recothrc; + // float recoth = lp.recothrc; float decay = lp.decayc; bool invmask = false; maskrecov(bufcolfin.get(), original, bufmaskblurcol.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); @@ -16253,7 +18613,11 @@ void ImProcFunctions::Lab_Local( } float meansob = 0.f; - transit_shapedetect2(sp, 0.f, 0.f, call, 0, bufcolorig.get(), bufcolfin.get(), originalmaskcol.get(), hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + if(lp.recothrc >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 0, bufcolorig.get(), bufcolfin.get(), originalmaskcol.get(), hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 0, bufcolorig.get(), bufcolfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, meansob, blend2, lp, original, transformed, cx, cy, sk); + } } } @@ -16339,14 +18703,13 @@ void ImProcFunctions::Lab_Local( constexpr float amountcd = 0.f; constexpr float anchorcd = 50.f; const int highl = 0; - maskcalccol(false, pde, TW, TH, 0, 0, sk, cx, cy, bufcolorig.get(), bufmaskblurcol.get(), originalmaskcol.get(), original, reserved, inv, lp, strumask, params->locallab.spots.at(sp).toolcol, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili, llochhhmasCurve, lhhmasutili, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmasklocalcurve, localmaskutili, loclmasCurvecolwav, lmasutilicolwav, level_bl, level_hl, level_br, level_hr, shortcu, false, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftColorMask, lp.blurcolmask, lp.contcolmask, -1 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftColorMask, lp.blurcolmask, lp.contcolmask, -1, fab ); if (lp.showmaskcolmetinv == 1) { @@ -16461,14 +18824,13 @@ void ImProcFunctions::Lab_Local( const float anchorcd = 50.f; const int highl = 0; bool astool = params->locallab.spots.at(sp).toolmask; - maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufcolorig.get(), bufmaskblurcol.get(), originalmaskcol.get(), original, reserved, inv, lp, strumask, astool, locccmas_Curve, lcmas_utili, locllmas_Curve, llmas_utili, lochhmas_Curve, lhmas_utili, lochhhmas_Curve, lhhmas_utili, multiThread, enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendmab, shado, highl, amountcd, anchorcd, lmasklocal_curve, localmask_utili, loclmasCurve_wav, lmasutili_wav, level_bl, level_hl, level_br, level_hr, shortcu, delt, hueref, chromaref, lumaref, - maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftma, lp.blurma, lp.contma, 12 + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, lp.fftma, lp.blurma, lp.contma, 12, fab ); @@ -16535,8 +18897,198 @@ void ImProcFunctions::Lab_Local( } } } - //end common mask + + if(params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecie == "com" && lp.activspot) {//ciecam + int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); + int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); + int xstart = rtengine::max(static_cast(lp.xc - lp.lxL) - cx, 0); + int xend = rtengine::min(static_cast(lp.xc + lp.lx) - cx, original->W); + int bfh = yend - ystart; + int bfw = xend - xstart; + + if (bfh >= mSP && bfw >= mSP) { + const std::unique_ptr bufexporig(new LabImage(bfw, bfh)); //buffer for data in zone limit + const std::unique_ptr bufexpfin(new LabImage(bfw, bfh)); //buffer for data in zone limit + std::unique_ptr bufmaskorigcie; + std::unique_ptr bufmaskblurcie; + std::unique_ptr originalmaskcie; + + if (lp.showmaskciemet == 2 || lp.enacieMask || lp.showmaskciemet == 3 || lp.showmaskciemet == 4) { + bufmaskorigcie.reset(new LabImage(bfw, bfh)); + bufmaskblurcie.reset(new LabImage(bfw, bfh)); + originalmaskcie.reset(new LabImage(bfw, bfh)); + } + + + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if (multiThread) +#endif + + for (int y = 0; y < bfh; y++) { + for (int x = 0; x < bfw; x++) { + bufexporig->L[y][x] = original->L[y + ystart][x + xstart]; + bufexporig->a[y][x] = original->a[y + ystart][x + xstart]; + bufexporig->b[y][x] = original->b[y + ystart][x + xstart]; + } + } + + bool HHcurvejz = false, CHcurvejz = false, LHcurvejz = false; + if (params->locallab.spots.at(sp).expcie && params->locallab.spots.at(sp).modecam == "jz") {//some cam16 elementsfor Jz + ImProcFunctions::ciecamloc_02float(lp, sp, bufexporig.get(), bfw, bfh, 10, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + if (lochhCurvejz && HHutilijz) { + for (int i = 0; i < 500; i++) { + if (lochhCurvejz[i] != 0.5f) { + HHcurvejz = true; + break; + } + } + } + + if (locchCurvejz && CHutilijz) { + for (int i = 0; i < 500; i++) { + if (locchCurvejz[i] != 0.5f) { + CHcurvejz = true; + break; + } + } + } + + if (loclhCurvejz && LHutilijz) { + for (int i = 0; i < 500; i++) { + if (loclhCurvejz[i] != 0.5f) { + LHcurvejz = true; + break; + } + } + } + + int inv = 0; + bool showmaske = false; + bool enaMask = false; + bool deltaE = false; + bool modmask = false; + bool zero = false; + bool modif = false; + + if (lp.showmaskciemet == 3) { + showmaske = true; + } + + if (lp.enacieMask) { + enaMask = true; + } + + if (lp.showmaskciemet == 4) { + deltaE = true; + } + + if (lp.showmaskciemet == 2) { + modmask = true; + } + + if (lp.showmaskciemet == 1) { + modif = true; + } + + if (lp.showmaskciemet == 0) { + zero = true; + } + + float chrom = lp.chromacie; + float rad = lp.radmacie; + float gamma = params->locallab.spots.at(sp).gammaskcie; + float slope = params->locallab.spots.at(sp).slomaskcie; + float blendm = lp.blendmacie; + float lap = params->locallab.spots.at(sp).lapmaskcie; + bool pde = params->locallab.spots.at(sp).laplac; + LocwavCurve dummy; + bool delt = params->locallab.spots.at(sp).deltae; + int sco = params->locallab.spots.at(sp).scopemask; + int shortcu = 0;//lp.mergemet; //params->locallab.spots.at(sp).shortc; + int shado = 0; + const int highl = 0; + + const float mindE = 2.f + MINSCOPE * sco * lp.thr; + const float maxdE = 5.f + MAXSCOPE * sco * (1 + 0.1f * lp.thr); + const float mindElim = 2.f + MINSCOPE * limscope * lp.thr; + const float maxdElim = 5.f + MAXSCOPE * limscope * (1 + 0.1f * lp.thr); + int lumask = params->locallab.spots.at(sp).lumask; + float amountcd = 0.f; + float anchorcd = 50.f; + LocHHmaskCurve lochhhmasCurve; + maskcalccol(false, pde, bfw, bfh, xstart, ystart, sk, cx, cy, bufexporig.get(), bufmaskorigcie.get(), originalmaskcie.get(), original, reserved, inv, lp, + 0.f, false, + locccmascieCurve, lcmascieutili, locllmascieCurve, llmascieutili, lochhmascieCurve, lhmascieutili, lochhhmasCurve, false, multiThread, + enaMask, showmaske, deltaE, modmask, zero, modif, chrom, rad, lap, gamma, slope, blendm, blendm, shado, highl, amountcd, anchorcd, lmaskcielocalcurve, localmaskcieutili, dummy, false, 1, 1, 5, 5, + shortcu, delt, hueref, chromaref, lumaref, + maxdE, mindE, maxdElim, mindElim, lp.iterat, limscope, sco, false, 0.f, 0.f, -1, fab + ); + + if (lp.showmaskciemet == 3) { + showmask(lumask, lp, xstart, ystart, cx, cy, bfw, bfh, bufexporig.get(), transformed, bufmaskorigcie.get(), 0); + + return; + } + + + + if (lp.showmaskciemet == 0 || lp.showmaskciemet == 1 || lp.showmaskciemet == 2 || lp.showmaskciemet == 4 || lp.enacieMask) { + + bufexpfin->CopyFrom(bufexporig.get(), multiThread); + if (params->locallab.spots.at(sp).expcie) { + ImProcFunctions::ciecamloc_02float(lp, sp, bufexpfin.get(), bfw, bfh, 0, sk, cielocalcurve, localcieutili, cielocalcurve2, localcieutili2, jzlocalcurve, localjzutili, czlocalcurve, localczutili, czjzlocalcurve, localczjzutili, locchCurvejz, lochhCurvejz, loclhCurvejz, HHcurvejz, CHcurvejz, LHcurvejz, locwavCurvejz, locwavutilijz); + } + } + + if(lp.enacieMask && lp.recothrcie != 1.f) { + float recoth = lp.recothrcie; + + if(lp.recothrcie < 1.f) { + recoth = -1.f * recoth + 2.f; + } + float hig = lp.higthrcie; + float low = lp.lowthrcie; + //float recoth = lp.recothrcie; + float decay = lp.decaycie; + bool invmask = false; + maskrecov(bufexpfin.get(), original, bufmaskorigcie.get(), bfh, bfw, ystart, xstart, hig, low, recoth, decay, invmask, sk, multiThread); + } + + + float radcie = params->locallab.spots.at(sp).detailcie; + loccont(bfw, bfh, bufexpfin.get(), radcie, 15.f, sk); + + const float repart = 1.0 - 0.01 * params->locallab.spots.at(sp).reparcie; + int bw = bufexporig->W; + int bh = bufexporig->H; + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic,16) if(multiThread) +#endif + for (int x = 0; x < bh; x++) { + for (int y = 0; y < bw; y++) { + bufexpfin->L[x][y] = intp(repart, bufexporig->L[x][y], bufexpfin->L[x][y]); + bufexpfin->a[x][y] = intp(repart, bufexporig->a[x][y], bufexpfin->a[x][y]); + bufexpfin->b[x][y] = intp(repart, bufexporig->b[x][y], bufexpfin->b[x][y]); + } + } + + if(lp.recothrcie >= 1.f) { + transit_shapedetect2(sp, 0.f, 0.f, call, 31, bufexporig.get(), bufexpfin.get(), originalmaskcie.get(), hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } else { + transit_shapedetect2(sp, 0.f, 0.f, call, 31, bufexporig.get(), bufexpfin.get(), nullptr, hueref, chromaref, lumaref, sobelref, 0.f, nullptr, lp, original, transformed, cx, cy, sk); + } + if (lp.recur) { + original->CopyFrom(transformed, multiThread); + float avge; + calc_ref(sp, original, transformed, 0, 0, original->W, original->H, sk, huerefblur, chromarefblur, lumarefblur, hueref, chromaref, lumaref, sobelref, avge, locwavCurveden, locwavdenutili); + } + } + } + // Gamut and Munsell control - very important do not deactivated to avoid crash avoidcolshi(lp, sp, original, transformed, cy, cx, sk); diff --git a/rtengine/procevents.h b/rtengine/procevents.h index 0bb673f1e..3ff061df8 100644 --- a/rtengine/procevents.h +++ b/rtengine/procevents.h @@ -1073,9 +1073,119 @@ enum ProcEventCode { Evlocallabreparexp = 1047, Evlocallabrepartm = 1048, Evlocallabchroml = 1049, + Evlocallabresidgam = 1050, + Evlocallabresidslop = 1051, + Evlocallabnoisegam = 1052, + Evlocallabgamlc = 1053, + Evlocallabgamc = 1054, + Evlocallabgamex = 1055, + EvLocenacie = 1056, + Evlocallabreparcie = 1057, + EvlocallabAutograycie = 1058, + EvlocallabsourceGraycie = 1059, + Evlocallabsourceabscie = 1060, + Evlocallabsursourcie = 1061, + Evlocallabsaturlcie = 1062, + Evlocallabchromlcie = 1063, + Evlocallablightlcie = 1064, + Evlocallablightqcie = 1065, + Evlocallabcontlcie = 1066, + Evlocallabcontthrescie = 1067, + Evlocallabcontqcie = 1068, + Evlocallabcolorflcie = 1069, + Evlocallabtargabscie = 1070, + EvlocallabtargetGraycie = 1071, + Evlocallabcatadcie = 1072, + Evlocallabdetailcie = 1073, + Evlocallabsurroundcie = 1074, + Evlocallabsensicie = 1075, + Evlocallabmodecie = 1076, + Evlocallabrstprotectcie = 1077, + Evlocallabsigmoidldacie = 1078, + Evlocallabsigmoidthcie = 1079, + Evlocallabsigmoidblcie = 1080, + Evlocallabsigmoidqjcie = 1081, + Evlocallabhuecie = 1082, + Evlocallabjabcie = 1083, + Evlocallablightjzcie = 1084, + Evlocallabcontjzcie = 1085, + Evlocallabchromjzcie = 1086, + Evlocallabhuejzcie = 1087, + Evlocallabsigmoidldajzcie = 1088, + Evlocallabsigmoidthjzcie = 1089, + Evlocallabsigmoidbljzcie = 1090, + Evlocallabadapjzcie = 1091, + Evlocallabmodecam = 1092, + Evlocallabhljzcie = 1093, + Evlocallabhlthjzcie = 1094, + Evlocallabshjzcie = 1095, + Evlocallabshthjzcie = 1096, + Evlocallabradjzcie = 1097, +// EvlocallabHHshapejz = 1098, + EvlocallabCHshapejz = 1098, + Evlocallabjz100 = 1099, + Evlocallabpqremap = 1100, + EvlocallabLHshapejz = 1101, + Evlocallabshargam = 1102, + Evlocallabvibgam = 1103, + EvLocallabtoneMethodcie = 1104, + Evlocallabshapecie = 1105, + EvLocallabtoneMethodcie2 = 1106, + Evlocallabshapecie2 = 1107, + Evlocallabshapejz = 1108, + Evlocallabshapecz = 1109, + Evlocallabshapeczjz = 1110, + Evlocallabforcejz = 1111, + //Evlocallablightlzcam = 1113, + //Evlocallablightqzcam = 1114, + //Evlocallabcontlzcam = 1115, + //Evlocallabcontqzcam = 1116, + //Evlocallabcontthreszcam = 1117, + //Evlocallabcolorflzcam = 1118, + //Evlocallabsaturzcam = 1119, + //Evlocallabchromzcam = 1120, + Evlocallabpqremapcam16 = 1112, + EvLocallabEnacieMask = 1113, + EvlocallabCCmaskcieshape = 1114, + EvlocallabLLmaskcieshape = 1115, + EvlocallabHHmaskcieshape = 1116, + Evlocallabblendmaskcie = 1117, + Evlocallabradmaskcie = 1118, + Evlocallabchromaskcie = 1119, + EvlocallabLmaskcieshape = 1120, + Evlocallabrecothrescie = 1121, + Evlocallablowthrescie = 1122, + Evlocallabhigthrescie = 1123, + Evlocallabdecaycie = 1124, + Evlocallablapmaskcie = 1125, + Evlocallabgammaskcie = 1126, + Evlocallabslomaskcie = 1127, + Evlocallabqtoj = 1128, + Evlocallabsaturjzcie = 1129, + EvLocallabSpotdenoichmask = 1130, + Evlocallabsigmalcjz = 1131, + EvlocallabcsThresholdjz = 1132, + EvlocallabwavCurvejz = 1133, + Evlocallabclarilresjz = 1134, + Evlocallabclaricresjz = 1135, + Evlocallabclarisoftjz = 1136, + EvlocallabHHshapejz = 1137, + Evlocallabsoftjzcie = 1138, + Evlocallabthrhjzcie = 1139, + Evlocallabchjzcie = 1140, + Evlocallabstrsoftjzcie = 1141, + EvlocallabblackEvjz = 1142, + EvlocallabwhiteEvjz = 1143, + Evlocallablogjz = 1144, + Evlocallabtargetjz = 1145, + Evlocallabforcebw = 1146, + Evlocallabsigjz = 1147, NUMOFEVENTS }; + + + class ProcEvent { public: diff --git a/rtengine/procparams.cc b/rtengine/procparams.cc index 9d6c23db9..891ceec40 100644 --- a/rtengine/procparams.cc +++ b/rtengine/procparams.cc @@ -2876,6 +2876,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : shortc(false), savrest(false), scopemask(60), + denoichmask(0.), lumask(10), // Color & Light visicolor(false), @@ -2884,6 +2885,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : curvactiv(false), lightness(0), reparcol(100.), + gamc(1.), contrast(0), chroma(0), labgridALow(0.0), @@ -3131,7 +3133,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : expexpose(false), complexexpose(0), expcomp(0.0), - hlcompr(20), + hlcompr(0), hlcomprthresh(0), black(0), shadex(0), @@ -3140,6 +3142,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : sensiex(60), structexp(0), blurexpde(5), + gamex(1.), strexp(0.), angexp(0.), excurve{ @@ -3319,6 +3322,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : complexvibrance(0), saturated(0), pastels(0), + vibgam(1.0), warm(0), psthreshold({0, 75, false}), protectskins(false), @@ -3445,6 +3449,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : noiselumc(0.), noiselumdetail(50.), noiselequal(7), + noisegam(1.), noisechrof(0.), noisechroc(0.), noisechrodetail(50.), @@ -3785,6 +3790,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : shardamping(0), shariter(30), sharblur(0.2), + shargam(1.0), sensisha(40), inverssha(false), // Local Contrast @@ -3802,6 +3808,9 @@ LocallabParams::LocallabSpot::LocallabSpot() : residshathr(30.0), residhi(0.0), residhithr(70.0), + gamlc(1.0), + residgam(2.40), + residslop(12.94), residblur(0.0), levelblur(0.0), sigmabl(1.0), @@ -4261,7 +4270,276 @@ LocallabParams::LocallabSpot::LocallabSpot() : 0.35, 0.35 }, - csthresholdmask(0, 0, 6, 5, false) + csthresholdmask(0, 0, 6, 5, false), + // ciecam + visicie(false), + expcie(false), + complexcie(0), + reparcie(100.), + sensicie(60), + Autograycie(true), + forcejz(true), + forcebw(true), + qtoj(false), + jabcie(true), + sigmoidqjcie(false), + logjz(false), + sigjz(false), + chjzcie(true), + sourceGraycie(18.), + sourceabscie(2000.), + sursourcie("Average"), + modecie("com"), + modecam("cam16"), + saturlcie(0.), + rstprotectcie(0.), + chromlcie(0.), + huecie(0.), + toneMethodcie("one"), + ciecurve{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + toneMethodcie2("onec"), + ciecurve2{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + chromjzcie(0.), + saturjzcie(0.), + huejzcie(0.), + softjzcie(0.), + strsoftjzcie(100.), + thrhjzcie(60.), + jzcurve{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + czcurve{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + czjzcurve{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + HHcurvejz{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 0.50, + 0.35, + 0.35, + 0.166, + 0.50, + 0.35, + 0.35, + 0.333, + 0.50, + 0.35, + 0.35, + 0.50, + 0.50, + 0.35, + 0.35, + 0.666, + 0.50, + 0.35, + 0.35, + 0.833, + 0.50, + 0.35, + 0.35 + }, + CHcurvejz{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 0.50, + 0.35, + 0.35, + 0.166, + 0.50, + 0.35, + 0.35, + 0.333, + 0.50, + 0.35, + 0.35, + 0.50, + 0.50, + 0.35, + 0.35, + 0.666, + 0.50, + 0.35, + 0.35, + 0.833, + 0.50, + 0.35, + 0.35 + }, + LHcurvejz{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 0.50, + 0.35, + 0.35, + 0.166, + 0.50, + 0.35, + 0.35, + 0.333, + 0.50, + 0.35, + 0.35, + 0.50, + 0.50, + 0.35, + 0.35, + 0.666, + 0.50, + 0.35, + 0.35, + 0.833, + 0.50, + 0.35, + 0.35 + }, + lightlcie(0.), + lightjzcie(0.), + lightqcie(0.), + contlcie(0.), + contjzcie(0.), + adapjzcie(4.0), + jz100(0.25), + pqremap(120.), + pqremapcam16(100.), + hljzcie(0.0), + hlthjzcie(70.0), + shjzcie(0.0), + shthjzcie(40.0), + radjzcie(40.0), + sigmalcjz(1.), + clarilresjz(0.), + claricresjz(0.), + clarisoftjz(0.), + locwavcurvejz{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 0.5, + 0.35, + 0.35, + 1., + 0.5, + 0.35, + 0.35 + }, + csthresholdjz(0, 0, 7, 4, false), + contthrescie(0.), + blackEvjz(-5.0), + whiteEvjz(10.0), + targetjz(18.0), + sigmoidldacie(0.), + sigmoidthcie(1.), + sigmoidblcie(1.), + sigmoidldajzcie(0.5), + sigmoidthjzcie(1.), + sigmoidbljzcie(1.), + contqcie(0.), + colorflcie(0.), +/* + lightlzcam(0.), + lightqzcam(0.), + contlzcam(0.), + contqzcam(0.), + contthreszcam(0.), + colorflzcam(0.), + saturzcam(0.), + chromzcam(0.), +*/ + targabscie(16.), + targetGraycie(18.), + catadcie(0.), + detailcie(0.), + surroundcie("Average"), + enacieMask(false), + CCmaskciecurve{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 1.0, + 0.35, + 0.35, + 0.50, + 1.0, + 0.35, + 0.35, + 1.0, + 1.0, + 0.35, + 0.35 + }, + LLmaskciecurve{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 1.0, + 0.35, + 0.35, + 0.50, + 1.0, + 0.35, + 0.35, + 1.0, + 1.0, + 0.35, + 0.35 + }, + HHmaskciecurve{ + static_cast(FCT_MinMaxCPoints), + 0.0, + 1.0, + 0.35, + 0.35, + 0.50, + 1.0, + 0.35, + 0.35, + 1.0, + 1.0, + 0.35, + 0.35 + }, + blendmaskcie(0), + radmaskcie(0.0), + chromaskcie(0.0), + lapmaskcie(0.0), + gammaskcie(1.0), + slomaskcie(0.0), + Lmaskciecurve{ + static_cast(DCT_NURBS), + 0.0, + 0.0, + 1.0, + 1.0 + }, + recothrescie(1.), + lowthrescie(12.), + higthrescie(85.), + decaycie(2.) + { } @@ -4308,6 +4586,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && shortc == other.shortc && savrest == other.savrest && scopemask == other.scopemask + && denoichmask == other.denoichmask && lumask == other.lumask // Color & Light && visicolor == other.visicolor @@ -4316,6 +4595,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && curvactiv == other.curvactiv && lightness == other.lightness && reparcol == other.reparcol + && gamc == other.gamc && contrast == other.contrast && chroma == other.chroma && labgridALow == other.labgridALow @@ -4392,6 +4672,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && sensiex == other.sensiex && structexp == other.structexp && blurexpde == other.blurexpde + && gamex == other.gamex && strexp == other.strexp && angexp == other.angexp && excurve == other.excurve @@ -4478,6 +4759,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && complexvibrance == other.complexvibrance && saturated == other.saturated && pastels == other.pastels + && vibgam == other.vibgam && warm == other.warm && psthreshold == other.psthreshold && protectskins == other.protectskins @@ -4554,6 +4836,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && noiselumc == other.noiselumc && noiselumdetail == other.noiselumdetail && noiselequal == other.noiselequal + && noisegam == other.noisegam && noisechrof == other.noisechrof && noisechroc == other.noisechroc && noisechrodetail == other.noisechrodetail @@ -4672,6 +4955,7 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && shardamping == other.shardamping && shariter == other.shariter && sharblur == other.sharblur + && shargam == other.shargam && sensisha == other.sensisha && inverssha == other.inverssha // Local contrast @@ -4689,6 +4973,9 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && residshathr == other.residshathr && residhi == other.residhi && residhithr == other.residhithr + && gamlc == other.gamlc + && residgam == other.residgam + && residslop == other.residslop && residblur == other.residblur && levelblur == other.levelblur && sigmabl == other.sigmabl @@ -4859,7 +5146,109 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && HHhmask_curve == other.HHhmask_curve && Lmask_curve == other.Lmask_curve && LLmask_curvewav == other.LLmask_curvewav - && csthresholdmask == other.csthresholdmask; + && csthresholdmask == other.csthresholdmask + //ciecam + && visicie == other.visicie + && expcie == other.expcie + && complexcie == other.complexcie + && reparcie == other.reparcie + && sensicie == other.sensicie + && Autograycie == other.Autograycie + && forcejz == other.forcejz + && forcebw == other.forcebw + && qtoj == other.qtoj + && jabcie == other.jabcie + && sigmoidqjcie == other.sigmoidqjcie + && logjz == other.logjz + && sigjz == other.sigjz + && chjzcie == other.chjzcie + && sourceGraycie == other.sourceGraycie + && sourceabscie == other.sourceabscie + && sursourcie == other.sursourcie + && modecie == other.modecie + && modecam == other.modecam + && saturlcie == other.saturlcie + && rstprotectcie == other.rstprotectcie + && chromlcie == other.chromlcie + && huecie == other.huecie + && toneMethodcie == other.toneMethodcie + && ciecurve == other.ciecurve + && toneMethodcie2 == other.toneMethodcie2 + && ciecurve2 == other.ciecurve2 + && chromjzcie == other.chromjzcie + && saturjzcie == other.saturjzcie + && huejzcie == other.huejzcie + && softjzcie == other.softjzcie + && strsoftjzcie == other.strsoftjzcie + && thrhjzcie == other.thrhjzcie + && jzcurve == other.jzcurve + && czcurve == other.czcurve + && czjzcurve == other.czjzcurve + && HHcurvejz == other.HHcurvejz + && CHcurvejz == other.CHcurvejz + && LHcurvejz == other.LHcurvejz + && lightlcie == other.lightlcie + && lightjzcie == other.lightjzcie + && lightqcie == other.lightqcie + && contlcie == other.contlcie + && contjzcie == other.contjzcie + && adapjzcie == other.adapjzcie + && jz100 == other.jz100 + && pqremap == other.pqremap + && pqremapcam16 == other.pqremapcam16 + && hljzcie == other.hljzcie + && hlthjzcie == other.hlthjzcie + && shjzcie == other.shjzcie + && shthjzcie == other.shthjzcie + && radjzcie == other.radjzcie + && sigmalcjz == other.sigmalcjz + && clarilresjz == other.clarilresjz + && claricresjz == other.claricresjz + && clarisoftjz == other.clarisoftjz + && locwavcurvejz == other.locwavcurvejz + && csthresholdjz == other.csthresholdjz + && contthrescie == other.contthrescie + && blackEvjz == other.blackEvjz + && whiteEvjz == other.whiteEvjz + && targetjz == other.targetjz + && sigmoidldacie == other.sigmoidldacie + && sigmoidthcie == other.sigmoidthcie + && sigmoidblcie == other.sigmoidblcie + && sigmoidldajzcie == other.sigmoidldajzcie + && sigmoidthjzcie == other.sigmoidthjzcie + && sigmoidbljzcie == other.sigmoidbljzcie + && contqcie == other.contqcie + && colorflcie == other.colorflcie +/* && lightlzcam == other.lightlzcam + && lightqzcam == other.lightqzcam + && contlzcam == other.contlzcam + && contqzcam == other.contqzcam + && contthreszcam == other.contthreszcam + && colorflzcam == other.colorflzcam + && saturzcam == other.saturzcam + && chromzcam == other.chromzcam +*/ + && targabscie == other.targabscie + && targetGraycie == other.targetGraycie + && catadcie == other.catadcie + && detailcie == other.detailcie + && surroundcie == other.surroundcie + && enacieMask == other.enacieMask + && CCmaskciecurve == other.CCmaskciecurve + && LLmaskciecurve == other.LLmaskciecurve + && HHmaskciecurve == other.HHmaskciecurve + && blendmaskcie == other.blendmaskcie + && radmaskcie == other.radmaskcie + && chromaskcie == other.chromaskcie + && lapmaskcie == other.lapmaskcie + && gammaskcie == other.gammaskcie + && slomaskcie == other.slomaskcie + && Lmaskciecurve == other.Lmaskciecurve + && recothrescie == other.recothrescie + && lowthrescie == other.lowthrescie + && higthrescie == other.higthrescie + && decaycie == other.decaycie; + } @@ -5981,6 +6370,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->shortc, "Locallab", "Shortc_" + index_str, spot.shortc, keyFile); saveToKeyfile(!pedited || spot_edited->savrest, "Locallab", "Savrest_" + index_str, spot.savrest, keyFile); saveToKeyfile(!pedited || spot_edited->scopemask, "Locallab", "Scopemask_" + index_str, spot.scopemask, keyFile); + saveToKeyfile(!pedited || spot_edited->denoichmask, "Locallab", "Denoichmask_" + index_str, spot.denoichmask, keyFile); saveToKeyfile(!pedited || spot_edited->lumask, "Locallab", "Lumask_" + index_str, spot.lumask, keyFile); // Color & Light if ((!pedited || spot_edited->visicolor) && spot.visicolor) { @@ -5989,6 +6379,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->curvactiv, "Locallab", "Curvactiv_" + index_str, spot.curvactiv, keyFile); saveToKeyfile(!pedited || spot_edited->lightness, "Locallab", "Lightness_" + index_str, spot.lightness, keyFile); saveToKeyfile(!pedited || spot_edited->reparcol, "Locallab", "Reparcol_" + index_str, spot.reparcol, keyFile); + saveToKeyfile(!pedited || spot_edited->gamc, "Locallab", "Gamc_" + index_str, spot.gamc, keyFile); saveToKeyfile(!pedited || spot_edited->contrast, "Locallab", "Contrast_" + index_str, spot.contrast, keyFile); saveToKeyfile(!pedited || spot_edited->chroma, "Locallab", "Chroma_" + index_str, spot.chroma, keyFile); saveToKeyfile(!pedited || spot_edited->labgridALow, "Locallab", "labgridALow_" + index_str, spot.labgridALow, keyFile); @@ -6066,6 +6457,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->sensiex, "Locallab", "Sensiex_" + index_str, spot.sensiex, keyFile); saveToKeyfile(!pedited || spot_edited->structexp, "Locallab", "Structexp_" + index_str, spot.structexp, keyFile); saveToKeyfile(!pedited || spot_edited->blurexpde, "Locallab", "Blurexpde_" + index_str, spot.blurexpde, keyFile); + saveToKeyfile(!pedited || spot_edited->gamex, "Locallab", "Gamex_" + index_str, spot.gamex, keyFile); saveToKeyfile(!pedited || spot_edited->strexp, "Locallab", "Strexp_" + index_str, spot.strexp, keyFile); saveToKeyfile(!pedited || spot_edited->angexp, "Locallab", "Angexp_" + index_str, spot.angexp, keyFile); saveToKeyfile(!pedited || spot_edited->excurve, "Locallab", "ExCurve_" + index_str, spot.excurve, keyFile); @@ -6149,6 +6541,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->complexvibrance, "Locallab", "Complexvibrance_" + index_str, spot.complexvibrance, keyFile); saveToKeyfile(!pedited || spot_edited->saturated, "Locallab", "Saturated_" + index_str, spot.saturated, keyFile); saveToKeyfile(!pedited || spot_edited->pastels, "Locallab", "Pastels_" + index_str, spot.pastels, keyFile); + saveToKeyfile(!pedited || spot_edited->vibgam, "Locallab", "Vibgam_" + index_str, spot.vibgam, keyFile); saveToKeyfile(!pedited || spot_edited->warm, "Locallab", "Warm_" + index_str, spot.warm, keyFile); saveToKeyfile(!pedited || spot_edited->psthreshold, "Locallab", "PSThreshold_" + index_str, spot.psthreshold.toVector(), keyFile); saveToKeyfile(!pedited || spot_edited->protectskins, "Locallab", "ProtectSkins_" + index_str, spot.protectskins, keyFile); @@ -6227,6 +6620,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->noiselumc, "Locallab", "noiselumc_" + index_str, spot.noiselumc, keyFile); saveToKeyfile(!pedited || spot_edited->noiselumdetail, "Locallab", "noiselumdetail_" + index_str, spot.noiselumdetail, keyFile); saveToKeyfile(!pedited || spot_edited->noiselequal, "Locallab", "noiselequal_" + index_str, spot.noiselequal, keyFile); + saveToKeyfile(!pedited || spot_edited->noisegam, "Locallab", "noisegam_" + index_str, spot.noisegam, keyFile); saveToKeyfile(!pedited || spot_edited->noisechrof, "Locallab", "noisechrof_" + index_str, spot.noisechrof, keyFile); saveToKeyfile(!pedited || spot_edited->noisechroc, "Locallab", "noisechroc_" + index_str, spot.noisechroc, keyFile); saveToKeyfile(!pedited || spot_edited->noisechrodetail, "Locallab", "noisechrodetail_" + index_str, spot.noisechrodetail, keyFile); @@ -6348,6 +6742,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->shardamping, "Locallab", "Shardamping_" + index_str, spot.shardamping, keyFile); saveToKeyfile(!pedited || spot_edited->shariter, "Locallab", "Shariter_" + index_str, spot.shariter, keyFile); saveToKeyfile(!pedited || spot_edited->sharblur, "Locallab", "Sharblur_" + index_str, spot.sharblur, keyFile); + saveToKeyfile(!pedited || spot_edited->shargam, "Locallab", "Shargam_" + index_str, spot.shargam, keyFile); saveToKeyfile(!pedited || spot_edited->sensisha, "Locallab", "Sensisha_" + index_str, spot.sensisha, keyFile); saveToKeyfile(!pedited || spot_edited->inverssha, "Locallab", "Inverssha_" + index_str, spot.inverssha, keyFile); } @@ -6366,6 +6761,9 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->residshathr, "Locallab", "Residshathr_" + index_str, spot.residshathr, keyFile); saveToKeyfile(!pedited || spot_edited->residhi, "Locallab", "Residhi_" + index_str, spot.residhi, keyFile); saveToKeyfile(!pedited || spot_edited->residhithr, "Locallab", "Residhithr_" + index_str, spot.residhithr, keyFile); + saveToKeyfile(!pedited || spot_edited->gamlc, "Locallab", "Gamlc_" + index_str, spot.gamlc, keyFile); + saveToKeyfile(!pedited || spot_edited->residgam, "Locallab", "Residgam_" + index_str, spot.residgam, keyFile); + saveToKeyfile(!pedited || spot_edited->residslop, "Locallab", "Residslop_" + index_str, spot.residslop, keyFile); saveToKeyfile(!pedited || spot_edited->residblur, "Locallab", "Residblur_" + index_str, spot.residblur, keyFile); saveToKeyfile(!pedited || spot_edited->levelblur, "Locallab", "Levelblur_" + index_str, spot.levelblur, keyFile); saveToKeyfile(!pedited || spot_edited->sigmabl, "Locallab", "Sigmabl_" + index_str, spot.sigmabl, keyFile); @@ -6472,7 +6870,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->targetGray, "Locallab", "TargetGray_" + index_str, spot.targetGray, keyFile); saveToKeyfile(!pedited || spot_edited->catad, "Locallab", "Catad_" + index_str, spot.catad, keyFile); saveToKeyfile(!pedited || spot_edited->saturl, "Locallab", "Saturl_" + index_str, spot.saturl, keyFile); - saveToKeyfile(!pedited || spot_edited->saturl, "Locallab", "Chroml_" + index_str, spot.chroml, keyFile); + saveToKeyfile(!pedited || spot_edited->chroml, "Locallab", "Chroml_" + index_str, spot.chroml, keyFile); saveToKeyfile(!pedited || spot_edited->LcurveL, "Locallab", "LCurveL_" + index_str, spot.LcurveL, keyFile); saveToKeyfile(!pedited || spot_edited->lightl, "Locallab", "Lightl_" + index_str, spot.lightl, keyFile); saveToKeyfile(!pedited || spot_edited->lightq, "Locallab", "Brightq_" + index_str, spot.lightq, keyFile); @@ -6480,7 +6878,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->contthres, "Locallab", "Contthres_" + index_str, spot.contthres, keyFile); saveToKeyfile(!pedited || spot_edited->contq, "Locallab", "Contq_" + index_str, spot.contq, keyFile); saveToKeyfile(!pedited || spot_edited->colorfl, "Locallab", "Colorfl_" + index_str, spot.colorfl, keyFile); - saveToKeyfile(!pedited || spot_edited->Autogray, "Locallab", "Autogray_" + index_str, spot.Autogray, keyFile); + saveToKeyfile(!pedited || spot_edited->Autogray, "Locallab", "AutoGray_" + index_str, spot.Autogray, keyFile); saveToKeyfile(!pedited || spot_edited->fullimage, "Locallab", "Fullimage_" + index_str, spot.fullimage, keyFile); saveToKeyfile(!pedited || spot_edited->repar, "Locallab", "Repart_" + index_str, spot.repar, keyFile); saveToKeyfile(!pedited || spot_edited->ciecam, "Locallab", "Ciecam_" + index_str, spot.ciecam, keyFile); @@ -6537,6 +6935,113 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->LLmask_curvewav, "Locallab", "LLmask_Curvewav_" + index_str, spot.LLmask_curvewav, keyFile); saveToKeyfile(!pedited || spot_edited->csthresholdmask, "Locallab", "CSThresholdmask_" + index_str, spot.csthresholdmask.toVector(), keyFile); } + //ciecam + if ((!pedited || spot_edited->visicie) && spot.visicie) { + saveToKeyfile(!pedited || spot_edited->expcie, "Locallab", "Expcie_" + index_str, spot.expcie, keyFile); + saveToKeyfile(!pedited || spot_edited->complexcie, "Locallab", "Complexcie_" + index_str, spot.complexcie, keyFile); + saveToKeyfile(!pedited || spot_edited->reparcie, "Locallab", "Reparcie_" + index_str, spot.reparcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sensicie, "Locallab", "Sensicie_" + index_str, spot.sensicie, keyFile); + saveToKeyfile(!pedited || spot_edited->Autograycie, "Locallab", "AutoGraycie_" + index_str, spot.Autograycie, keyFile); + saveToKeyfile(!pedited || spot_edited->forcejz, "Locallab", "Forcejz_" + index_str, spot.forcejz, keyFile); + saveToKeyfile(!pedited || spot_edited->forcebw, "Locallab", "Forcebw_" + index_str, spot.forcebw, keyFile); + saveToKeyfile(!pedited || spot_edited->qtoj, "Locallab", "Qtoj_" + index_str, spot.qtoj, keyFile); + saveToKeyfile(!pedited || spot_edited->jabcie, "Locallab", "jabcie_" + index_str, spot.jabcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidqjcie, "Locallab", "sigmoidqjcie_" + index_str, spot.sigmoidqjcie, keyFile); + saveToKeyfile(!pedited || spot_edited->logjz, "Locallab", "Logjz_" + index_str, spot.logjz, keyFile); + saveToKeyfile(!pedited || spot_edited->sigjz, "Locallab", "Sigjz_" + index_str, spot.sigjz, keyFile); + saveToKeyfile(!pedited || spot_edited->chjzcie, "Locallab", "chjzcie_" + index_str, spot.chjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sourceGraycie, "Locallab", "SourceGraycie_" + index_str, spot.sourceGraycie, keyFile); + saveToKeyfile(!pedited || spot_edited->sourceabscie, "Locallab", "Sourceabscie_" + index_str, spot.sourceabscie, keyFile); + saveToKeyfile(!pedited || spot_edited->sursourcie, "Locallab", "Sursourcie_" + index_str, spot.sursourcie, keyFile); + saveToKeyfile(!pedited || spot_edited->modecie, "Locallab", "Modecie_" + index_str, spot.modecie, keyFile); + saveToKeyfile(!pedited || spot_edited->modecam, "Locallab", "Modecam_" + index_str, spot.modecam, keyFile); + saveToKeyfile(!pedited || spot_edited->saturlcie, "Locallab", "Saturlcie_" + index_str, spot.saturlcie, keyFile); + saveToKeyfile(!pedited || spot_edited->rstprotectcie, "Locallab", "Rstprotectcie_" + index_str, spot.rstprotectcie, keyFile); + saveToKeyfile(!pedited || spot_edited->chromlcie, "Locallab", "Chromlcie_" + index_str, spot.chromlcie, keyFile); + saveToKeyfile(!pedited || spot_edited->huecie, "Locallab", "Huecie_" + index_str, spot.huecie, keyFile); + saveToKeyfile(!pedited || spot_edited->toneMethodcie, "Locallab", "ToneMethodcie_" + index_str, spot.toneMethodcie, keyFile); + saveToKeyfile(!pedited || spot_edited->ciecurve, "Locallab", "Ciecurve_" + index_str, spot.ciecurve, keyFile); + saveToKeyfile(!pedited || spot_edited->toneMethodcie2, "Locallab", "ToneMethodcie2_" + index_str, spot.toneMethodcie2, keyFile); + saveToKeyfile(!pedited || spot_edited->ciecurve2, "Locallab", "Ciecurve2_" + index_str, spot.ciecurve2, keyFile); + saveToKeyfile(!pedited || spot_edited->chromjzcie, "Locallab", "Chromjzcie_" + index_str, spot.chromjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->saturjzcie, "Locallab", "Saturjzcie_" + index_str, spot.saturjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->huejzcie, "Locallab", "Huejzcie_" + index_str, spot.huejzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->softjzcie, "Locallab", "Softjzcie_" + index_str, spot.softjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->strsoftjzcie, "Locallab", "strSoftjzcie_" + index_str, spot.strsoftjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->thrhjzcie, "Locallab", "Thrhjzcie_" + index_str, spot.thrhjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->CHcurvejz, "Locallab", "JzCurve_" + index_str, spot.jzcurve, keyFile); + saveToKeyfile(!pedited || spot_edited->CHcurvejz, "Locallab", "CzCurve_" + index_str, spot.czcurve, keyFile); + saveToKeyfile(!pedited || spot_edited->CHcurvejz, "Locallab", "CzJzCurve_" + index_str, spot.czjzcurve, keyFile); + saveToKeyfile(!pedited || spot_edited->HHcurvejz, "Locallab", "HHCurvejz_" + index_str, spot.HHcurvejz, keyFile); + saveToKeyfile(!pedited || spot_edited->CHcurvejz, "Locallab", "CHCurvejz_" + index_str, spot.CHcurvejz, keyFile); + saveToKeyfile(!pedited || spot_edited->CHcurvejz, "Locallab", "LHCurvejz_" + index_str, spot.LHcurvejz, keyFile); + saveToKeyfile(!pedited || spot_edited->lightlcie, "Locallab", "Lightlcie_" + index_str, spot.lightlcie, keyFile); + saveToKeyfile(!pedited || spot_edited->lightjzcie, "Locallab", "Lightjzcie_" + index_str, spot.lightjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->lightqcie, "Locallab", "Brightqcie_" + index_str, spot.lightqcie, keyFile); + saveToKeyfile(!pedited || spot_edited->contlcie, "Locallab", "Contlcie_" + index_str, spot.contlcie, keyFile); + saveToKeyfile(!pedited || spot_edited->contjzcie, "Locallab", "Contjzcie_" + index_str, spot.contjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->adapjzcie, "Locallab", "Adapjzcie_" + index_str, spot.adapjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->jz100, "Locallab", "Jz100_" + index_str, spot.jz100, keyFile); + saveToKeyfile(!pedited || spot_edited->pqremap, "Locallab", "PQremap_" + index_str, spot.pqremap, keyFile); + saveToKeyfile(!pedited || spot_edited->pqremapcam16, "Locallab", "PQremapcam16_" + index_str, spot.pqremapcam16, keyFile); + saveToKeyfile(!pedited || spot_edited->hljzcie, "Locallab", "Hljzcie_" + index_str, spot.hljzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->hlthjzcie, "Locallab", "Hlthjzcie_" + index_str, spot.hlthjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->shjzcie, "Locallab", "Shjzcie_" + index_str, spot.shjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->shthjzcie, "Locallab", "Shthjzcie_" + index_str, spot.shthjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->radjzcie, "Locallab", "Radjzcie_" + index_str, spot.radjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmalcjz, "Locallab", "Sigmalcjz_" + index_str, spot.sigmalcjz, keyFile); + saveToKeyfile(!pedited || spot_edited->clarilresjz, "Locallab", "Clarilresjz_" + index_str, spot.clarilresjz, keyFile); + saveToKeyfile(!pedited || spot_edited->claricresjz, "Locallab", "Claricresjz_" + index_str, spot.claricresjz, keyFile); + saveToKeyfile(!pedited || spot_edited->clarisoftjz, "Locallab", "Clarisoftjz_" + index_str, spot.clarisoftjz, keyFile); + saveToKeyfile(!pedited || spot_edited->locwavcurvejz, "Locallab", "LocwavCurvejz_" + index_str, spot.locwavcurvejz, keyFile); + saveToKeyfile(!pedited || spot_edited->csthresholdjz, "Locallab", "CSThresholdjz_" + index_str, spot.csthresholdjz.toVector(), keyFile); + saveToKeyfile(!pedited || spot_edited->contthrescie, "Locallab", "Contthrescie_" + index_str, spot.contthrescie, keyFile); + saveToKeyfile(!pedited || spot_edited->blackEvjz, "Locallab", "BlackEvjz_" + index_str, spot.blackEvjz, keyFile); + saveToKeyfile(!pedited || spot_edited->whiteEvjz, "Locallab", "WhiteEvjz_" + index_str, spot.whiteEvjz, keyFile); + saveToKeyfile(!pedited || spot_edited->targetjz, "Locallab", "Targetjz_" + index_str, spot.targetjz, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidldacie, "Locallab", "Sigmoidldacie_" + index_str, spot.sigmoidldacie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidthcie, "Locallab", "Sigmoidthcie_" + index_str, spot.sigmoidthcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidblcie, "Locallab", "Sigmoidblcie_" + index_str, spot.sigmoidblcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidldajzcie, "Locallab", "Sigmoidldajzcie_" + index_str, spot.sigmoidldajzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidthjzcie, "Locallab", "Sigmoidthjzcie_" + index_str, spot.sigmoidthjzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->sigmoidbljzcie, "Locallab", "Sigmoidbljzcie_" + index_str, spot.sigmoidbljzcie, keyFile); + saveToKeyfile(!pedited || spot_edited->contqcie, "Locallab", "Contqcie_" + index_str, spot.contqcie, keyFile); + saveToKeyfile(!pedited || spot_edited->colorflcie, "Locallab", "Colorflcie_" + index_str, spot.colorflcie, keyFile); +/* + saveToKeyfile(!pedited || spot_edited->lightlzcam, "Locallab", "Lightlzcam_" + index_str, spot.lightlzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->lightqzcam, "Locallab", "Lightqzcam_" + index_str, spot.lightqzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->contlzcam, "Locallab", "Contlzcam_" + index_str, spot.contlzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->contqzcam, "Locallab", "Contqzcam_" + index_str, spot.contqzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->contthreszcam, "Locallab", "Contthreszcam_" + index_str, spot.contthreszcam, keyFile); + saveToKeyfile(!pedited || spot_edited->colorflzcam, "Locallab", "Colorflzcam_" + index_str, spot.colorflzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->saturzcam, "Locallab", "Saturzcam_" + index_str, spot.saturzcam, keyFile); + saveToKeyfile(!pedited || spot_edited->chromzcam, "Locallab", "Chromzcam_" + index_str, spot.chromzcam, keyFile); +*/ + saveToKeyfile(!pedited || spot_edited->targabscie, "Locallab", "Targabscie_" + index_str, spot.targabscie, keyFile); + saveToKeyfile(!pedited || spot_edited->targetGraycie, "Locallab", "TargetGraycie_" + index_str, spot.targetGraycie, keyFile); + saveToKeyfile(!pedited || spot_edited->catadcie, "Locallab", "Catadcie_" + index_str, spot.catadcie, keyFile); + saveToKeyfile(!pedited || spot_edited->detailcie, "Locallab", "Detailcie_" + index_str, spot.detailcie, keyFile); + saveToKeyfile(!pedited || spot_edited->surroundcie, "Locallab", "Surroundcie_" + index_str, spot.surroundcie, keyFile); + saveToKeyfile(!pedited || spot_edited->enacieMask, "Locallab", "EnacieMask_" + index_str, spot.enacieMask, keyFile); + saveToKeyfile(!pedited || spot_edited->CCmaskciecurve, "Locallab", "CCmaskcieCurve_" + index_str, spot.CCmaskciecurve, keyFile); + saveToKeyfile(!pedited || spot_edited->LLmaskciecurve, "Locallab", "LLmaskcieCurve_" + index_str, spot.LLmaskciecurve, keyFile); + saveToKeyfile(!pedited || spot_edited->HHmaskciecurve, "Locallab", "HHmaskcieCurve_" + index_str, spot.HHmaskciecurve, keyFile); + saveToKeyfile(!pedited || spot_edited->blendmaskcie, "Locallab", "Blendmaskcie_" + index_str, spot.blendmaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->radmaskcie, "Locallab", "Radmaskcie_" + index_str, spot.radmaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->chromaskcie, "Locallab", "Chromaskcie_" + index_str, spot.chromaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->lapmaskcie, "Locallab", "Lapmaskcie_" + index_str, spot.lapmaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->gammaskcie, "Locallab", "Gammaskcie_" + index_str, spot.gammaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->slomaskcie, "Locallab", "Slomaskcie_" + index_str, spot.slomaskcie, keyFile); + saveToKeyfile(!pedited || spot_edited->Lmaskciecurve, "Locallab", "LmaskcieCurve_" + index_str, spot.Lmaskciecurve, keyFile); + saveToKeyfile(!pedited || spot_edited->recothrescie, "Locallab", "Recothrescie_" + index_str, spot.recothrescie, keyFile); + saveToKeyfile(!pedited || spot_edited->lowthrescie, "Locallab", "Lowthrescie_" + index_str, spot.lowthrescie, keyFile); + saveToKeyfile(!pedited || spot_edited->higthrescie, "Locallab", "Higthrescie_" + index_str, spot.higthrescie, keyFile); + saveToKeyfile(!pedited || spot_edited->decaycie, "Locallab", "Decaycie_" + index_str, spot.decaycie, keyFile); + + + + } + } } @@ -7938,6 +8443,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Shortc_" + index_str, pedited, spot.shortc, spotEdited.shortc); assignFromKeyfile(keyFile, "Locallab", "Savrest_" + index_str, pedited, spot.savrest, spotEdited.savrest); assignFromKeyfile(keyFile, "Locallab", "Scopemask_" + index_str, pedited, spot.scopemask, spotEdited.scopemask); + assignFromKeyfile(keyFile, "Locallab", "Denoichmask_" + index_str, pedited, spot.denoichmask, spotEdited.denoichmask); assignFromKeyfile(keyFile, "Locallab", "Lumask_" + index_str, pedited, spot.lumask, spotEdited.lumask); // Color & Light spot.visicolor = assignFromKeyfile(keyFile, "Locallab", "Expcolor_" + index_str, pedited, spot.expcolor, spotEdited.expcolor); @@ -7950,6 +8456,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Curvactiv_" + index_str, pedited, spot.curvactiv, spotEdited.curvactiv); assignFromKeyfile(keyFile, "Locallab", "Lightness_" + index_str, pedited, spot.lightness, spotEdited.lightness); assignFromKeyfile(keyFile, "Locallab", "Reparcol_" + index_str, pedited, spot.reparcol, spotEdited.reparcol); + assignFromKeyfile(keyFile, "Locallab", "Gamc_" + index_str, pedited, spot.gamc, spotEdited.gamc); assignFromKeyfile(keyFile, "Locallab", "Contrast_" + index_str, pedited, spot.contrast, spotEdited.contrast); assignFromKeyfile(keyFile, "Locallab", "Chroma_" + index_str, pedited, spot.chroma, spotEdited.chroma); assignFromKeyfile(keyFile, "Locallab", "labgridALow_" + index_str, pedited, spot.labgridALow, spotEdited.labgridALow); @@ -8040,6 +8547,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Sensiex_" + index_str, pedited, spot.sensiex, spotEdited.sensiex); assignFromKeyfile(keyFile, "Locallab", "Structexp_" + index_str, pedited, spot.structexp, spotEdited.structexp); assignFromKeyfile(keyFile, "Locallab", "Blurexpde_" + index_str, pedited, spot.blurexpde, spotEdited.blurexpde); + assignFromKeyfile(keyFile, "Locallab", "Gamex_" + index_str, pedited, spot.gamex, spotEdited.gamex); assignFromKeyfile(keyFile, "Locallab", "Strexp_" + index_str, pedited, spot.strexp, spotEdited.strexp); assignFromKeyfile(keyFile, "Locallab", "Angexp_" + index_str, pedited, spot.angexp, spotEdited.angexp); assignFromKeyfile(keyFile, "Locallab", "ExCurve_" + index_str, pedited, spot.excurve, spotEdited.excurve); @@ -8131,6 +8639,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Complexvibrance_" + index_str, pedited, spot.complexvibrance, spotEdited.complexvibrance); assignFromKeyfile(keyFile, "Locallab", "Saturated_" + index_str, pedited, spot.saturated, spotEdited.saturated); assignFromKeyfile(keyFile, "Locallab", "Pastels_" + index_str, pedited, spot.pastels, spotEdited.pastels); + assignFromKeyfile(keyFile, "Locallab", "Vibgam_" + index_str, pedited, spot.vibgam, spotEdited.vibgam); assignFromKeyfile(keyFile, "Locallab", "Warm_" + index_str, pedited, spot.warm, spotEdited.warm); if (keyFile.has_key("Locallab", "PSThreshold_" + index_str)) { @@ -8225,6 +8734,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "noiselumc_" + index_str, pedited, spot.noiselumc, spotEdited.noiselumc); assignFromKeyfile(keyFile, "Locallab", "noiselumdetail_" + index_str, pedited, spot.noiselumdetail, spotEdited.noiselumdetail); assignFromKeyfile(keyFile, "Locallab", "noiselequal_" + index_str, pedited, spot.noiselequal, spotEdited.noiselequal); + assignFromKeyfile(keyFile, "Locallab", "noisegam_" + index_str, pedited, spot.noisegam, spotEdited.noisegam); assignFromKeyfile(keyFile, "Locallab", "noisechrof_" + index_str, pedited, spot.noisechrof, spotEdited.noisechrof); assignFromKeyfile(keyFile, "Locallab", "noisechroc_" + index_str, pedited, spot.noisechroc, spotEdited.noisechroc); assignFromKeyfile(keyFile, "Locallab", "noisechrodetail_" + index_str, pedited, spot.noisechrodetail, spotEdited.noisechrodetail); @@ -8364,6 +8874,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Shardamping_" + index_str, pedited, spot.shardamping, spotEdited.shardamping); assignFromKeyfile(keyFile, "Locallab", "Shariter_" + index_str, pedited, spot.shariter, spotEdited.shariter); assignFromKeyfile(keyFile, "Locallab", "Sharblur_" + index_str, pedited, spot.sharblur, spotEdited.sharblur); + assignFromKeyfile(keyFile, "Locallab", "Shargam_" + index_str, pedited, spot.shargam, spotEdited.shargam); assignFromKeyfile(keyFile, "Locallab", "Sensisha_" + index_str, pedited, spot.sensisha, spotEdited.sensisha); assignFromKeyfile(keyFile, "Locallab", "Inverssha_" + index_str, pedited, spot.inverssha, spotEdited.inverssha); // Local Contrast @@ -8384,7 +8895,10 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Residsha_" + index_str, pedited, spot.residsha, spotEdited.residsha); assignFromKeyfile(keyFile, "Locallab", "Residshathr_" + index_str, pedited, spot.residshathr, spotEdited.residshathr); assignFromKeyfile(keyFile, "Locallab", "Residhi_" + index_str, pedited, spot.residhi, spotEdited.residhi); + assignFromKeyfile(keyFile, "Locallab", "Gamlc_" + index_str, pedited, spot.gamlc, spotEdited.gamlc); assignFromKeyfile(keyFile, "Locallab", "Residhithr_" + index_str, pedited, spot.residhithr, spotEdited.residhithr); + assignFromKeyfile(keyFile, "Locallab", "Residgam_" + index_str, pedited, spot.residgam, spotEdited.residgam); + assignFromKeyfile(keyFile, "Locallab", "Residslop_" + index_str, pedited, spot.residslop, spotEdited.residslop); assignFromKeyfile(keyFile, "Locallab", "Residblur_" + index_str, pedited, spot.residblur, spotEdited.residblur); assignFromKeyfile(keyFile, "Locallab", "Levelblur_" + index_str, pedited, spot.levelblur, spotEdited.levelblur); assignFromKeyfile(keyFile, "Locallab", "Sigmabl_" + index_str, pedited, spot.sigmabl, spotEdited.sigmabl); @@ -8584,6 +9098,122 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) spotEdited.visimask = true; } + // ciecam + spot.visicie = assignFromKeyfile(keyFile, "Locallab", "Expcie_" + index_str, pedited, spot.expcie, spotEdited.expcie); + + if (spot.visicie) { + spotEdited.visicie = true; + } + assignFromKeyfile(keyFile, "Locallab", "Complexcie_" + index_str, pedited, spot.complexcie, spotEdited.complexcie); + assignFromKeyfile(keyFile, "Locallab", "Reparcie_" + index_str, pedited, spot.reparcie, spotEdited.reparcie); + assignFromKeyfile(keyFile, "Locallab", "Sensicie_" + index_str, pedited, spot.sensicie, spotEdited.sensicie); + assignFromKeyfile(keyFile, "Locallab", "AutoGraycie_" + index_str, pedited, spot.Autograycie, spotEdited.Autograycie); + assignFromKeyfile(keyFile, "Locallab", "Forcejz_" + index_str, pedited, spot.forcejz, spotEdited.forcejz); + assignFromKeyfile(keyFile, "Locallab", "Forcebw_" + index_str, pedited, spot.forcebw, spotEdited.forcebw); + assignFromKeyfile(keyFile, "Locallab", "Qtoj_" + index_str, pedited, spot.qtoj, spotEdited.qtoj); + assignFromKeyfile(keyFile, "Locallab", "jabcie_" + index_str, pedited, spot.jabcie, spotEdited.jabcie); + assignFromKeyfile(keyFile, "Locallab", "sigmoidqjcie_" + index_str, pedited, spot.sigmoidqjcie, spotEdited.sigmoidqjcie); + assignFromKeyfile(keyFile, "Locallab", "Logjz_" + index_str, pedited, spot.logjz, spotEdited.logjz); + assignFromKeyfile(keyFile, "Locallab", "Sigjz_" + index_str, pedited, spot.sigjz, spotEdited.sigjz); + assignFromKeyfile(keyFile, "Locallab", "chjzcie_" + index_str, pedited, spot.chjzcie, spotEdited.chjzcie); + assignFromKeyfile(keyFile, "Locallab", "SourceGraycie_" + index_str, pedited, spot.sourceGraycie, spotEdited.sourceGraycie); + assignFromKeyfile(keyFile, "Locallab", "Sourceabscie_" + index_str, pedited, spot.sourceabscie, spotEdited.sourceabscie); + assignFromKeyfile(keyFile, "Locallab", "Sursourcie_" + index_str, pedited, spot.sursourcie, spotEdited.sursourcie); + assignFromKeyfile(keyFile, "Locallab", "Modecie_" + index_str, pedited, spot.modecie, spotEdited.modecie); + assignFromKeyfile(keyFile, "Locallab", "Modecam_" + index_str, pedited, spot.modecam, spotEdited.modecam); + assignFromKeyfile(keyFile, "Locallab", "Saturlcie_" + index_str, pedited, spot.saturlcie, spotEdited.saturlcie); + assignFromKeyfile(keyFile, "Locallab", "Rstprotectcie_" + index_str, pedited, spot.rstprotectcie, spotEdited.rstprotectcie); + assignFromKeyfile(keyFile, "Locallab", "Chromlcie_" + index_str, pedited, spot.chromlcie, spotEdited.chromlcie); + assignFromKeyfile(keyFile, "Locallab", "Huecie_" + index_str, pedited, spot.huecie, spotEdited.huecie); + assignFromKeyfile(keyFile, "Locallab", "ToneMethodcie_" + index_str, pedited, spot.toneMethodcie, spotEdited.toneMethodcie); + assignFromKeyfile(keyFile, "Locallab", "Ciecurve_" + index_str, pedited, spot.ciecurve, spotEdited.ciecurve); + assignFromKeyfile(keyFile, "Locallab", "ToneMethodcie2_" + index_str, pedited, spot.toneMethodcie2, spotEdited.toneMethodcie2); + assignFromKeyfile(keyFile, "Locallab", "Ciecurve2_" + index_str, pedited, spot.ciecurve2, spotEdited.ciecurve2); + assignFromKeyfile(keyFile, "Locallab", "Chromjzcie_" + index_str, pedited, spot.chromjzcie, spotEdited.chromjzcie); + assignFromKeyfile(keyFile, "Locallab", "Saturjzcie_" + index_str, pedited, spot.saturjzcie, spotEdited.saturjzcie); + assignFromKeyfile(keyFile, "Locallab", "Huejzcie_" + index_str, pedited, spot.huejzcie, spotEdited.huejzcie); + assignFromKeyfile(keyFile, "Locallab", "Softjzcie_" + index_str, pedited, spot.softjzcie, spotEdited.softjzcie); + assignFromKeyfile(keyFile, "Locallab", "strSoftjzcie_" + index_str, pedited, spot.strsoftjzcie, spotEdited.strsoftjzcie); + assignFromKeyfile(keyFile, "Locallab", "Thrhjzcie_" + index_str, pedited, spot.thrhjzcie, spotEdited.thrhjzcie); + assignFromKeyfile(keyFile, "Locallab", "JzCurve_" + index_str, pedited, spot.jzcurve, spotEdited.jzcurve); + assignFromKeyfile(keyFile, "Locallab", "CzCurve_" + index_str, pedited, spot.czcurve, spotEdited.czcurve); + assignFromKeyfile(keyFile, "Locallab", "CzJzCurve_" + index_str, pedited, spot.czjzcurve, spotEdited.czjzcurve); + assignFromKeyfile(keyFile, "Locallab", "HHCurvejz_" + index_str, pedited, spot.HHcurvejz, spotEdited.HHcurvejz); + assignFromKeyfile(keyFile, "Locallab", "CHCurvejz_" + index_str, pedited, spot.CHcurvejz, spotEdited.CHcurvejz); + assignFromKeyfile(keyFile, "Locallab", "LHCurvejz_" + index_str, pedited, spot.LHcurvejz, spotEdited.LHcurvejz); + assignFromKeyfile(keyFile, "Locallab", "Lightlcie_" + index_str, pedited, spot.lightlcie, spotEdited.lightlcie); + assignFromKeyfile(keyFile, "Locallab", "Lightjzcie_" + index_str, pedited, spot.lightjzcie, spotEdited.lightjzcie); + assignFromKeyfile(keyFile, "Locallab", "Brightqcie_" + index_str, pedited, spot.lightqcie, spotEdited.lightqcie); + assignFromKeyfile(keyFile, "Locallab", "Contlcie_" + index_str, pedited, spot.contlcie, spotEdited.contlcie); + assignFromKeyfile(keyFile, "Locallab", "Contjzcie_" + index_str, pedited, spot.contjzcie, spotEdited.contjzcie); + assignFromKeyfile(keyFile, "Locallab", "Adapjzcie_" + index_str, pedited, spot.adapjzcie, spotEdited.adapjzcie); + assignFromKeyfile(keyFile, "Locallab", "Jz100_" + index_str, pedited, spot.jz100, spotEdited.jz100); + assignFromKeyfile(keyFile, "Locallab", "PQremap_" + index_str, pedited, spot.pqremap, spotEdited.pqremap); + assignFromKeyfile(keyFile, "Locallab", "PQremapcam16_" + index_str, pedited, spot.pqremapcam16, spotEdited.pqremapcam16); + assignFromKeyfile(keyFile, "Locallab", "Hljzcie_" + index_str, pedited, spot.hljzcie, spotEdited.hljzcie); + assignFromKeyfile(keyFile, "Locallab", "Hlthjzcie_" + index_str, pedited, spot.hlthjzcie, spotEdited.hlthjzcie); + assignFromKeyfile(keyFile, "Locallab", "Shjzcie_" + index_str, pedited, spot.shjzcie, spotEdited.shjzcie); + assignFromKeyfile(keyFile, "Locallab", "Shthjzcie_" + index_str, pedited, spot.shthjzcie, spotEdited.shthjzcie); + assignFromKeyfile(keyFile, "Locallab", "Radjzcie_" + index_str, pedited, spot.radjzcie, spotEdited.radjzcie); + if (keyFile.has_key("Locallab", "CSThresholdjz_" + index_str)) { + + const std::vector thresh = keyFile.get_integer_list("Locallab", "CSThresholdjz_" + index_str); + + if (thresh.size() >= 4) { + spot.csthresholdjz.setValues(thresh[0], thresh[1], min(thresh[2], 10), min(thresh[3], 10)); + } + + spotEdited.csthresholdjz = true; + } + assignFromKeyfile(keyFile, "Locallab", "Sigmalcjz_" + index_str, pedited, spot.sigmalcjz, spotEdited.sigmalcjz); + assignFromKeyfile(keyFile, "Locallab", "Clarilresjz_" + index_str, pedited, spot.clarilresjz, spotEdited.clarilresjz); + assignFromKeyfile(keyFile, "Locallab", "Claricresjz_" + index_str, pedited, spot.claricresjz, spotEdited.claricresjz); + assignFromKeyfile(keyFile, "Locallab", "Clarisoftjz_" + index_str, pedited, spot.clarisoftjz, spotEdited.clarisoftjz); + assignFromKeyfile(keyFile, "Locallab", "LocwavCurvejz_" + index_str, pedited, spot.locwavcurvejz, spotEdited.locwavcurvejz); + assignFromKeyfile(keyFile, "Locallab", "Contthrescie_" + index_str, pedited, spot.contthrescie, spotEdited.contthrescie); + assignFromKeyfile(keyFile, "Locallab", "Contthrescie_" + index_str, pedited, spot.contthrescie, spotEdited.contthrescie); + assignFromKeyfile(keyFile, "Locallab", "BlackEvjz_" + index_str, pedited, spot.blackEvjz, spotEdited.blackEvjz); + assignFromKeyfile(keyFile, "Locallab", "WhiteEvjz_" + index_str, pedited, spot.whiteEvjz, spotEdited.whiteEvjz); + assignFromKeyfile(keyFile, "Locallab", "Targetjz_" + index_str, pedited, spot.targetjz, spotEdited.targetjz); + assignFromKeyfile(keyFile, "Locallab", "Sigmoidthcie_" + index_str, pedited, spot.sigmoidthcie, spotEdited.sigmoidthcie); + assignFromKeyfile(keyFile, "Locallab", "Sigmoidblcie_" + index_str, pedited, spot.sigmoidblcie, spotEdited.sigmoidblcie); + assignFromKeyfile(keyFile, "Locallab", "Sigmoidldajzcie_" + index_str, pedited, spot.sigmoidldajzcie, spotEdited.sigmoidldajzcie); + assignFromKeyfile(keyFile, "Locallab", "Sigmoidthjzcie_" + index_str, pedited, spot.sigmoidthjzcie, spotEdited.sigmoidthjzcie); + assignFromKeyfile(keyFile, "Locallab", "Sigmoidbljzcie_" + index_str, pedited, spot.sigmoidbljzcie, spotEdited.sigmoidbljzcie); + assignFromKeyfile(keyFile, "Locallab", "Contqcie_" + index_str, pedited, spot.contqcie, spotEdited.contqcie); + assignFromKeyfile(keyFile, "Locallab", "Colorflcie_" + index_str, pedited, spot.colorflcie, spotEdited.colorflcie); +/* + assignFromKeyfile(keyFile, "Locallab", "Lightlzcam_" + index_str, pedited, spot.lightlzcam, spotEdited.lightlzcam); + assignFromKeyfile(keyFile, "Locallab", "Lightqzcam_" + index_str, pedited, spot.lightqzcam, spotEdited.lightqzcam); + assignFromKeyfile(keyFile, "Locallab", "Contlzcam_" + index_str, pedited, spot.contlzcam, spotEdited.contlzcam); + assignFromKeyfile(keyFile, "Locallab", "Contqzcam_" + index_str, pedited, spot.contqzcam, spotEdited.contqzcam); + assignFromKeyfile(keyFile, "Locallab", "Contthreszcam_" + index_str, pedited, spot.contthreszcam, spotEdited.contthreszcam); +*/ + assignFromKeyfile(keyFile, "Locallab", "Targabscie_" + index_str, pedited, spot.targabscie, spotEdited.targabscie); + assignFromKeyfile(keyFile, "Locallab", "TargetGraycie_" + index_str, pedited, spot.targetGraycie, spotEdited.targetGraycie); + assignFromKeyfile(keyFile, "Locallab", "Catadcie_" + index_str, pedited, spot.catadcie, spotEdited.catadcie); + assignFromKeyfile(keyFile, "Locallab", "Detailcie_" + index_str, pedited, spot.detailcie, spotEdited.detailcie); +/* + assignFromKeyfile(keyFile, "Locallab", "Colorflzcam_" + index_str, pedited, spot.colorflzcam, spotEdited.colorflzcam); + assignFromKeyfile(keyFile, "Locallab", "Saturzcam_" + index_str, pedited, spot.saturzcam, spotEdited.saturzcam); + assignFromKeyfile(keyFile, "Locallab", "Chromzcam_" + index_str, pedited, spot.chromzcam, spotEdited.chromzcam); +*/ + assignFromKeyfile(keyFile, "Locallab", "EnacieMask_" + index_str, pedited, spot.enacieMask, spotEdited.enacieMask); + assignFromKeyfile(keyFile, "Locallab", "CCmaskcieCurve_" + index_str, pedited, spot.CCmaskciecurve, spotEdited.CCmaskciecurve); + assignFromKeyfile(keyFile, "Locallab", "LLmaskcieCurve_" + index_str, pedited, spot.LLmaskciecurve, spotEdited.LLmaskciecurve); + assignFromKeyfile(keyFile, "Locallab", "HHmaskcieCurve_" + index_str, pedited, spot.HHmaskciecurve, spotEdited.HHmaskciecurve); + assignFromKeyfile(keyFile, "Locallab", "Blendmaskcie_" + index_str, pedited, spot.blendmaskcie, spotEdited.blendmaskcie); + assignFromKeyfile(keyFile, "Locallab", "Radmaskcie_" + index_str, pedited, spot.radmaskcie, spotEdited.radmaskcie); + assignFromKeyfile(keyFile, "Locallab", "Chromaskcie_" + index_str, pedited, spot.chromaskcie, spotEdited.chromaskcie); + assignFromKeyfile(keyFile, "Locallab", "Lapmaskcie_" + index_str, pedited, spot.lapmaskcie, spotEdited.lapmaskcie); + assignFromKeyfile(keyFile, "Locallab", "Gammaskcie_" + index_str, pedited, spot.gammaskcie, spotEdited.gammaskcie); + assignFromKeyfile(keyFile, "Locallab", "Slomaskcie_" + index_str, pedited, spot.slomaskcie, spotEdited.slomaskcie); + assignFromKeyfile(keyFile, "Locallab", "LmaskcieCurve_" + index_str, pedited, spot.Lmaskciecurve, spotEdited.Lmaskciecurve); + assignFromKeyfile(keyFile, "Locallab", "Recothrescie_" + index_str, pedited, spot.recothrescie, spotEdited.recothrescie); + assignFromKeyfile(keyFile, "Locallab", "Lowthrescie_" + index_str, pedited, spot.lowthrescie, spotEdited.lowthrescie); + assignFromKeyfile(keyFile, "Locallab", "Higthrescie_" + index_str, pedited, spot.higthrescie, spotEdited.higthrescie); + assignFromKeyfile(keyFile, "Locallab", "Decaycie_" + index_str, pedited, spot.decaycie, spotEdited.decaycie); + // Append LocallabSpot and LocallabParamsEdited locallab.spots.push_back(spot); diff --git a/rtengine/procparams.h b/rtengine/procparams.h index c9dc2e42f..5ef95bfa2 100644 --- a/rtengine/procparams.h +++ b/rtengine/procparams.h @@ -1037,6 +1037,7 @@ struct LocallabParams { bool shortc; bool savrest; int scopemask; + double denoichmask; int lumask; // Color & Light bool visicolor; @@ -1045,6 +1046,7 @@ struct LocallabParams { bool curvactiv; int lightness; double reparcol; + double gamc; int contrast; int chroma; double labgridALow; @@ -1121,6 +1123,7 @@ struct LocallabParams { int sensiex; int structexp; int blurexpde; + double gamex; double strexp; double angexp; std::vector excurve; @@ -1199,6 +1202,7 @@ struct LocallabParams { int complexvibrance; int saturated; int pastels; + double vibgam; int warm; Threshold psthreshold; bool protectskins; @@ -1275,6 +1279,7 @@ struct LocallabParams { double noiselumc; double noiselumdetail; int noiselequal; + double noisegam; double noisechrof; double noisechroc; double noisechrodetail; @@ -1393,6 +1398,7 @@ struct LocallabParams { int shardamping; int shariter; double sharblur; + double shargam; int sensisha; bool inverssha; // Local Contrast @@ -1410,6 +1416,9 @@ struct LocallabParams { double residshathr; double residhi; double residhithr; + double gamlc; + double residgam; + double residslop; double residblur; double levelblur; double sigmabl; @@ -1573,6 +1582,108 @@ struct LocallabParams { std::vector Lmask_curve; std::vector LLmask_curvewav; Threshold csthresholdmask; + //ciecam + bool visicie; + bool expcie; + int complexcie; + double reparcie; + int sensicie; + bool Autograycie; + bool forcejz; + bool forcebw; + bool qtoj; + bool jabcie; + bool sigmoidqjcie; + bool logjz; + bool sigjz; + bool chjzcie; + double sourceGraycie; + double sourceabscie; + Glib::ustring sursourcie; + Glib::ustring modecie; + Glib::ustring modecam; + double saturlcie; + double rstprotectcie; + double chromlcie; + double huecie; + Glib::ustring toneMethodcie; + std::vector ciecurve; + Glib::ustring toneMethodcie2; + std::vector ciecurve2; + double chromjzcie; + double saturjzcie; + double huejzcie; + double softjzcie; + double strsoftjzcie; + double thrhjzcie; + std::vector jzcurve; + std::vector czcurve; + std::vector czjzcurve; + std::vector HHcurvejz; + std::vector CHcurvejz; + std::vector LHcurvejz; + double lightlcie; + double lightjzcie; + double lightqcie; + double contlcie; + double contjzcie; + double adapjzcie; + double jz100; + double pqremap; + double pqremapcam16; + double hljzcie; + double hlthjzcie; + double shjzcie; + double shthjzcie; + double radjzcie; + double sigmalcjz; + double clarilresjz; + double claricresjz; + double clarisoftjz; + std::vector locwavcurvejz; + Threshold csthresholdjz; + double contthrescie; + double blackEvjz; + double whiteEvjz; + double targetjz; + double sigmoidldacie; + double sigmoidthcie; + double sigmoidblcie; + double sigmoidldajzcie; + double sigmoidthjzcie; + double sigmoidbljzcie; + double contqcie; + double colorflcie; +/* + double lightlzcam; + double lightqzcam; + double contlzcam; + double contqzcam; + double contthreszcam; + double colorflzcam; + double saturzcam; + double chromzcam; +*/ + double targabscie; + double targetGraycie; + double catadcie; + double detailcie; + Glib::ustring surroundcie; + bool enacieMask; + std::vector CCmaskciecurve; + std::vector LLmaskciecurve; + std::vector HHmaskciecurve; + int blendmaskcie; + double radmaskcie; + double chromaskcie; + double lapmaskcie; + double gammaskcie; + double slomaskcie; + std::vector Lmaskciecurve; + double recothrescie; + double lowthrescie; + double higthrescie; + double decaycie; LocallabSpot(); diff --git a/rtengine/refreshmap.cc b/rtengine/refreshmap.cc index 722898642..a1fc5b418 100644 --- a/rtengine/refreshmap.cc +++ b/rtengine/refreshmap.cc @@ -524,7 +524,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { DEMOSAIC, // EvPdShrEnabled CAPTURESHARPEN, // EvPdShrMaskToggled AUTOEXP, // EvLocallabSpotDeleted - M_VOID, // EvLocallabSpotSelected + HDR, // EvLocallabSpotSelected M_VOID, // EvLocallabSpotName M_VOID, // EvLocallabSpotVisibility AUTOEXP, // EvLocallabSpotShape @@ -1077,8 +1077,114 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP, // Evlocallabreparsh AUTOEXP, // Evlocallabreparexp AUTOEXP, // Evlocallabrepartm - AUTOEXP // Evlocallabchroml - + AUTOEXP, // Evlocallabchroml + AUTOEXP, // Evlocallabresidgam + AUTOEXP, // Evlocallabresidslop + AUTOEXP, // Evlocallabnoisegam + AUTOEXP, //Evlocallabgamlc + AUTOEXP, //Evlocallabgamc + AUTOEXP, //Evlocallabgamex + AUTOEXP | M_AUTOEXP, // EvLocenacie + AUTOEXP, //Evlocallabreparcie + HDR, //EvlocallabAutograycie + HDR, //EvlocallabsourceGraycie + HDR, //Evlocallabsourceabscie + AUTOEXP, //Evlocallabsursourcie + AUTOEXP, //Evlocallabsaturlcie + AUTOEXP, //Evlocallabchromlcie + AUTOEXP, //Evlocallablightlcie + AUTOEXP, //Evlocallablightqcie + AUTOEXP, //Evlocallabcontlcie + AUTOEXP, //Evlocallabcontthrescie + AUTOEXP, //Evlocallabcontqcie + AUTOEXP, //Evlocallabcolorflcie + AUTOEXP, //Evlocallabtargabscie + AUTOEXP, //EvlocallabtargetGraycie + AUTOEXP, //Evlocallabcatadcie + AUTOEXP, //Evlocallabdetailcie + AUTOEXP, //Evlocallabsurroundcie + AUTOEXP, //Evlocallabsensicie + AUTOEXP, //Evlocallabmodecie + AUTOEXP, //Evlocallabrstprotectcie + AUTOEXP, //Evlocallabsigmoidldacie + AUTOEXP, //Evlocallabsigmoidthcie + AUTOEXP, //Evlocallabsigmoidblcie + AUTOEXP, //Evlocallabsigmoidqjcie + AUTOEXP, //Evlocallabhuecie + AUTOEXP, //Evlocallabjabcie + AUTOEXP, //Evlocallablightjzcie + AUTOEXP, //Evlocallabcontjzcie + AUTOEXP, //Evlocallabchromjzcie + AUTOEXP, //Evlocallabhuejzcie + AUTOEXP, //Evlocallabsigmoidldajzcie + AUTOEXP, //Evlocallabsigmoidthjzcie + AUTOEXP, //Evlocallabsigmoidbljzcie + AUTOEXP, //Evlocallabadapjzcie + AUTOEXP, //Evlocallabmodecam + AUTOEXP, //Evlocallabhljzcie + AUTOEXP, //Evlocallabhlthjzcie + AUTOEXP, //Evlocallabshjzcie + AUTOEXP, //Evlocallabshthjzcie + AUTOEXP, //Evlocallabradjzcie +// AUTOEXP, //EvlocallabHHshapejz + AUTOEXP, //EvlocallabCHshapejz + AUTOEXP, //Evlocallabjz100 + AUTOEXP, //Evlocallabpqremap + AUTOEXP, //EvlocallabLHshapejz + AUTOEXP, //Evlocallabshargam + AUTOEXP, //Evlocallabvibgam + AUTOEXP, //EvLocallabtoneMethodcie + AUTOEXP, //Evlocallabshapecie + AUTOEXP, //EvLocallabtoneMethodcie2 + AUTOEXP, //Evlocallabshapecie2 + AUTOEXP, //Evlocallabshapejz + AUTOEXP, //Evlocallabshapecz + AUTOEXP, //Evlocallabshapeczjz + AUTOEXP, //Evlocallabforcejz +// AUTOEXP, //Evlocallablightlzcam +// AUTOEXP, //Evlocallablightqzcam +// AUTOEXP, //Evlocallabcontlzcam +// AUTOEXP, //Evlocallabcontqzcam +// AUTOEXP, //Evlocallabcontthreszcam +// AUTOEXP, //Evlocallabcolorflzcam +// AUTOEXP, //Evlocallabsaturzcam +// AUTOEXP, //Evlocallabchromzcam + AUTOEXP, //Evlocallabpqremapcam16 + AUTOEXP, //EvLocallabEnacieMask + AUTOEXP, //EvlocallabCCmaskcieshape + AUTOEXP, //EvlocallabLLmaskcieshape + AUTOEXP, //EvlocallabHHmaskcieshape + AUTOEXP, //Evlocallabblendmaskcie + AUTOEXP, //Evlocallabradmaskcie + AUTOEXP, //Evlocallabchromaskcie + AUTOEXP, //EvlocallabLmaskcieshape + AUTOEXP, //Evlocallabrecothrescie + AUTOEXP, //Evlocallablowthrescie + AUTOEXP, //Evlocallabhigthrescie + AUTOEXP, //Evlocallabdecaycie + AUTOEXP, //Evlocallablapmaskcie + AUTOEXP, //Evlocallabgammaskcie + AUTOEXP, //Evlocallabslomaskcie + AUTOEXP, //Evlocallabqtoj + AUTOEXP, //Evlocallabsaturjzcie + AUTOEXP, //EvLocallabSpotdenoichmask + AUTOEXP, //Evlocallabsigmalcjz + AUTOEXP, //EvlocallabcsThresholdjz + AUTOEXP, //EvlocallabwavCurvejz + AUTOEXP, //Evlocallabclarilresjz + AUTOEXP, //Evlocallabclaricresjz + AUTOEXP, //Evlocallabclarisoftjz + AUTOEXP, //EvlocallabHHshapejz + AUTOEXP, //Evlocallabsoftjzcie + AUTOEXP, //Evlocallabthrhjzcie + AUTOEXP, //Evlocallabchjzcie + AUTOEXP, //Evlocallabstrsoftjzcie + AUTOEXP, //EvlocallabblackEvjz + AUTOEXP, //EvlocallabwhiteEvjz + AUTOEXP, //Evlocallablogjz + AUTOEXP, //Evlocallabtargetjz + AUTOEXP, //Evlocallabforcebw + AUTOEXP //Evlocallabsigjz }; diff --git a/rtengine/rtengine.h b/rtengine/rtengine.h index f26cef890..b9fc916f6 100644 --- a/rtengine/rtengine.h +++ b/rtengine/rtengine.h @@ -424,6 +424,7 @@ public: double huer; double lumar; double chromar; + float fab; }; struct locallabRetiMinMax { @@ -438,9 +439,10 @@ public: }; virtual ~LocallabListener() = default; - virtual void refChanged(const std::vector &ref, int selspot) = 0; +// virtual void refChanged(const std::vector &ref, int selspot) = 0; virtual void minmaxChanged(const std::vector &minmax, int selspot) = 0; - virtual void logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg) = 0; + virtual void logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const bool autocomput, const bool autocie, const float jz1) = 0; + virtual void refChanged2(float *huerefp, float *chromarefp, float *lumarefp, float *fabrefp, int selspot) = 0; }; class AutoColorTonListener @@ -610,7 +612,7 @@ public: virtual void updateUnLock() = 0; - virtual void setLocallabMaskVisibility(bool previewDeltaE, int locallColorMask, int locallColorMaskinv, int locallExpMask, int locallExpMaskinv, int locallSHMask, int locallSHMaskinv, int locallvibMask, int locallsoftMask, int locallblMask, int localltmMask, int locallretiMask, int locallsharMask, int localllcMask, int locallcbMask, int localllogMask, int locall_Mask) = 0; + virtual void setLocallabMaskVisibility(bool previewDeltaE, int locallColorMask, int locallColorMaskinv, int locallExpMask, int locallExpMaskinv, int locallSHMask, int locallSHMaskinv, int locallvibMask, int locallsoftMask, int locallblMask, int localltmMask, int locallretiMask, int locallsharMask, int localllcMask, int locallcbMask, int localllogMask, int locall_Mask, int locallcieMask) = 0; /** Creates and returns a Crop instance that acts as a window on the image * @param editDataProvider pointer to the EditDataProvider that communicates with the EditSubscriber diff --git a/rtengine/rtthumbnail.cc b/rtengine/rtthumbnail.cc index cf500474f..86f1c1372 100644 --- a/rtengine/rtthumbnail.cc +++ b/rtengine/rtthumbnail.cc @@ -1489,10 +1489,11 @@ IImage8* Thumbnail::processImage (const procparams::ProcParams& params, eSensorT adap = 2000.f; } else { float E_V = fcomp + log2 ((fnum * fnum) / fspeed / (fiso / 100.f)); - float expo2 = params.toneCurve.expcomp; // exposure compensation in tonecurve ==> direct EV + double kexp = 0.; + float expo2 = kexp * params.toneCurve.expcomp; // exposure compensation in tonecurve ==> direct EV E_V += expo2; float expo1;//exposure raw white point - expo1 = log2 (params.raw.expos); //log2 ==>linear to EV + expo1 = 0.5 * log2 (params.raw.expos); //log2 ==>linear to EV E_V += expo1; adap = powf (2.f, E_V - 3.f); //cd / m2 //end calculation adaptation scene luminosity diff --git a/rtengine/settings.h b/rtengine/settings.h index 0fb4996df..fc512e9ff 100644 --- a/rtengine/settings.h +++ b/rtengine/settings.h @@ -65,6 +65,7 @@ public: bool HistogramWorking; // true: histogram is display the value of the image computed in the Working profile // false: histogram is display the value of the image computed in the Output profile int amchroma; + int amchromajz; int protectred; double protectredh; double nrauto; diff --git a/rtengine/simpleprocess.cc b/rtengine/simpleprocess.cc index e343e6d52..6e75635cf 100644 --- a/rtengine/simpleprocess.cc +++ b/rtengine/simpleprocess.cc @@ -952,6 +952,9 @@ private: LocLHCurve loclhCurve; LocHHCurve lochhCurve; LocCHCurve locchCurve; + LocHHCurve lochhCurvejz; + LocCHCurve locchCurvejz; + LocLHCurve loclhCurvejz; LocCCmaskCurve locccmasCurve; LocLLmaskCurve locllmasCurve; LocHHmaskCurve lochhmasCurve; @@ -983,6 +986,9 @@ private: LocCCmaskCurve locccmaslogCurve; LocLLmaskCurve locllmaslogCurve; LocHHmaskCurve lochhmaslogCurve; + LocCCmaskCurve locccmascieCurve; + LocLLmaskCurve locllmascieCurve; + LocHHmaskCurve lochhmascieCurve; LocCCmaskCurve locccmas_Curve; LocLLmaskCurve locllmas_Curve; @@ -993,6 +999,7 @@ private: LocwavCurve loclmasCurvecolwav; LocwavCurve loclmasCurve_wav; LocwavCurve locwavCurve; + LocwavCurve locwavCurvejz; LocwavCurve loclevwavCurve; LocwavCurve locconwavCurve; LocwavCurve loccompwavCurve; @@ -1021,6 +1028,12 @@ private: LUTf lmasklclocalcurve(65536, LUT_CLIP_OFF); LUTf lmaskloglocalcurve(65536, LUT_CLIP_OFF); LUTf lmasklocal_curve(65536, LUT_CLIP_OFF); + LUTf lmaskcielocalcurve(65536, LUT_CLIP_OFF); + LUTf cielocalcurve(65536, LUT_CLIP_OFF); + LUTf cielocalcurve2(65536, LUT_CLIP_OFF); + LUTf jzlocalcurve(65536, LUT_CLIP_OFF); + LUTf czlocalcurve(65536, LUT_CLIP_OFF); + LUTf czjzlocalcurve(65536, LUT_CLIP_OFF); array2D shbuffer; for (size_t sp = 0; sp < params.locallab.spots.size(); sp++) { @@ -1038,6 +1051,9 @@ private: const bool LHutili = loclhCurve.Set(params.locallab.spots.at(sp).LHcurve); const bool HHutili = lochhCurve.Set(params.locallab.spots.at(sp).HHcurve); const bool CHutili = locchCurve.Set(params.locallab.spots.at(sp).CHcurve); + const bool HHutilijz = lochhCurvejz.Set(params.locallab.spots.at(sp).HHcurvejz); + const bool CHutilijz = locchCurvejz.Set(params.locallab.spots.at(sp).CHcurvejz); + const bool LHutilijz = loclhCurvejz.Set(params.locallab.spots.at(sp).LHcurvejz); const bool lcmasutili = locccmasCurve.Set(params.locallab.spots.at(sp).CCmaskcurve); const bool llmasutili = locllmasCurve.Set(params.locallab.spots.at(sp).LLmaskcurve); const bool lhmasutili = lochhmasCurve.Set(params.locallab.spots.at(sp).HHmaskcurve); @@ -1067,6 +1083,9 @@ private: const bool lcmaslogutili = locccmaslogCurve.Set(params.locallab.spots.at(sp).CCmaskcurveL); const bool llmaslogutili = locllmaslogCurve.Set(params.locallab.spots.at(sp).LLmaskcurveL); const bool lhmaslogutili = lochhmaslogCurve.Set(params.locallab.spots.at(sp).HHmaskcurveL); + const bool lcmascieutili = locccmascieCurve.Set(params.locallab.spots.at(sp).CCmaskciecurve); + const bool llmascieutili = locllmascieCurve.Set(params.locallab.spots.at(sp).LLmaskciecurve); + const bool lhmascieutili = lochhmascieCurve.Set(params.locallab.spots.at(sp).HHmaskciecurve); const bool lcmas_utili = locccmas_Curve.Set(params.locallab.spots.at(sp).CCmask_curve); const bool llmas_utili = locllmas_Curve.Set(params.locallab.spots.at(sp).LLmask_curve); @@ -1078,6 +1097,7 @@ private: const bool llmaslcutili = locllmaslcCurve.Set(params.locallab.spots.at(sp).LLmasklccurve); const bool lmasutili_wav = loclmasCurve_wav.Set(params.locallab.spots.at(sp).LLmask_curvewav); const bool locwavutili = locwavCurve.Set(params.locallab.spots.at(sp).locwavcurve); + const bool locwavutilijz = locwavCurvejz.Set(params.locallab.spots.at(sp).locwavcurvejz); const bool locwavhueutili = locwavCurvehue.Set(params.locallab.spots.at(sp).locwavcurvehue); const bool locwavdenutili = locwavCurveden.Set(params.locallab.spots.at(sp).locwavcurveden); const bool loclevwavutili = loclevwavCurve.Set(params.locallab.spots.at(sp).loclevwavcurve); @@ -1102,6 +1122,12 @@ private: const bool localmasklcutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmasklccurve, lmasklclocalcurve, 1); const bool localmasklogutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).LmaskcurveL, lmaskloglocalcurve, 1); const bool localmask_utili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmask_curve, lmasklocal_curve, 1); + const bool localmaskcieutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).Lmaskciecurve, lmaskcielocalcurve, 1); + const bool localcieutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).ciecurve, cielocalcurve, 1); + const bool localcieutili2 = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).ciecurve2, cielocalcurve2, 1); + const bool localjzutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).jzcurve, jzlocalcurve, 1); + const bool localczutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).czcurve, czlocalcurve, 1); + const bool localczjzutili = CurveFactory::diagonalCurve2Lut(params.locallab.spots.at(sp).czjzcurve, czjzlocalcurve, 1); //provisory double ecomp = params.locallab.spots.at(sp).expcomp; @@ -1123,6 +1149,7 @@ private: float stdtme; float meanretie; float stdretie; + float fab = 1.f; if (params.locallab.spots.at(sp).spotMethod == "exc") { ipf.calc_ref(sp, reservView.get(), reservView.get(), 0, 0, fw, fh, 1, huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, avge, locwavCurveden, locwavdenutili); @@ -1147,6 +1174,7 @@ private: cllocalcurve, localclutili, lclocalcurve, locallcutili, loclhCurve, lochhCurve, locchCurve, + lochhCurvejz, locchCurvejz,loclhCurvejz, lmasklocalcurve, localmaskutili, lmaskexplocalcurve, localmaskexputili, lmaskSHlocalcurve, localmaskSHutili, @@ -1158,6 +1186,12 @@ private: lmasklclocalcurve, localmasklcutili, lmaskloglocalcurve, localmasklogutili, lmasklocal_curve, localmask_utili, + lmaskcielocalcurve, localmaskcieutili, + cielocalcurve, localcieutili, + cielocalcurve2, localcieutili2, + jzlocalcurve, localjzutili, + czlocalcurve, localczutili, + czjzlocalcurve, localczjzutili, locccmasCurve, lcmasutili, locllmasCurve, llmasutili, lochhmasCurve, lhmasutili, lochhhmasCurve, lhhmasutili, locccmasexpCurve, lcmasexputili, locllmasexpCurve, llmasexputili, lochhmasexpCurve, lhmasexputili, locccmasSHCurve, lcmasSHutili, locllmasSHCurve, llmasSHutili, lochhmasSHCurve, lhmasSHutili, @@ -1170,10 +1204,12 @@ private: locccmaslogCurve, lcmaslogutili, locllmaslogCurve, llmaslogutili, lochhmaslogCurve, lhmaslogutili, locccmas_Curve, lcmas_utili, locllmas_Curve, llmas_utili, lochhmas_Curve, lhmas_utili, + locccmascieCurve, lcmascieutili, locllmascieCurve, llmascieutili, lochhmascieCurve, lhmascieutili, lochhhmas_Curve, lhhmas_utili, loclmasCurveblwav,lmasutiliblwav, loclmasCurvecolwav,lmasutilicolwav, locwavCurve, locwavutili, + locwavCurvejz, locwavutilijz, loclevwavCurve, loclevwavutili, locconwavCurve, locconwavutili, loccompwavCurve, loccompwavutili, @@ -1182,10 +1218,10 @@ private: locwavCurveden, locwavdenutili, locedgwavCurve, locedgwavutili, loclmasCurve_wav,lmasutili_wav, - LHutili, HHutili, CHutili, cclocalcurve, localcutili, rgblocalcurve, localrgbutili, localexutili, exlocalcurve, hltonecurveloc, shtonecurveloc, tonecurveloc, lightCurveloc, - huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + LHutili, HHutili, CHutili, HHutilijz, CHutilijz, LHutilijz, cclocalcurve, localcutili, rgblocalcurve, localrgbutili, localexutili, exlocalcurve, hltonecurveloc, shtonecurveloc, tonecurveloc, lightCurveloc, + huerefblu, chromarefblu, lumarefblu, huere, chromare, lumare, sobelre, lastsav, false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, minCD, maxCD, mini, maxi, Tmean, Tsigma, Tmin, Tmax, - meantme, stdtme, meanretie, stdretie + meantme, stdtme, meanretie, stdretie, fab ); if (sp + 1u < params.locallab.spots.size()) { @@ -1653,8 +1689,9 @@ private: }//if no exif data or wrong else { double E_V = fcomp + log2 ((fnum * fnum) / fspeed / (fiso / 100.f)); - E_V += params.toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV - E_V += log2(params.raw.expos); // exposure raw white point ; log2 ==> linear to EV + double kexp = 0.; + E_V += kexp * params.toneCurve.expcomp;// exposure compensation in tonecurve ==> direct EV + E_V += 0.5 * log2(params.raw.expos); // exposure raw white point ; log2 ==> linear to EV adap = std::pow(2.0, E_V - 3.0); //cd / m2 } diff --git a/rtgui/controlspotpanel.cc b/rtgui/controlspotpanel.cc index 4bab0da9c..400309512 100644 --- a/rtgui/controlspotpanel.cc +++ b/rtgui/controlspotpanel.cc @@ -78,6 +78,7 @@ ControlSpotPanel::ControlSpotPanel(): colorscope_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_COLORSCOPE"), 0., 100.0, 1., 30.))), avoidrad_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_AVOIDRAD"), 0., 30.0, 0.1, 0.7))), scopemask_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SCOPEMASK"), 0, 100, 1, 60))), + denoichmask_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_DENOIMASK"), 0., 100., 0.5, 0))), lumask_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LUMASK"), -50, 30, 1, 10, Gtk::manage(new RTImage("circle-yellow-small.png")), Gtk::manage(new RTImage("circle-gray-small.png")) ))), hishow_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_PREVSHOW")))), @@ -330,6 +331,7 @@ ControlSpotPanel::ControlSpotPanel(): feather_->set_tooltip_text(M("TP_LOCALLAB_FEATH_TOOLTIP")); transitgrad_->set_tooltip_text(M("TP_LOCALLAB_TRANSITGRAD_TOOLTIP")); scopemask_->set_tooltip_text(M("TP_LOCALLAB_SCOPEMASK_TOOLTIP")); + denoichmask_->set_tooltip_text(M("TP_LOCALLAB_DENOIMASK_TOOLTIP")); } transit_->setAdjusterListener(this); @@ -337,6 +339,7 @@ ControlSpotPanel::ControlSpotPanel(): transitgrad_->setAdjusterListener(this); feather_->setAdjusterListener(this); scopemask_->setAdjusterListener(this); + denoichmask_->setAdjusterListener(this); transitBox->pack_start(*transit_); transitBox->pack_start(*transitweak_); transitBox->pack_start(*transitgrad_); @@ -408,6 +411,10 @@ ControlSpotPanel::ControlSpotPanel(): avFrame->add(*avbox); specCaseBox->pack_start(*avFrame); + if (showtooltip) { + avoidmun_->set_tooltip_text(M("TP_LOCALLAB_AVOIDMUN_TOOLTIP")); + } + blwhConn_ = blwh_->signal_toggled().connect( sigc::mem_fun(*this, &ControlSpotPanel::blwhChanged)); @@ -422,7 +429,7 @@ ControlSpotPanel::ControlSpotPanel(): if (showtooltip) { recurs_->set_tooltip_text(M("TP_LOCALLAB_RECURS_TOOLTIP")); - avoid_->set_tooltip_text(M("TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP")); + avoid_->set_tooltip_text(M("TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP")); } specCaseBox->pack_start(*recurs_); @@ -481,6 +488,7 @@ ControlSpotPanel::ControlSpotPanel(): // maskBox->pack_start(*laplac_); maskBox->pack_start(*deltae_); maskBox->pack_start(*scopemask_); + maskBox->pack_start(*denoichmask_); // maskBox->pack_start(*shortc_); maskBox->pack_start(*lumask_); // maskBox->pack_start(*savrest_); @@ -854,6 +862,7 @@ void ControlSpotPanel::load_ControlSpot_param() laplac_->set_active(true); deltae_->set_active(row[spots_.deltae]); scopemask_->setValue((double)row[spots_.scopemask]); + denoichmask_->setValue(row[spots_.denoichmask]); shortc_->set_active(row[spots_.shortc]); lumask_->setValue((double)row[spots_.lumask]); savrest_->set_active(row[spots_.savrest]); @@ -1516,6 +1525,14 @@ void ControlSpotPanel::adjusterChanged(Adjuster* a, double newval) } } + if (a == denoichmask_) { + row[spots_.denoichmask] = denoichmask_->getValue(); + + if (listener) { + listener->panelChanged(EvLocallabSpotdenoichmask, denoichmask_->getTextValue()); + } + } + if (a == lumask_) { row[spots_.lumask] = lumask_->getIntValue(); @@ -1849,6 +1866,7 @@ void ControlSpotPanel::disableParamlistener(bool cond) laplacConn_.block(cond); deltaeConn_.block(cond); scopemask_->block(cond); + denoichmask_->block(cond); shortcConn_.block(cond); lumask_->block(cond); savrestConn_.block(cond); @@ -1895,6 +1913,7 @@ void ControlSpotPanel::setParamEditable(bool cond) laplac_->set_sensitive(cond); deltae_->set_sensitive(cond); scopemask_->set_sensitive(cond); + denoichmask_->set_sensitive(cond); shortc_->set_sensitive(cond); lumask_->set_sensitive(cond); savrest_->set_sensitive(cond); @@ -2569,6 +2588,7 @@ ControlSpotPanel::SpotRow* ControlSpotPanel::getSpot(const int index) r->transitweak = row[spots_.transitweak]; r->transitgrad = row[spots_.transitgrad]; r->scopemask = row[spots_.scopemask]; + r->denoichmask = row[spots_.denoichmask]; r->lumask = row[spots_.lumask]; r->hishow = row[spots_.hishow]; r->activ = row[spots_.activ]; @@ -2712,6 +2732,7 @@ void ControlSpotPanel::addControlSpot(SpotRow* newSpot) row[spots_.laplac] = newSpot->laplac; row[spots_.deltae] = newSpot->deltae; row[spots_.scopemask] = newSpot->scopemask; + row[spots_.denoichmask] = newSpot->denoichmask; row[spots_.shortc] = newSpot->shortc; row[spots_.lumask] = newSpot->lumask; row[spots_.savrest] = newSpot->savrest; @@ -2779,6 +2800,7 @@ void ControlSpotPanel::setDefaults(const rtengine::procparams::ProcParams * defP colorscope_->setDefault(defSpot.colorscope); avoidrad_->setDefault(defSpot.avoidrad); scopemask_->setDefault((double)defSpot.scopemask); + denoichmask_->setDefault((double)defSpot.denoichmask); lumask_->setDefault((double)defSpot.lumask); } @@ -2830,6 +2852,7 @@ ControlSpotPanel::ControlSpots::ControlSpots() add(laplac); add(deltae); add(scopemask); + add(denoichmask); add(shortc); add(lumask); add(savrest); diff --git a/rtgui/controlspotpanel.h b/rtgui/controlspotpanel.h index 3854692fd..0c7d061dd 100644 --- a/rtgui/controlspotpanel.h +++ b/rtgui/controlspotpanel.h @@ -86,6 +86,7 @@ public: bool laplac; bool deltae; int scopemask; + double denoichmask; bool shortc; int lumask; bool savrest; @@ -321,6 +322,7 @@ private: Gtk::TreeModelColumn laplac; Gtk::TreeModelColumn deltae; Gtk::TreeModelColumn scopemask; + Gtk::TreeModelColumn denoichmask; Gtk::TreeModelColumn shortc; Gtk::TreeModelColumn lumask; Gtk::TreeModelColumn savrest; @@ -402,6 +404,7 @@ private: Adjuster* const colorscope_; Adjuster* const avoidrad_; Adjuster* const scopemask_; + Adjuster* const denoichmask_; Adjuster* const lumask_; Gtk::CheckButton* const hishow_; diff --git a/rtgui/filepanel.cc b/rtgui/filepanel.cc index 682dd1746..304a7cf17 100644 --- a/rtgui/filepanel.cc +++ b/rtgui/filepanel.cc @@ -304,7 +304,8 @@ bool FilePanel::imageLoaded( Thumbnail* thm, ProgressConnector 0 && winGdiHandles <= 8500) // 0 means we don't have the rights to access the function, 8500 because the limit is 10000 and we need about 1500 free handles + if(winGdiHandles > 0 && winGdiHandles <= 6500) //(old settings 8500) 0 means we don't have the rights to access the function, 8500 because the limit is 10000 and we need about 1500 free handles + //J.Desmis october 2021 I change 8500 to 6500..Why ? because whitout while increasing size GUI system crash in multieditor #endif { GThreadLock lock; // Acquiring the GUI... not sure that it's necessary, but it shouldn't harm diff --git a/rtgui/locallab.cc b/rtgui/locallab.cc index 880125085..1837d19c8 100644 --- a/rtgui/locallab.cc +++ b/rtgui/locallab.cc @@ -150,6 +150,7 @@ Locallab::Locallab(): // Tool list widget toollist(Gtk::manage(new LocallabToolList())), + // expcie(Gtk::manage(new Locallabcie())), // Other widgets resetshowButton(Gtk::manage(new Gtk::Button(M("TP_LOCALLAB_RESETSHOW")))) { @@ -179,6 +180,7 @@ Locallab::Locallab(): addTool(toolpanel, &expshadhigh); addTool(toolpanel, &expvibrance); addTool(toolpanel, &explog); + addTool(toolpanel, &expcie); addTool(toolpanel, &expexpose); addTool(toolpanel, &expmask); addTool(toolpanel, &expsoft); @@ -311,6 +313,7 @@ void Locallab::read(const rtengine::procparams::ProcParams* pp, const ParamsEdit r->laplac = true; //pp->locallab.spots.at(i).laplac; r->deltae = pp->locallab.spots.at(i).deltae; r->scopemask = pp->locallab.spots.at(i).scopemask; + r->denoichmask = pp->locallab.spots.at(i).denoichmask; r->shortc = pp->locallab.spots.at(i).shortc; r->lumask = pp->locallab.spots.at(i).lumask; r->savrest = pp->locallab.spots.at(i).savrest; @@ -492,6 +495,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited r->laplac = newSpot->laplac; r->deltae = newSpot->deltae; r->scopemask = newSpot->scopemask; + r->denoichmask = newSpot->denoichmask; r->shortc = newSpot->shortc; r->lumask = newSpot->lumask; r->savrest = newSpot->savrest; @@ -651,18 +655,19 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited toollist->addToolRow(tool->getToolName(), toolNb); } } - +/* // Update locallab tools mask background if (pp->locallab.selspot < (int)maskBackRef.size()) { const double huer = maskBackRef.at(pp->locallab.selspot).huer; const double lumar = maskBackRef.at(pp->locallab.selspot).lumar; const double chromar = maskBackRef.at(pp->locallab.selspot).chromar; + const float fab = maskBackRef.at(pp->locallab.selspot).fab; for (auto tool : locallabTools) { - tool->refChanged(huer, lumar, chromar); + tool->refChanged(huer, lumar, chromar, fab); } } - +*/ // Update Locallab Retinex tool min/max if (pp->locallab.selspot < (int)retiMinMax.size()) { const double cdma = retiMinMax.at(pp->locallab.selspot).cdma; @@ -801,6 +806,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited r->laplac = newSpot->laplac; r->deltae = newSpot->deltae; r->scopemask = newSpot->scopemask; + r->denoichmask = newSpot->denoichmask; r->shortc = newSpot->shortc; r->lumask = newSpot->lumask; r->savrest = newSpot->savrest; @@ -956,6 +962,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited pp->locallab.spots.at(pp->locallab.selspot).laplac = r->laplac; pp->locallab.spots.at(pp->locallab.selspot).deltae = r->deltae; pp->locallab.spots.at(pp->locallab.selspot).scopemask = r->scopemask; + pp->locallab.spots.at(pp->locallab.selspot).denoichmask = r->denoichmask; pp->locallab.spots.at(pp->locallab.selspot).shortc = r->shortc; pp->locallab.spots.at(pp->locallab.selspot).lumask = r->lumask; pp->locallab.spots.at(pp->locallab.selspot).savrest = r->savrest; @@ -1036,7 +1043,7 @@ void Locallab::minmaxChanged(const std::vector &minmax, int const double cdmin = retiMinMax.at(selspot).cdmin; const double mini = retiMinMax.at(selspot).mini; const double maxi = retiMinMax.at(selspot).maxi; - const double Tmean = retiMinMax.at(selspot).Tmean; + const double Tmean = retiMinMax.at(selspot).Tmean; const double Tsigma = retiMinMax.at(selspot).Tsigma; const double Tmin = retiMinMax.at(selspot).Tmin; const double Tmax = retiMinMax.at(selspot).Tmax; @@ -1045,12 +1052,28 @@ void Locallab::minmaxChanged(const std::vector &minmax, int } } -void Locallab::logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg) +void Locallab::logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const bool autocomput, const bool autocie, const float jz1) { - // Update Locallab Log Encoding accordingly - explog.updateAutocompute(blackev, whiteev, sourceg, sourceab, targetg); -} + // Update Locallab Log Encoding and Ciecam accordingly + if(autocomput) { + explog.updateAutocompute(blackev, whiteev, sourceg, sourceab, targetg, jz1); + } + if(autocie) { + expcie.updateAutocompute(blackev, whiteev, sourceg, sourceab, targetg, jz1); + } +} +void Locallab::refChanged2(float *huerefp, float *chromarefp, float *lumarefp, float *fabrefp, int selspot) +{ + const double huer = huerefp[selspot]; + const double lumar = lumarefp[selspot]; + const double chromar = chromarefp[selspot]; + const float fab = fabrefp[selspot]; + for (auto tool : locallabTools) { + tool->refChanged(huer, lumar, chromar, fab); + } +} +/* void Locallab::refChanged(const std::vector &ref, int selspot) { // Saving transmitted mask background data @@ -1061,13 +1084,14 @@ void Locallab::refChanged(const std::vector &ref, int selspot) const double huer = maskBackRef.at(selspot).huer; const double lumar = maskBackRef.at(selspot).lumar; const double chromar = maskBackRef.at(selspot).chromar; + const float fab = maskBackRef.at(selspot).fab; for (auto tool : locallabTools) { - tool->refChanged(huer, lumar, chromar); + tool->refChanged(huer, lumar, chromar, fab); } } } - +*/ void Locallab::resetMaskVisibility() { // Indicate to spot control panel that no more mask preview is active @@ -1088,20 +1112,20 @@ Locallab::llMaskVisibility Locallab::getMaskVisibility() const const bool prevDeltaE = expsettings->isDeltaEPrevActive(); // Get mask preview from Locallab tools - int colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask; + int colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask, cieMask; for (auto tool : locallabTools) { - tool->getMaskView(colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask); + tool->getMaskView(colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask, cieMask); } // Indicate to spot control panel if one mask preview is active const bool isMaskActive = (colorMask == 0) || (colorMaskinv == 0) || (expMask == 0) || (expMaskinv == 0) || (shMask == 0) || (shMaskinv == 0) || (vibMask == 0) || (softMask == 0) || (blMask == 0) || (tmMask == 0) || (retiMask == 0) || (sharMask == 0) || - (lcMask == 0) || (cbMask == 0) || (logMask == 0) || (maskMask == 0); + (lcMask == 0) || (cbMask == 0) || (logMask == 0) || (maskMask == 0) || (cieMask == 0); expsettings->setMaskPrevActive(isMaskActive); - return {prevDeltaE, colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask}; + return {prevDeltaE, colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask, cieMask}; } void Locallab::resetshowPressed() diff --git a/rtgui/locallab.h b/rtgui/locallab.h index d86d8c5c1..cf5ca4ff5 100644 --- a/rtgui/locallab.h +++ b/rtgui/locallab.h @@ -116,6 +116,7 @@ private: LocallabCBDL expcbdl; LocallabLog explog; LocallabMask expmask; + Locallabcie expcie; std::vector locallabTools; @@ -143,10 +144,11 @@ public: void minmaxChanged(const std::vector &minmax, int selspot) override; // Locallab Log Encoding autocompute function - void logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg) override; + void logencodChanged(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const bool autocomput, const bool autocie, const float jz1) override; // Locallab tools mask background management function - void refChanged(const std::vector &ref, int selspot) override; +// void refChanged(const std::vector &ref, int selspot) override; + void refChanged2(float *huerefp, float *chromarefp, float *lumarefp, float *fabrefp, int selspot)override; // Mask visibility management functions struct llMaskVisibility { @@ -167,6 +169,7 @@ public: int cbMask; int logMask; int maskMask; + int cieMask; }; void resetMaskVisibility(); diff --git a/rtgui/locallabtools.cc b/rtgui/locallabtools.cc index 8d3c34204..51da93ab3 100644 --- a/rtgui/locallabtools.cc +++ b/rtgui/locallabtools.cc @@ -266,7 +266,7 @@ bool LocallabTool::isLocallabToolAdded() return exp->get_visible(); } -void LocallabTool::refChanged(const double huer, const double lumar, const double chromar) +void LocallabTool::refChanged(const double huer, const double lumar, const double chromar, const float fab) { // Hue reference normalization (between 0 and 1) double normHuer = huer; @@ -279,14 +279,25 @@ void LocallabTool::refChanged(const double huer, const double lumar, const doubl normHuer = h; + double normHuerjz = huer; + + float hz = Color::huejz_to_huehsv2(normHuerjz); + + if (hz > 1.f) { + hz -= 1.f; + } + normHuerjz = hz; + // Luma reference normalization (between 0 and 1) const double normLumar = lumar / 100.f; // Chroma reference normalization (between 0 and 1) - const double normChromar = chromar / 137.4f; + const double corfap = (65535.) / (double) fab; + //printf("FAB=%f corfap=%f chromar=%f chroret=%f\n", (double) fab, corfap, chromar, (double) corfap * (chromar / 195.f)); + const double normChromar = LIM01(corfap * (chromar / 195.f));//195 a little more than 128 * 1.414 = 181 // Update mask curve backgrounds - updateMaskBackground(normChromar, normLumar, normHuer); + updateMaskBackground(normChromar, normLumar, normHuer, normHuerjz); } void LocallabTool::colorForValue(double valX, double valY, enum ColorCaller::ElemType elemType, int callerId, ColorCaller* caller) @@ -425,6 +436,7 @@ LocallabColor::LocallabColor(): // Color & Light specific widgets lumFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LUMFRA")))), reparcol(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGREPART"), 1.0, 100.0, 1., 100.0))), + gamc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMC"), 0.5, 3.0, 0.05, 1.))), lightness(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LIGHTNESS"), -100, 500, 1, 0))), contrast(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CONTRAST"), -100, 100, 1, 0))), chroma(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CHROMA"), -100, 150, 1, 0))), @@ -440,7 +452,7 @@ LocallabColor::LocallabColor(): exprecov(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablec(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablec(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothresc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothresc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthresc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthresc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decayc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -534,6 +546,8 @@ LocallabColor::LocallabColor(): lightness->setAdjusterListener(this); + gamc->setAdjusterListener(this); + reparcol->setAdjusterListener(this); contrast->setAdjusterListener(this); @@ -804,6 +818,7 @@ LocallabColor::LocallabColor(): lumBox->pack_start(*lightness); lumBox->pack_start(*contrast); lumBox->pack_start(*chroma); + lumBox->pack_start(*gamc); lumFrame->add(*lumBox); pack_start(*lumFrame); Gtk::Frame* const superFrame = Gtk::manage(new Gtk::Frame()); @@ -959,7 +974,7 @@ void LocallabColor::resetMaskView() showmaskcolMethodConninv.block(false); } -void LocallabColor::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabColor::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { colorMask = showmaskcolMethod->get_active_row_number(); colorMaskinv = showmaskcolMethodinv->get_active_row_number(); @@ -969,6 +984,8 @@ void LocallabColor::updateAdviceTooltips(const bool showTooltips) { if (showTooltips) { lumFrame->set_tooltip_text(M("TP_LOCALLAB_EXPCOLOR_TOOLTIP")); + recothresc->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); + gamc->set_tooltip_text(M("TP_LOCALLAB_GAMCOL_TOOLTIP")); lightness->set_tooltip_text(M("TP_LOCALLAB_LIGHTN_TOOLTIP")); reparcol->set_tooltip_text(M("TP_LOCALLAB_REPARCOL_TOOLTIP")); gridMethod->set_tooltip_text(M("TP_LOCALLAB_GRIDMETH_TOOLTIP")); @@ -1021,7 +1038,9 @@ void LocallabColor::updateAdviceTooltips(const bool showTooltips) higthresc->set_tooltip_text(M("TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP")); } else { lumFrame->set_tooltip_text(""); + recothresc->set_tooltip_text(""); lightness->set_tooltip_text(""); + gamc->set_tooltip_text(""); reparcol->set_tooltip_text(""); gridMethod->set_tooltip_text(""); strengthgrid->set_tooltip_text(""); @@ -1137,6 +1156,7 @@ void LocallabColor::read(const rtengine::procparams::ProcParams* pp, const Param complexity->set_active(spot.complexcolor); lightness->setValue(spot.lightness); + gamc->setValue(spot.gamc); reparcol->setValue(spot.reparcol); contrast->setValue(spot.contrast); chroma->setValue(spot.chroma); @@ -1312,6 +1332,7 @@ void LocallabColor::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pe spot.complexcolor = complexity->get_active_row_number(); spot.lightness = lightness->getIntValue(); + spot.gamc = gamc->getValue(); spot.reparcol = reparcol->getValue(); spot.contrast = contrast->getIntValue(); spot.chroma = chroma->getIntValue(); @@ -1480,6 +1501,7 @@ void LocallabColor::setDefaults(const rtengine::procparams::ProcParams* defParam // Set default value for adjuster, labgrid and threshold adjuster widgets lightness->setDefault((double)defSpot.lightness); + gamc->setDefault((double)defSpot.gamc); reparcol->setDefault(defSpot.reparcol); contrast->setDefault((double)defSpot.contrast); chroma->setDefault((double)defSpot.chroma); @@ -1535,6 +1557,13 @@ void LocallabColor::adjusterChanged(Adjuster* a, double newval) } } + if (a == gamc) { + if (listener) { + listener->panelChanged(Evlocallabgamc, + gamc->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == reparcol) { if (listener) { listener->panelChanged(Evlocallabreparcol, @@ -1885,6 +1914,7 @@ void LocallabColor::convertParamToNormal() // Disable all listeners disableListener(); + gamc->setValue(defSpot.gamc); // Set hidden GUI widgets in Normal mode to default spot values blurcolde->setValue((double)defSpot.blurcolde); @@ -2009,6 +2039,7 @@ void LocallabColor::convertParamToSimple() softradiuscol->setValue(defSpot.softradiuscol); strcol->setValue(defSpot.strcol); angcol->setValue(defSpot.angcol); + gamc->setValue(defSpot.gamc); if (defSpot.qualitycurveMethod == "none") { qualitycurveMethod->set_active(0); @@ -2053,6 +2084,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) maskusablec->hide(); maskunusablec->hide(); decayc->hide(); + gamc->hide(); break; case Normal: @@ -2093,6 +2125,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) if (!invers->get_active()) { // Keep widget hidden when invers is toggled expgradcol->show(); exprecov->show(); + gamc->hide(); } expcurvcol->show(); @@ -2110,6 +2143,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) softradiuscol->show(); expgradcol->show(); exprecov->show(); + gamc->show(); } strcolab->show(); @@ -2155,7 +2189,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) } } -void LocallabColor::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabColor::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -2406,8 +2440,10 @@ void LocallabColor::updateColorGUI1() contcol->hide(); blurcol->hide(); reparcol->hide(); + gamc->hide(); } else { gridFrame->show(); + gamc->show(); if (mode == Expert) { // Keep widget hidden in Normal and Simple mode structcol->show(); @@ -2532,13 +2568,14 @@ LocallabExposure::LocallabExposure(): norm(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_EQUIL")))), fatlevel(Gtk::manage(new Adjuster(M("TP_LOCALLAB_FATLEVEL"), 0.5, 2.0, 0.01, 1.))), fatanchor(Gtk::manage(new Adjuster(M("TP_LOCALLAB_FATANCHOR"), 0.1, 100.0, 0.01, 50., Gtk::manage(new RTImage("circle-black-small.png")), Gtk::manage(new RTImage("circle-white-small.png"))))), + gamex(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMC"), 0.5, 3.0, 0.05, 1.))), sensiex(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SENSI"), 0, 100, 1, 60))), structexp(Gtk::manage(new Adjuster(M("TP_LOCALLAB_STRUCCOL"), 0, 100, 1, 0))), blurexpde(Gtk::manage(new Adjuster(M("TP_LOCALLAB_BLURDE"), 2, 100, 1, 5))), exptoolexp(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_EXPTOOL")))), expcomp(Gtk::manage(new Adjuster(M("TP_LOCALLAB_EXPCOMP"), MINEXP, MAXEXP, 0.01, 0.))), black(Gtk::manage(new Adjuster(M("TP_EXPOSURE_BLACKLEVEL"), -16384, 32768, 10, 0))), - hlcompr(Gtk::manage(new Adjuster(M("TP_EXPOSURE_COMPRHIGHLIGHTS"), 0, 500, 1, 20))), + hlcompr(Gtk::manage(new Adjuster(M("TP_EXPOSURE_COMPRHIGHLIGHTS"), 0, 500, 1, 0))), hlcomprthresh(Gtk::manage(new Adjuster(M("TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD"), 0, 100, 1, 0))), shadex(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHADEX"), 0, 100, 1, 0))), shcompr(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHADEXCOMP"), 0, 100, 1, 50))), @@ -2548,7 +2585,7 @@ LocallabExposure::LocallabExposure(): exprecove(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablee(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablee(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothrese(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothrese(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthrese(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthrese(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decaye(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -2620,6 +2657,8 @@ LocallabExposure::LocallabExposure(): sensiex->setAdjusterListener(this); + gamex->setAdjusterListener(this); + structexp->setAdjusterListener(this); blurexpde->setAdjusterListener(this); @@ -2762,6 +2801,7 @@ LocallabExposure::LocallabExposure(): // pack_start(*fatFrame); pack_start(*expfat); pack_start(*expcomp); + pack_start(*gamex); pack_start(*structexp); pack_start(*blurexpde); ToolParamBlock* const toolBox = Gtk::manage(new ToolParamBlock()); @@ -2837,7 +2877,7 @@ void LocallabExposure::resetMaskView() showmaskexpMethodConninv.block(false); } -void LocallabExposure::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabExposure::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { expMask = showmaskexpMethod->get_active_row_number(); expMaskinv = showmaskexpMethodinv->get_active_row_number(); @@ -2850,6 +2890,7 @@ void LocallabExposure::updateAdviceTooltips(const bool showTooltips) // expMethod->set_tooltip_text(M("TP_LOCALLAB_EXPMETHOD_TOOLTIP")); // pdeFrame->set_tooltip_text(M("TP_LOCALLAB_PDEFRAME_TOOLTIP")); exppde->set_tooltip_text(M("TP_LOCALLAB_PDEFRAME_TOOLTIP")); + recothrese->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); exprecove->set_tooltip_markup(M("TP_LOCALLAB_MASKREEXP_TOOLTIP")); decaye->set_tooltip_text(M("TP_LOCALLAB_MASKDECAY_TOOLTIP")); lowthrese->set_tooltip_text(M("TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP")); @@ -2865,6 +2906,7 @@ void LocallabExposure::updateAdviceTooltips(const bool showTooltips) // fatFrame->set_tooltip_text(M("TP_LOCALLAB_FATFRAME_TOOLTIP")); expfat->set_tooltip_text(M("TP_LOCALLAB_FATFRAME_TOOLTIP")); expcomp->set_tooltip_text(M("TP_LOCALLAB_EXPCOMP_TOOLTIP")); + gamex->set_tooltip_text(M("TP_LOCALLAB_GAMCOL_TOOLTIP")); sensiex->set_tooltip_text(M("TP_LOCALLAB_SENSI_TOOLTIP")); structexp->set_tooltip_text(M("TP_LOCALLAB_STRUCT_TOOLTIP")); expchroma->set_tooltip_text(M("TP_LOCALLAB_EXPCHROMA_TOOLTIP")); @@ -2887,6 +2929,7 @@ void LocallabExposure::updateAdviceTooltips(const bool showTooltips) lapmaskexp->set_tooltip_text(M("TP_LOCALLAB_LAPRAD1_TOOLTIP")); } else { exp->set_tooltip_text(""); + recothrese->set_tooltip_text(""); exppde->set_tooltip_text(""); blurexpde->set_tooltip_text(""); exprecove->set_tooltip_markup(""); @@ -2917,6 +2960,7 @@ void LocallabExposure::updateAdviceTooltips(const bool showTooltips) chromaskexp->set_tooltip_text(""); slomaskexp->set_tooltip_text(""); lapmaskexp->set_tooltip_text(""); + gamex->set_tooltip_text(""); } } @@ -3005,6 +3049,7 @@ void LocallabExposure::read(const rtengine::procparams::ProcParams* pp, const Pa // fatlevel->setValue(1.); // fatanchor->setValue(1.); sensiex->setValue(spot.sensiex); + gamex->setValue(spot.gamex); structexp->setValue(spot.structexp); blurexpde->setValue(spot.blurexpde); expcomp->setValue(spot.expcomp); @@ -3094,6 +3139,7 @@ void LocallabExposure::write(rtengine::procparams::ProcParams* pp, ParamsEdited* spot.fatlevel = fatlevel->getValue(); spot.fatanchor = fatanchor->getValue(); spot.sensiex = sensiex->getIntValue(); + spot.gamex = gamex->getValue(); spot.structexp = structexp->getIntValue(); spot.blurexpde = blurexpde->getIntValue(); spot.expcomp = expcomp->getValue(); @@ -3146,6 +3192,7 @@ void LocallabExposure::setDefaults(const rtengine::procparams::ProcParams* defPa fatlevel->setDefault(defSpot.fatlevel); fatanchor->setDefault(defSpot.fatanchor); sensiex->setDefault((double)defSpot.sensiex); + gamex->setDefault((double)defSpot.gamex); structexp->setDefault((double)defSpot.structexp); blurexpde->setDefault((double)defSpot.blurexpde); expcomp->setDefault(defSpot.expcomp); @@ -3246,6 +3293,13 @@ void LocallabExposure::adjusterChanged(Adjuster* a, double newval) } } + if (a == gamex) { + if (listener) { + listener->panelChanged(Evlocallabgamex, + gamex->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == recothrese) { if (listener) { listener->panelChanged(Evlocallabrecothrese, @@ -3484,6 +3538,7 @@ void LocallabExposure::convertParamToNormal() // Disable all listeners disableListener(); + gamex->setValue(defSpot.gamex); // Set hidden GUI widgets in Normal mode to default spot values structexp->setValue((double)defSpot.structexp); @@ -3516,6 +3571,7 @@ void LocallabExposure::convertParamToSimple() softradiusexp->setValue(defSpot.softradiusexp); enaExpMask->set_active(defSpot.enaExpMask); enaExpMaskaft->set_active(defSpot.enaExpMaskaft); + gamex->setValue(defSpot.gamex); // CCmaskexpshape->setCurve(defSpot.CCmaskexpcurve); // LLmaskexpshape->setCurve(defSpot.CCmaskexpcurve); // HHmaskexpshape->setCurve(defSpot.HHmaskexpcurve); @@ -3549,6 +3605,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) norm->hide(); fatlevel->hide(); fatanchor->hide(); + gamex->hide(); break; @@ -3581,6 +3638,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) expgradexp->show(); softradiusexp->show(); exprecove->show(); + gamex->hide(); blurexpde->show(); } @@ -3607,6 +3665,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) expgradexp->show(); softradiusexp->show(); exprecove->show(); + gamex->show(); blurexpde->show(); } @@ -3628,7 +3687,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) } } -void LocallabExposure::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabExposure::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -3829,6 +3888,7 @@ void LocallabExposure::updateExposureGUI3() expcomp->setLabel(M("TP_LOCALLAB_EXPCOMPINV")); exprecove->hide(); reparexp->hide(); + gamex->hide(); expfat->hide(); exppde->hide(); structexp->hide(); @@ -3855,6 +3915,7 @@ void LocallabExposure::updateExposureGUI3() } else { expMethod->show(); expcomp->setLabel(M("TP_LOCALLAB_EXPCOMP")); + gamex->show(); expfat->show(); exppde->show(); @@ -3920,7 +3981,7 @@ LocallabShadow::LocallabShadow(): exprecovs(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusables(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusables(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothress(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothress(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthress(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthress(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decays(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -4150,7 +4211,7 @@ void LocallabShadow::resetMaskView() showmaskSHMethodConninv.block(false); } -void LocallabShadow::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabShadow::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { shMask = showmaskSHMethod->get_active_row_number(); shMaskinv = showmaskSHMethodinv->get_active_row_number(); @@ -4164,7 +4225,7 @@ void LocallabShadow::updateAdviceTooltips(const bool showTooltips) for (const auto multiplier : multipliersh) { multiplier->set_tooltip_text(M("TP_LOCALLAB_MULTIPL_TOOLTIP")); } - + recothress->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); gamSH->set_tooltip_text(M("TP_LOCALLAB_SHTRC_TOOLTIP")); reparsh->set_tooltip_text(M("TP_LOCALLAB_REPARSH_TOOLTIP")); sloSH->set_tooltip_text(M("TP_LOCALLAB_SHTRC_TOOLTIP")); @@ -4206,6 +4267,7 @@ void LocallabShadow::updateAdviceTooltips(const bool showTooltips) for (const auto multiplier : multipliersh) { multiplier->set_tooltip_text(""); } + recothress->set_tooltip_text(""); gamSH->set_tooltip_text(""); reparsh->set_tooltip_text(""); sloSH->set_tooltip_text(""); @@ -4813,7 +4875,7 @@ void LocallabShadow::updateGUIToMode(const modeType new_type) } } -void LocallabShadow::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabShadow::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -5006,6 +5068,7 @@ LocallabVibrance::LocallabVibrance(): // Vibrance specific widgets saturated(Gtk::manage(new Adjuster(M("TP_VIBRANCE_SATURATED"), -100., 100., 1., 0.))), pastels(Gtk::manage(new Adjuster(M("TP_VIBRANCE_PASTELS"), -100., 100., 1., 0.))), + vibgam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMC"), 0.5, 3., 0.05, 1.))), warm(Gtk::manage(new Adjuster(M("TP_LOCALLAB_WARM"), -100., 100., 1., 0., Gtk::manage(new RTImage("circle-blue-small.png")), Gtk::manage(new RTImage("circle-orange-small.png"))))), psThreshold(Gtk::manage(new ThresholdAdjuster(M("TP_VIBRANCE_PSTHRESHOLD"), -100., 100., 0., M("TP_VIBRANCE_PSTHRESHOLD_WEIGTHING"), 0, 0., 100., 75., M("TP_VIBRANCE_PSTHRESHOLD_SATTHRESH"), 0, this, false))), protectSkins(Gtk::manage(new Gtk::CheckButton(M("TP_VIBRANCE_PROTECTSKINS")))), @@ -5017,7 +5080,7 @@ LocallabVibrance::LocallabVibrance(): exprecovv(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablev(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablev(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothresv(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothresv(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthresv(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthresv(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decayv(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -5054,6 +5117,8 @@ LocallabVibrance::LocallabVibrance(): pastels->setAdjusterListener(this); + vibgam->setAdjusterListener(this); + warm->setAdjusterListener(this); psThreshold->set_tooltip_markup(M("TP_VIBRANCE_PSTHRESHOLD_TOOLTIP")); @@ -5158,6 +5223,9 @@ LocallabVibrance::LocallabVibrance(): // Add Vibrance specific widgets to GUI pack_start(*saturated, Gtk::PACK_SHRINK, 0); pack_start(*pastels, Gtk::PACK_SHRINK, 0); + pack_start(*vibgam, Gtk::PACK_SHRINK, 0); + Gtk::Separator* const separatorvib = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)); + pack_start(*separatorvib, Gtk::PACK_SHRINK, 2); pack_start(*warm, Gtk::PACK_SHRINK, 0); pack_start(*psThreshold, Gtk::PACK_SHRINK, 0); pack_start(*protectSkins, Gtk::PACK_SHRINK, 0); @@ -5217,7 +5285,7 @@ void LocallabVibrance::resetMaskView() showmaskvibMethodConn.block(false); } -void LocallabVibrance::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabVibrance::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { vibMask = showmaskvibMethod->get_active_row_number(); } @@ -5227,6 +5295,7 @@ void LocallabVibrance::updateAdviceTooltips(const bool showTooltips) if (showTooltips) { exp->set_tooltip_text(M("TP_LOCALLAB_VIBRA_TOOLTIP")); warm->set_tooltip_text(M("TP_LOCALLAB_WARM_TOOLTIP")); + recothresv->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); strvib->set_tooltip_text(M("TP_LOCALLAB_GRADGEN_TOOLTIP")); exprecovv->set_tooltip_markup(M("TP_LOCALLAB_MASKRESVIB_TOOLTIP")); expmaskvib->set_tooltip_markup(M("TP_LOCALLAB_MASK_TOOLTIP")); @@ -5241,6 +5310,8 @@ void LocallabVibrance::updateAdviceTooltips(const bool showTooltips) chromaskvib->set_tooltip_text(M("TP_LOCALLAB_CHROMASK_TOOLTIP")); slomaskvib->set_tooltip_text(M("TP_LOCALLAB_SLOMASK_TOOLTIP")); lapmaskvib->set_tooltip_text(M("TP_LOCALLAB_LAPRAD1_TOOLTIP")); + vibgam->set_tooltip_text(M("TP_LOCALLAB_GAMCOL_TOOLTIP")); + /* saturated->set_tooltip_text(M("TP_LOCALLAB_NUL_TOOLTIP")); pastels->set_tooltip_text(M("TP_LOCALLAB_NUL_TOOLTIP")); @@ -5268,6 +5339,7 @@ void LocallabVibrance::updateAdviceTooltips(const bool showTooltips) exp->set_tooltip_text(""); warm->set_tooltip_text(""); strvib->set_tooltip_text(""); + recothresv->set_tooltip_text(""); expmaskvib->set_tooltip_markup(""); CCmaskvibshape->setTooltip(""); LLmaskvibshape->setTooltip(""); @@ -5292,6 +5364,7 @@ void LocallabVibrance::updateAdviceTooltips(const bool showTooltips) decayv->set_tooltip_text(""); lowthresv->set_tooltip_text(""); higthresv->set_tooltip_text(""); + vibgam->set_tooltip_text(""); } } @@ -5341,6 +5414,7 @@ void LocallabVibrance::read(const rtengine::procparams::ProcParams* pp, const Pa saturated->setValue(spot.saturated); pastels->setValue(spot.pastels); + vibgam->setValue(spot.vibgam); warm->setValue(spot.warm); psThreshold->setValue(spot.psthreshold); protectSkins->set_active(spot.protectskins); @@ -5394,6 +5468,7 @@ void LocallabVibrance::write(rtengine::procparams::ProcParams* pp, ParamsEdited* spot.saturated = saturated->getIntValue(); spot.pastels = pastels->getIntValue(); + spot.vibgam = vibgam->getValue(); spot.warm = warm->getIntValue(); spot.psthreshold = psThreshold->getValue(); spot.protectskins = protectSkins->get_active(); @@ -5435,6 +5510,7 @@ void LocallabVibrance::setDefaults(const rtengine::procparams::ProcParams* defPa // Set default values for adjuster and threshold adjuster widgets saturated->setDefault((double)defSpot.saturated); pastels->setDefault((double)defSpot.pastels); + vibgam->setDefault((double)defSpot.vibgam); warm->setDefault((double)defSpot.warm); psThreshold->setDefault(defSpot.psthreshold); sensiv->setDefault((double)defSpot.sensiv); @@ -5479,6 +5555,13 @@ void LocallabVibrance::adjusterChanged(Adjuster* a, double newval) } } + if (a == vibgam) { + if (listener) { + listener->panelChanged(Evlocallabvibgam, + vibgam->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == warm) { if (listener) { listener->panelChanged(Evlocallabwarm, @@ -5716,6 +5799,8 @@ void LocallabVibrance::convertParamToNormal() // Set hidden GUI widgets in Normal mode to default spot values saturated->setValue((double)defSpot.saturated); + vibgam->setValue(defSpot.vibgam); + psThreshold->setValue(defSpot.psthreshold); protectSkins->set_active(defSpot.protectskins); avoidColorShift->set_active(defSpot.avoidcolorshift); @@ -5771,6 +5856,7 @@ void LocallabVibrance::updateGUIToMode(const modeType new_type) // Expert and Normal mode widgets are hidden in Simple mode saturated->hide(); pastels->setLabel(M("TP_LOCALLAB_PASTELS2")); + vibgam->hide(); psThreshold->hide(); protectSkins->hide(); avoidColorShift->hide(); @@ -5788,6 +5874,7 @@ void LocallabVibrance::updateGUIToMode(const modeType new_type) case Normal: // Expert mode widgets are hidden in Normal mode saturated->hide(); + vibgam->hide(); pastels->setLabel(M("TP_LOCALLAB_PASTELS2")); psThreshold->hide(); protectSkins->hide(); @@ -5818,6 +5905,7 @@ void LocallabVibrance::updateGUIToMode(const modeType new_type) case Expert: // Show widgets hidden in Normal and Simple mode saturated->show(); + vibgam->show(); pastels->setLabel(M("TP_VIBRANCE_PASTELS")); psThreshold->show(); protectSkins->show(); @@ -5844,7 +5932,7 @@ void LocallabVibrance::updateGUIToMode(const modeType new_type) } } -void LocallabVibrance::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabVibrance::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -6020,7 +6108,7 @@ void LocallabSoft::resetMaskView() showmasksoftMethodConn.block(false); } -void LocallabSoft::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabSoft::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { softMask = showmasksoftMethod->get_active_row_number(); } @@ -6402,6 +6490,7 @@ LocallabBlur::LocallabBlur(): noiselumc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_NOISELUMCOARSE"), MINCHRO, MAXCHROCC, 0.01, 0.))),//unused here, but used for normalize_mean_dt noiselumdetail(Gtk::manage(new Adjuster(M("TP_LOCALLAB_NOISELUMDETAIL"), 0., 100., 0.01, 50.))), noiselequal(Gtk::manage(new Adjuster(M("TP_LOCALLAB_NOISELEQUAL"), -2, 10, 1, 7, Gtk::manage(new RTImage("circle-white-small.png")), Gtk::manage(new RTImage("circle-black-small.png"))))), + noisegam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_NOISEGAM"), 1.0, 5., 0.1, 1.))), LocalcurveEditorwavhue(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_WAVELET_DENOISEHUE"))), wavhue(static_cast(LocalcurveEditorwavhue->addCurve(CT_Flat, "", nullptr, false, true))), noisechrof(Gtk::manage(new Adjuster(M("TP_LOCALLAB_NOISECHROFINE"), MINCHRO, MAXCHRO, 0.01, 0.))), @@ -6571,6 +6660,8 @@ LocallabBlur::LocallabBlur(): noiselequal->setAdjusterListener(this); + noisegam->setAdjusterListener(this); + LocalcurveEditorwavhue->setCurveListener(this); wavhue->setIdentityValue(0.); @@ -6748,6 +6839,7 @@ LocallabBlur::LocallabBlur(): // wavBox->pack_start(*noiselumc);//unused here, but used for normalize_mean_dt wavBox->pack_start(*noiselumdetail); wavBox->pack_start(*noiselequal); + wavBox->pack_start(*noisegam); wavBox->pack_start(*LocalcurveEditorwavhue, Gtk::PACK_SHRINK, 4); ToolParamBlock* const wavBox1 = Gtk::manage(new ToolParamBlock()); wavBox1->pack_start(*maskusable, Gtk::PACK_SHRINK, 0); @@ -6851,7 +6943,7 @@ void LocallabBlur::resetMaskView() showmaskblMethodConn.block(false); } -void LocallabBlur::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabBlur::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { blMask = showmaskblMethod->get_active_row_number(); } @@ -6884,6 +6976,7 @@ void LocallabBlur::updateAdviceTooltips(const bool showTooltips) invmaskd->set_tooltip_text(M("TP_LOCALLAB_MASKDEINV_TOOLTIP")); LocalcurveEditorwavden->setTooltip(M("TP_LOCALLAB_WASDEN_TOOLTIP")); noiselequal->set_tooltip_text(M("TP_LOCALLAB_DENOIEQUAL_TOOLTIP")); + noisegam->set_tooltip_text(M("TP_LOCALLAB_NOISEGAM_TOOLTIP")); noiselumdetail->set_tooltip_text(M("TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP")); noisechrof->set_tooltip_text(M("TP_LOCALLAB_DENOICHROF_TOOLTIP")); noisechroc->set_tooltip_text(M("TP_LOCALLAB_DENOICHROC_TOOLTIP")); @@ -6950,6 +7043,7 @@ void LocallabBlur::updateAdviceTooltips(const bool showTooltips) invmaskd->set_tooltip_text(""); LocalcurveEditorwavden->setTooltip(""); noiselequal->set_tooltip_text(""); + noisegam->set_tooltip_text(""); noiselumdetail->set_tooltip_text(""); noisechrof->set_tooltip_text(""); noisechroc->set_tooltip_text(""); @@ -7007,6 +7101,7 @@ void LocallabBlur::neutral_pressed () noiselumf0->setValue(defSpot.noiselumf0); noiselumdetail->setValue(defSpot.noiselumdetail); noiselequal->setValue(defSpot.noiselequal); + noisegam->setValue(defSpot.noisegam); noisechrof->setValue(defSpot.noisechrof); noisechroc->setValue(defSpot.noisechroc); noisechrodetail->setValue(defSpot.noisechrodetail); @@ -7189,6 +7284,7 @@ void LocallabBlur::read(const rtengine::procparams::ProcParams* pp, const Params lnoiselow->setValue(spot.lnoiselow); levelthrlow->setValue(spot.levelthrlow); noiselequal->setValue((double)spot.noiselequal); + noisegam->setValue((double)spot.noisegam); noisechrof->setValue(spot.noisechrof); noisechroc->setValue(spot.noisechroc); noisechrodetail->setValue(spot.noisechrodetail); @@ -7336,6 +7432,7 @@ void LocallabBlur::write(rtengine::procparams::ProcParams* pp, ParamsEdited* ped spot.lnoiselow = lnoiselow->getValue(); spot.levelthrlow = levelthrlow->getValue(); spot.noiselequal = noiselequal->getIntValue(); + spot.noisegam = noisegam->getValue(); spot.noisechrof = noisechrof->getValue(); spot.noisechroc = noisechroc->getValue(); spot.noisechrodetail = noisechrodetail->getValue(); @@ -7418,6 +7515,7 @@ void LocallabBlur::setDefaults(const rtengine::procparams::ProcParams* defParams lnoiselow->setDefault(defSpot.lnoiselow); levelthrlow->setDefault(defSpot.levelthrlow); noiselequal->setDefault((double)defSpot.noiselequal); + noisegam->setDefault(defSpot.noisegam); noisechrof->setDefault(defSpot.noisechrof); noisechroc->setDefault(defSpot.noisechroc); noisechrodetail->setDefault(defSpot.noisechrodetail); @@ -7642,6 +7740,13 @@ void LocallabBlur::adjusterChanged(Adjuster* a, double newval) } } + if (a == noisegam) { + if (listener) { + listener->panelChanged(Evlocallabnoisegam, + noisegam->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == levelthr) { if (listener) { listener->panelChanged(Evlocallablevelthr, @@ -7926,6 +8031,7 @@ void LocallabBlur::convertParamToNormal() csThresholdblur->setValue(defSpot.csthresholdblur); lnoiselow->setValue(defSpot.lnoiselow); nlrad->setValue(defSpot.nlrad); + noisegam->setValue(defSpot.noisegam); // Enable all listeners enableListener(); @@ -7981,6 +8087,7 @@ void LocallabBlur::convertParamToSimple() nlpat->setValue(defSpot.nlpat); nlrad->setValue(defSpot.nlrad); nlgam->setValue(defSpot.nlgam); + noisegam->setValue(defSpot.noisegam); // Enable all listeners enableListener(); @@ -8012,6 +8119,7 @@ void LocallabBlur::updateGUIToMode(const modeType new_type) nlrad->hide(); nlgam->hide(); scalegr->hide(); + noisegam->hide(); break; case Normal: @@ -8037,6 +8145,7 @@ void LocallabBlur::updateGUIToMode(const modeType new_type) nlrad->hide(); nlgam->show(); scalegr->show(); + noisegam->hide(); if (blMethod->get_active_row_number() == 2) { expdenoise2->show(); @@ -8116,6 +8225,7 @@ void LocallabBlur::updateGUIToMode(const modeType new_type) nlpat->show(); nlrad->show(); nlgam->show(); + noisegam->show(); if(lnoiselow->getValue()!= 1.) { if (showmaskblMethodtyp->get_active_row_number() == 0) { @@ -8152,7 +8262,7 @@ void LocallabBlur::updateGUIToMode(const modeType new_type) } } -void LocallabBlur::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabBlur::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { diff --git a/rtgui/locallabtools.h b/rtgui/locallabtools.h index 82dd8ee31..041fac431 100644 --- a/rtgui/locallabtools.h +++ b/rtgui/locallabtools.h @@ -118,7 +118,7 @@ public: bool isLocallabToolAdded(); // Mask background management function - void refChanged(const double huer, const double lumar, const double chromar); + void refChanged(const double huer, const double lumar, const double chromar, const float fab); // Mask preview functions virtual bool isMaskViewActive() @@ -126,7 +126,7 @@ public: return false; }; virtual void resetMaskView() {}; - virtual void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) {}; + virtual void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) {}; // Advice tooltips management function virtual void updateAdviceTooltips(const bool showTooltips) {}; @@ -151,7 +151,7 @@ public: protected: // To be implemented - virtual void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) {}; // Only necessary when using mask + virtual void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) {}; // Only necessary when using mask private: // Remove button event function @@ -180,6 +180,7 @@ private: // Color & Light specific widgets Gtk::Frame* const lumFrame; Adjuster* const reparcol; + Adjuster* const gamc; Adjuster* const lightness; Adjuster* const contrast; Adjuster* const chroma; @@ -277,7 +278,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -302,7 +303,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void curvactivChanged(); void gridMethodChanged(); @@ -347,6 +348,7 @@ private: Gtk::CheckButton* const norm; Adjuster* const fatlevel; Adjuster* const fatanchor; + Adjuster* const gamex; Adjuster* const sensiex; Adjuster* const structexp; Adjuster* const blurexpde; @@ -402,7 +404,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -421,7 +423,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void expMethodChanged(); void exnoiseMethodChanged(); @@ -438,7 +440,7 @@ private: }; -/* ==== LocallabShadow ==== */ +/* ==== LocallabjShadow ==== */ class LocallabShadow: public Gtk::Box, public LocallabTool @@ -498,7 +500,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -517,7 +519,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void shMethodChanged(); void inversshChanged(); @@ -540,6 +542,7 @@ private: // Vibrance specific widgets Adjuster* const saturated; Adjuster* const pastels; + Adjuster* const vibgam; Adjuster* const warm; ThresholdAdjuster* const psThreshold; Gtk::CheckButton* const protectSkins; @@ -584,7 +587,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -610,7 +613,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void protectskins_toggled(); void avoidcolorshift_toggled(); @@ -642,7 +645,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -724,6 +727,7 @@ private: Adjuster* const noiselumc; Adjuster* const noiselumdetail; Adjuster* const noiselequal; + Adjuster* const noisegam; CurveEditorGroup* const LocalcurveEditorwavhue; FlatCurveEditor* wavhue; Adjuster* const noisechrof; @@ -787,7 +791,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; void neutral_pressed(); @@ -813,7 +817,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void blMethodChanged(); void fftwblChanged(); @@ -884,7 +888,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -903,7 +907,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void equiltmChanged(); void showmasktmMethodChanged(); @@ -983,7 +987,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -1002,7 +1006,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void loglinChanged(); void retinexMethodChanged(); @@ -1026,6 +1030,7 @@ class LocallabSharp: private: Adjuster* const sharcontrast; Adjuster* const sharblur; + Adjuster* const shargam; Adjuster* const sharamount; Adjuster* const shardamping; Adjuster* const shariter; @@ -1042,7 +1047,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -1089,6 +1094,9 @@ private: Adjuster* const residshathr; Adjuster* const residhi; Adjuster* const residhithr; + Adjuster* const gamlc; + Adjuster* const residgam; + Adjuster* const residslop; Adjuster* const sensilc; Adjuster* const reparw; Gtk::Frame* const clariFrame; @@ -1173,7 +1181,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -1198,7 +1206,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void localcontMethodChanged(); void origlcChanged(); @@ -1272,7 +1280,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -1291,7 +1299,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void showmaskcbMethodChanged(); void enacbMaskChanged(); @@ -1375,7 +1383,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; void surroundChanged(); @@ -1390,7 +1398,7 @@ public: void adjusterChanged(Adjuster* a, double newval) override; void curveChanged(CurveEditor* ce) override; - void updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg); + void updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const float jz1); private: void enabledChanged() override; @@ -1405,7 +1413,7 @@ private: void ciecamChanged(); void showmaskLMethodChanged(); void enaLMaskChanged(); - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void updateLogGUI(); void updateLogGUI2(); @@ -1462,7 +1470,7 @@ public: bool isMaskViewActive() override; void resetMaskView() override; - void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; void updateAdviceTooltips(const bool showTooltips) override; @@ -1488,7 +1496,7 @@ private: void convertParamToSimple() override; void updateGUIToMode(const modeType new_type) override; - void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) override; + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; void showmask_MethodChanged(); void enamaskChanged(); @@ -1498,4 +1506,221 @@ private: void updateMaskGUI(); }; + +/* ==== Locallabcie ==== */ +class Locallabcie: + public Gtk::Box, + public ThresholdAdjusterListener, + public LocallabTool +{ +private: + Adjuster* const sensicie; + Adjuster* const reparcie; + Gtk::CheckButton* const jabcie; + MyComboBoxText* const modecam; + MyComboBoxText* const modecie; + Gtk::Frame* const jzFrame; + Gtk::Box* const modeHBoxcam; + Gtk::Box* const modeHBoxcie; + Gtk::Frame* const cieFrame; + Gtk::CheckButton* const Autograycie; + Adjuster* const sourceGraycie; + Adjuster* const sourceabscie; + MyComboBoxText* const sursourcie; + Gtk::Box* const surHBoxcie; + Gtk::Frame* const cie1Frame; + Gtk::Frame* const cie1lightFrame; + Gtk::Frame* const cie1contFrame; + Gtk::Frame* const cie1colorFrame; + Gtk::Frame* const czlightFrame; +// Gtk::Frame* const czcontFrame; + Gtk::Frame* const czcolorFrame; + Gtk::Frame* const PQFrame; + Gtk::CheckButton* const qtoj; + Adjuster* const lightlcie; + Adjuster* const lightjzcie; + Adjuster* const contjzcie; + Adjuster* const adapjzcie; + Adjuster* const jz100; + Adjuster* const pqremap; + Adjuster* const pqremapcam16; + Gtk::CheckButton* const forcejz; + MyExpander* const expjz; + Gtk::Frame* const jzshFrame; + Adjuster* const hljzcie; + Adjuster* const hlthjzcie; + Adjuster* const shjzcie; + Adjuster* const shthjzcie; + Adjuster* const radjzcie; + + MyExpander* const expwavjz; + + Gtk::Frame* const contFramejz; + Adjuster* const sigmalcjz; + CurveEditorGroup* const LocalcurveEditorwavjz; + FlatCurveEditor* const wavshapejz; + ThresholdAdjuster* const csThresholdjz; + Gtk::Frame* const clariFramejz; + Adjuster* const clarilresjz; + Adjuster* const claricresjz; + Adjuster* const clarisoftjz; + + MyExpander* const expcam16; + + Adjuster* const lightqcie; + Adjuster* const contlcie; + Adjuster* const contqcie; + Adjuster* const contthrescie; + Gtk::Frame* const logjzFrame; + Gtk::CheckButton* const logjz; + Adjuster* const blackEvjz; + Adjuster* const whiteEvjz; + Adjuster* const targetjz; + Gtk::Frame* const bevwevFrame; + Gtk::CheckButton* const forcebw; + + Gtk::Frame* const sigmoidFrame; + Adjuster* const sigmoidldacie; + Adjuster* const sigmoidthcie; + Adjuster* const sigmoidblcie; + Gtk::CheckButton* const sigmoidqjcie; + Gtk::Frame* const sigmoidjzFrame; + Gtk::CheckButton* const sigjz; + Adjuster* const sigmoidldajzcie; + Adjuster* const sigmoidthjzcie; + Adjuster* const sigmoidbljzcie; + + Adjuster* const colorflcie; + Adjuster* const saturlcie; + Adjuster* const rstprotectcie; + Adjuster* const chromlcie; + Adjuster* const huecie; + CurveEditorGroup* const cieCurveEditorG; + MyComboBoxText* const toneMethodcie; + DiagonalCurveEditor* const shapecie; + CurveEditorGroup* const cieCurveEditorG2; + MyComboBoxText* const toneMethodcie2; + DiagonalCurveEditor* const shapecie2; + + Adjuster* const chromjzcie; + Adjuster* const saturjzcie; + Adjuster* const huejzcie; + CurveEditorGroup* const jz1CurveEditorG; + DiagonalCurveEditor* const shapejz; + DiagonalCurveEditor* const shapecz; + + + Gtk::Frame* const HFramejz; + Gtk::Frame* const JzHFramejz; + CurveEditorGroup* const jz2CurveEditorG; + CurveEditorGroup* const jz3CurveEditorG; + DiagonalCurveEditor* const shapeczjz; + FlatCurveEditor* const HHshapejz; + FlatCurveEditor* const CHshapejz; + FlatCurveEditor* const LHshapejz; + Adjuster* const softjzcie; + Adjuster* const thrhjzcie; + Gtk::CheckButton* const chjzcie; + Adjuster* const strsoftjzcie; + +/* + Gtk::Frame* const ciezFrame; + Adjuster* const lightlzcam; + Adjuster* const lightqzcam; + Adjuster* const contlzcam; + Adjuster* const contqzcam; + Adjuster* const contthreszcam; + Adjuster* const colorflzcam; + Adjuster* const saturzcam; + Adjuster* const chromzcam; +*/ + MyExpander* const expLcie; + Gtk::Frame* const cie2Frame; + Adjuster* const targetGraycie; + Adjuster* const targabscie; + Adjuster* const detailcie; + Adjuster* const catadcie; + MyComboBoxText* const surroundcie; + Gtk::Box* const surrHBoxcie; + + MyExpander* const exprecovcie; + Gtk::Label* const maskusablecie; + Gtk::Label* const maskunusablecie; + Adjuster* const recothrescie; + Adjuster* const lowthrescie; + Adjuster* const higthrescie; + Adjuster* const decaycie; + + MyExpander* const expmaskcie; + MyComboBoxText* const showmaskcieMethod; + Gtk::CheckButton* const enacieMask; + CurveEditorGroup* const maskcieCurveEditorG; + FlatCurveEditor* const CCmaskcieshape; + FlatCurveEditor* const LLmaskcieshape; + FlatCurveEditor* const HHmaskcieshape; + Adjuster* const blendmaskcie; + Adjuster* const radmaskcie; + Adjuster* const lapmaskcie; + Adjuster* const chromaskcie; + Adjuster* const gammaskcie; + Adjuster* const slomaskcie; + + CurveEditorGroup* const mask2cieCurveEditorG; + DiagonalCurveEditor* const Lmaskcieshape; + + sigc::connection AutograycieConn, forcejzConn, forcebwConn, qtojConn, showmaskcieMethodConn, enacieMaskConn, jabcieConn, sursourcieconn, surroundcieconn, modecieconn, modecamconn, sigmoidqjcieconn, logjzconn, sigjzconn, chjzcieconn, toneMethodcieConn, toneMethodcieConn2; +public: + Locallabcie(); + ~Locallabcie(); + + bool isMaskViewActive() override; + void resetMaskView() override; + void getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) override; + + void updateAdviceTooltips(const bool showTooltips) override; + void setDefaultExpanderVisibility() override; + + void disableListener() override; + void enableListener() override; + void read(const rtengine::procparams::ProcParams* pp, const ParamsEdited* pedited = nullptr) override; + void write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited = nullptr) override; + void setDefaults(const rtengine::procparams::ProcParams* defParams, const ParamsEdited* pedited = nullptr) override; + void adjusterChanged(Adjuster* a, double newval) override; + void adjusterChanged(ThresholdAdjuster* a, double newBottom, double newTop) override {}; // Not used +// void adjusterChanged3(ThresholdAdjuster* a, double newBottom, double newTop) override {}; + void adjusterChanged(ThresholdAdjuster* a, double newBottomLeft, double newTopLeft, double newBottomRight, double newTopRight) override {}; // Not used + void adjusterChanged(ThresholdAdjuster* a, int newBottom, int newTop) override {}; // Not used + void adjusterChanged(ThresholdAdjuster* a, int newBottomLeft, int newTopLeft, int newBottomRight, int newTopRight) override {}; // Not used + void adjusterChanged2(ThresholdAdjuster* a, int newBottomL, int newTopL, int newBottomR, int newTopR) override; + void sursourcieChanged(); + void surroundcieChanged(); + void modecieChanged(); + void modecamChanged(); + void curveChanged(CurveEditor* ce) override; + void toneMethodcieChanged(); + void toneMethodcie2Changed(); + void updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const float jz1); + +private: + void enabledChanged() override; + void convertParamToNormal() override; + void convertParamToSimple() override; + void updateGUIToMode(const modeType new_type) override; + void complexityModeChanged(); + void AutograycieChanged(); + void forcejzChanged(); + void forcebwChanged(); + void qtojChanged(); + void jabcieChanged(); + void sigmoidqjcieChanged(); + void logjzChanged(); + void sigjzChanged(); + void chjzcieChanged(); + void updatecieGUI(); + void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; + void showmaskcieMethodChanged(); + void enacieMaskChanged(); + +}; + #endif diff --git a/rtgui/locallabtools2.cc b/rtgui/locallabtools2.cc index 55cd98680..e37e657d7 100644 --- a/rtgui/locallabtools2.cc +++ b/rtgui/locallabtools2.cc @@ -24,6 +24,7 @@ #include "../rtengine/procparams.h" #include "locallab.h" #include "rtimage.h" +#include "../rtengine/color.h" #define MINNEIGH 0.1 #define MAXNEIGH 1500 @@ -132,7 +133,7 @@ LocallabTone::LocallabTone(): exprecovt(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablet(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablet(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothrest(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothrest(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthrest(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthrest(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decayt(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -299,7 +300,7 @@ void LocallabTone::resetMaskView() showmasktmMethodConn.block(false); } -void LocallabTone::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabTone::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { tmMask = showmasktmMethod->get_active_row_number(); } @@ -308,6 +309,7 @@ void LocallabTone::updateAdviceTooltips(const bool showTooltips) { if (showTooltips) { exp->set_tooltip_text(M("TP_LOCALLAB_TONEMAP_TOOLTIP")); + recothrest->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); exprecovt->set_tooltip_markup(M("TP_LOCALLAB_MASKRESTM_TOOLTIP")); equiltm->set_tooltip_text(M("TP_LOCALLAB_EQUILTM_TOOLTIP")); repartm->set_tooltip_text(M("TP_LOCALLAB_REPARTM_TOOLTIP")); @@ -336,6 +338,7 @@ void LocallabTone::updateAdviceTooltips(const bool showTooltips) } else { exp->set_tooltip_text(""); equiltm->set_tooltip_text(""); + recothrest->set_tooltip_text(""); repartm->set_tooltip_text(""); gamma->set_tooltip_text(""); estop->set_tooltip_text(""); @@ -700,7 +703,7 @@ void LocallabTone::updateGUIToMode(const modeType new_type) } } -void LocallabTone::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabTone::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -1100,7 +1103,7 @@ void LocallabRetinex::resetMaskView() showmaskretiMethodConn.block(false); } -void LocallabRetinex::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabRetinex::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { retiMask = showmaskretiMethod->get_active_row_number(); } @@ -1783,7 +1786,7 @@ void LocallabRetinex::updateGUIToMode(const modeType new_type) } } -void LocallabRetinex::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabRetinex::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -1980,6 +1983,7 @@ LocallabSharp::LocallabSharp(): // Sharpening specific widgets sharcontrast(Gtk::manage(new Adjuster(M("TP_SHARPENING_CONTRAST"), 0, 200, 1, 20))), sharblur(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHARBLUR"), 0.2, 2.0, 0.05, 0.2))), + shargam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMC"), 0.5, 3.0, 0.05, 1.))), sharamount(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHARAMOUNT"), 0, 100, 1, 100))), shardamping(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHARDAMPING"), 0, 100, 1, 0))), shariter(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SHARITER"), 5, 100, 1, 30))), @@ -2004,6 +2008,8 @@ LocallabSharp::LocallabSharp(): sharblur->setAdjusterListener(this); + shargam->setAdjusterListener(this); + sensisha->setAdjusterListener(this); inversshaConn = inverssha->signal_toggled().connect(sigc::mem_fun(*this, &LocallabSharp::inversshaChanged)); @@ -2019,6 +2025,7 @@ LocallabSharp::LocallabSharp(): pack_start(*sensisha); pack_start(*sharcontrast); pack_start(*sharblur); + pack_start(*shargam); pack_start(*sharradius); pack_start(*sharamount); pack_start(*shardamping); @@ -2044,7 +2051,7 @@ void LocallabSharp::resetMaskView() showmasksharMethodConn.block(false); } -void LocallabSharp::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabSharp::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { sharMask = showmasksharMethod->get_active_row_number(); } @@ -2054,9 +2061,12 @@ void LocallabSharp::updateAdviceTooltips(const bool showTooltips) if (showTooltips) { exp->set_tooltip_text(M("TP_LOCALLAB_EXPSHARP_TOOLTIP")); sensisha->set_tooltip_text(M("TP_LOCALLAB_SENSI_TOOLTIP")); + shargam->set_tooltip_text(M("TP_LOCALLAB_GAMCOL_TOOLTIP")); + } else { exp->set_tooltip_text(""); sensisha->set_tooltip_text(""); + shargam->set_tooltip_text(""); } } @@ -2097,6 +2107,7 @@ void LocallabSharp::read(const rtengine::procparams::ProcParams* pp, const Param shardamping->setValue((double)spot.shardamping); shariter->setValue((double)spot.shariter); sharblur->setValue(spot.sharblur); + shargam->setValue(spot.shargam); sensisha->setValue((double)spot.sensisha); inverssha->set_active(spot.inverssha); } @@ -2127,6 +2138,7 @@ void LocallabSharp::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pe spot.shardamping = shardamping->getIntValue(); spot.shariter = shariter->getIntValue(); spot.sharblur = sharblur->getValue(); + spot.shargam = shargam->getValue(); spot.sensisha = sensisha->getIntValue(); spot.inverssha = inverssha->get_active(); } @@ -2148,6 +2160,7 @@ void LocallabSharp::setDefaults(const rtengine::procparams::ProcParams* defParam shardamping->setDefault((double)defSpot.shardamping); shariter->setDefault((double)defSpot.shariter); sharblur->setDefault(defSpot.sharblur); + shargam->setDefault(defSpot.shargam); sensisha->setDefault((double)defSpot.sensisha); } @@ -2199,6 +2212,13 @@ void LocallabSharp::adjusterChanged(Adjuster* a, double newval) } } + if (a == shargam) { + if (listener) { + listener->panelChanged(Evlocallabshargam, + shargam->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == sensisha) { if (listener) { listener->panelChanged(Evlocallabsensis, @@ -2236,6 +2256,7 @@ void LocallabSharp::convertParamToNormal() sharamount->setValue(defSpot.sharamount); shardamping->setValue((double)defSpot.shardamping); shariter->setValue((double)defSpot.shariter); + shargam->setValue(defSpot.shargam); // Enable all listeners enableListener(); @@ -2268,6 +2289,7 @@ void LocallabSharp::updateGUIToMode(const modeType new_type) shardamping->hide(); shariter->hide(); sharFrame->hide(); + shargam->hide(); break; @@ -2275,6 +2297,7 @@ void LocallabSharp::updateGUIToMode(const modeType new_type) // Expert mode widgets are hidden in Normal mode sharcontrast->hide(); sharblur->hide(); + shargam->hide(); sharamount->hide(); shardamping->hide(); shariter->hide(); @@ -2287,6 +2310,7 @@ void LocallabSharp::updateGUIToMode(const modeType new_type) // Show widgets hidden in Normal and Simple mode sharcontrast->show(); sharblur->show(); + shargam->show(); sharamount->show(); shardamping->show(); shariter->show(); @@ -2346,6 +2370,9 @@ LocallabContrast::LocallabContrast(): residshathr(Gtk::manage(new Adjuster(M("TP_LOCALLAB_RESIDSHATHR"), 0., 100., 1., 30.))), residhi(Gtk::manage(new Adjuster(M("TP_LOCALLAB_RESIDHI"), -100., 100., 1., 0.))), residhithr(Gtk::manage(new Adjuster(M("TP_LOCALLAB_RESIDHITHR"), 0., 100., 1., 70.))), + gamlc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMW"), 0.5, 3., 0.01, 1.))), + residgam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMSH"), 0.25, 15.0, 0.01, 2.4))), + residslop(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SLOSH"), 0.0, 500.0, 0.01, 12.92))), sensilc(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SENSI"), 0, 100, 1, 60))), reparw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGREPART"), 1.0, 100.0, 1., 100.0))), clariFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CLARIFRA")))), @@ -2405,7 +2432,7 @@ LocallabContrast::LocallabContrast(): exprecovw(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablew(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablew(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothresw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothresw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthresw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthresw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decayw(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -2478,6 +2505,14 @@ LocallabContrast::LocallabContrast(): residhithr->setAdjusterListener(this); + gamlc->setAdjusterListener(this); + + + residgam->setAdjusterListener(this); + + residslop->setAdjusterListener(this); + residslop->setLogScale(16, 0); + sensilc->setAdjusterListener(this); reparw->setAdjusterListener(this); @@ -2726,10 +2761,14 @@ LocallabContrast::LocallabContrast(): Gtk::Frame* const shresFrame = Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SHRESFRA"))); shresFrame->set_label_align(0.025, 0.5); ToolParamBlock* const shresBox = Gtk::manage(new ToolParamBlock()); + Gtk::Separator* const separatorsh = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)); shresBox->pack_start(*residsha); shresBox->pack_start(*residshathr); shresBox->pack_start(*residhi); shresBox->pack_start(*residhithr); + shresBox->pack_start(*separatorsh); + shresBox->pack_start(*residgam); + shresBox->pack_start(*residslop); shresFrame->add(*shresBox); resiBox->pack_start(*shresFrame); expresidpyr->add(*resiBox, false); @@ -2802,6 +2841,7 @@ LocallabContrast::LocallabContrast(): blurlevelFrame->add(*blurlevcontBox); blurcontBox->pack_start(*blurlevelFrame); expcontrastpyr->add(*blurcontBox, false); + pack_start(*gamlc); pack_start(*expcontrastpyr); ToolParamBlock* const blurcontBox2 = Gtk::manage(new ToolParamBlock()); Gtk::Frame* const contFrame2 = Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CONTFRA"))); @@ -2889,7 +2929,7 @@ void LocallabContrast::resetMaskView() showmasklcMethodConn.block(false); } -void LocallabContrast::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabContrast::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { lcMask = showmasklcMethod->get_active_row_number(); } @@ -2898,13 +2938,14 @@ void LocallabContrast::updateAdviceTooltips(const bool showTooltips) { if (showTooltips) { contFrame->set_tooltip_text(M("TP_LOCALLAB_EXPCONTRAST_TOOLTIP")); + recothresw->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); LocalcurveEditorwav->set_tooltip_markup(M("TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP")); csThreshold->set_tooltip_markup(M("TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP")); levelwav->set_tooltip_markup(M("TP_LOCALLAB_LEVELWAV_TOOLTIP")); clariFrame->set_tooltip_markup(M("TP_LOCALLAB_CLARI_TOOLTIP")); clarisoft->set_tooltip_markup(M("TP_LOCALLAB_CLARISOFT_TOOLTIP")); exprecovw->set_tooltip_markup(M("TP_LOCALLAB_MASKRESWAV_TOOLTIP")); - + gamlc->set_tooltip_text(M("TP_LOCALLAB_GAMC_TOOLTIP")); wavshape->setTooltip(M("TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP")); clarilres->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARIL_TOOLTIP")); claricres->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARIC_TOOLTIP")); @@ -2969,6 +3010,7 @@ void LocallabContrast::updateAdviceTooltips(const bool showTooltips) higthresw->set_tooltip_text(M("TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP")); } else { contFrame->set_tooltip_text(""); + recothresw->set_tooltip_text(""); LocalcurveEditorwav->set_tooltip_markup(""); csThreshold->set_tooltip_markup(""); expresidpyr->set_tooltip_text(""); @@ -2997,6 +3039,7 @@ void LocallabContrast::updateAdviceTooltips(const bool showTooltips) chromasklc->set_tooltip_text(""); sensilc->set_tooltip_text(""); reparw->set_tooltip_text(""); + gamlc->set_tooltip_text(""); wavshape->setTooltip(""); clarilres->set_tooltip_text(""); @@ -3130,6 +3173,9 @@ void LocallabContrast::read(const rtengine::procparams::ProcParams* pp, const Pa residshathr->setValue(spot.residshathr); residhi->setValue(spot.residhi); residhithr->setValue(spot.residhithr); + gamlc->setValue((double)spot.gamlc); + residgam->setValue(spot.residgam); + residslop->setValue(spot.residslop); sensilc->setValue((double)spot.sensilc); reparw->setValue(spot.reparw); clarilres->setValue(spot.clarilres); @@ -3252,6 +3298,9 @@ void LocallabContrast::write(rtengine::procparams::ProcParams* pp, ParamsEdited* spot.residshathr = residshathr->getValue(); spot.residhi = residhi->getValue(); spot.residhithr = residhithr->getValue(); + spot.gamlc = gamlc->getValue(); + spot.residgam = residgam->getValue(); + spot.residslop = residslop->getValue(); spot.sensilc = sensilc->getIntValue(); spot.reparw = reparw->getValue(); spot.clarilres = clarilres->getValue(); @@ -3353,6 +3402,9 @@ void LocallabContrast::setDefaults(const rtengine::procparams::ProcParams* defPa residshathr->setDefault(defSpot.residshathr); residhi->setDefault(defSpot.residhi); residhithr->setDefault(defSpot.residhithr); + gamlc->setDefault((double)defSpot.gamlc); + residgam->setDefault(defSpot.residgam); + residslop->setDefault(defSpot.residslop); sensilc->setDefault((double)defSpot.sensilc); reparw->setDefault(defSpot.reparw); clarilres->setDefault(defSpot.clarilres); @@ -3482,6 +3534,27 @@ void LocallabContrast::adjusterChanged(Adjuster* a, double newval) } } + if (a == gamlc) { + if (listener) { + listener->panelChanged(Evlocallabgamlc, + gamlc->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == residgam) { + if (listener) { + listener->panelChanged(Evlocallabresidgam, + residgam->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == residslop) { + if (listener) { + listener->panelChanged(Evlocallabresidslop, + residslop->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + if (a == sensilc) { if (listener) { listener->panelChanged(Evlocallabsensilc, @@ -3851,6 +3924,7 @@ void LocallabContrast::convertParamToNormal() // Disable all listeners disableListener(); + gamlc->setValue(defSpot.gamlc); // Set hidden GUI widgets in Normal mode to default spot values origlc->set_active(defSpot.origlc); @@ -3927,6 +4001,7 @@ void LocallabContrast::convertParamToSimple() // Disable all listeners disableListener(); + gamlc->setValue(defSpot.gamlc); // Set hidden specific GUI widgets in Simple mode to default spot values if (defSpot.localcontMethod == "loc") { @@ -3973,6 +4048,7 @@ void LocallabContrast::updateGUIToMode(const modeType new_type) decayw->hide(); maskusablew->hide(); maskunusablew->hide(); + gamlc->hide(); break; @@ -3995,6 +4071,7 @@ void LocallabContrast::updateGUIToMode(const modeType new_type) maskusablew->hide(); maskunusablew->show(); } + gamlc->hide(); break; @@ -4006,6 +4083,7 @@ void LocallabContrast::updateGUIToMode(const modeType new_type) if (localcontMethod->get_active_row_number() != 0) { // Keep widgets hidden when localcontMethod is equal to 0 expcontrastpyr->show(); expcontrastpyr2->show(); + gamlc->show(); } if (localcontMethod->get_active_row_number() != 1) { // Keep widget hidden when localcontMethod is equal to 1 @@ -4027,7 +4105,7 @@ void LocallabContrast::updateGUIToMode(const modeType new_type) } } -void LocallabContrast::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabContrast::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -4288,7 +4366,7 @@ void LocallabContrast::updateContrastGUI1() clariFrame->hide(); expcontrastpyr->hide(); expcontrastpyr2->hide(); - + gamlc->hide(); if (mode == Expert) { // Keep widget hidden in Normal and Simple mode fftwlc->show(); } @@ -4306,6 +4384,7 @@ void LocallabContrast::updateContrastGUI1() if (mode == Expert) { // Keep widget hidden in Normal and Simple mode expcontrastpyr->show(); expcontrastpyr2->show(); + gamlc->show(); } fftwlc->hide(); @@ -4551,7 +4630,7 @@ void LocallabCBDL::resetMaskView() showmaskcbMethodConn.block(false); } -void LocallabCBDL::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabCBDL::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { cbMask = showmaskcbMethod->get_active_row_number(); } @@ -5047,7 +5126,7 @@ void LocallabCBDL::updateGUIToMode(const modeType new_type) } } -void LocallabCBDL::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabCBDL::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -5153,7 +5232,7 @@ LocallabLog::LocallabLog(): surHBox(Gtk::manage(new Gtk::Box())), log1Frame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOG1FRA")))), log2Frame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOG2FRA")))), - targetGray(Gtk::manage(new Adjuster(M("TP_LOCALLAB_TARGET_GRAY"), 5.0, 80.0, 0.1, 18.0))), + targetGray(Gtk::manage(new Adjuster(M("TP_LOCALLAB_TARGET_GRAY"), 4.0, 80.0, 0.1, 18.0))), detail(Gtk::manage(new Adjuster(M("TP_LOCALLAB_DETAIL"), 0., 1., 0.01, 0.6))), catad(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CATAD"), -100., 100., 0.5, 0., Gtk::manage(new RTImage("circle-blue-small.png")), Gtk::manage(new RTImage("circle-orange-small.png"))))), lightl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGLIGHTL"), -100., 100., 0.5, 0.))), @@ -5174,7 +5253,7 @@ LocallabLog::LocallabLog(): exprecovl(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablel(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), maskunusablel(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), - recothresl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 1., 2., 0.01, 1.))), + recothresl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), lowthresl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), higthresl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), decayl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), @@ -5218,12 +5297,14 @@ LocallabLog::LocallabLog(): AutograyConn = Autogray->signal_toggled().connect(sigc::mem_fun(*this, &LocallabLog::AutograyChanged)); sourceGray->setAdjusterListener(this); + sourceGray->setLogScale(10, 18, true); sourceabs->setLogScale(500, 0); sourceabs->setAdjusterListener(this); targetGray->setAdjusterListener(this); + targetGray->setLogScale(10, 18, true); detail->setAdjusterListener(this); @@ -5445,6 +5526,7 @@ void LocallabLog::updateAdviceTooltips(const bool showTooltips) if (showTooltips) { exp->set_tooltip_text(M("TP_LOCALLAB_LOGENCOD_TOOLTIP")); repar->set_tooltip_text(M("TP_LOCALLAB_LOGREPART_TOOLTIP")); + recothresl->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); logPFrame->set_tooltip_text(M("TP_LOCALLAB_LOGFRAME_TOOLTIP")); logFrame->set_tooltip_text(M("TP_LOCALLAB_LOGSCENE_TOOLTIP")); log1Frame->set_tooltip_text(M("TP_LOCALLAB_LOGIMAGE_TOOLTIP")); @@ -5456,7 +5538,7 @@ void LocallabLog::updateAdviceTooltips(const bool showTooltips) exprecovl->set_tooltip_markup(M("TP_LOCALLAB_MASKRELOG_TOOLTIP")); blackEv->set_tooltip_text(""); whiteEv->set_tooltip_text(""); - sourceGray->set_tooltip_text(""); + sourceGray->set_tooltip_text(M("TP_LOCALLAB_JZLOGYBOUT_TOOLTIP")); sourceabs->set_tooltip_text(M("TP_COLORAPP_ADAPSCEN_TOOLTIP")); targabs->set_tooltip_text(M("TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP")); targetGray->set_tooltip_text(M("TP_COLORAPP_YBOUT_TOOLTIP")); @@ -5493,6 +5575,7 @@ void LocallabLog::updateAdviceTooltips(const bool showTooltips) } else { exp->set_tooltip_text(""); repar->set_tooltip_text(""); + recothresl->set_tooltip_text(""); logPFrame->set_tooltip_text(""); logFrame->set_tooltip_text(""); log1Frame->set_tooltip_text(""); @@ -5580,7 +5663,7 @@ void LocallabLog::resetMaskView() showmaskLMethodConn.block(false); } -void LocallabLog::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabLog::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { logMask = showmaskLMethod->get_active_row_number(); } @@ -6234,26 +6317,28 @@ void LocallabLog::adjusterChanged(Adjuster* a, double newval) } } -void LocallabLog::updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg) +void LocallabLog::updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const float jz1) { - idle_register.add( - [this, blackev, whiteev, sourceg, sourceab, targetg]() -> bool { - GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected + if (autocompute->get_active()) { + idle_register.add( + [this, blackev, whiteev, sourceg, sourceab, targetg, jz1]() -> bool { + GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected - // Update adjuster values according to autocomputed ones - disableListener(); + // Update adjuster values according to autocomputed ones + disableListener(); - blackEv->setValue(blackev); - whiteEv->setValue(whiteev); - sourceGray->setValue(sourceg); - sourceabs->setValue(sourceab); - targetGray->setValue(targetg); + blackEv->setValue(blackev); + whiteEv->setValue(whiteev); + sourceGray->setValue(sourceg); + sourceabs->setValue(sourceab); + targetGray->setValue(targetg); - enableListener(); + enableListener(); return false; + } + ); } - ); } void LocallabLog::enabledChanged() @@ -6367,7 +6452,7 @@ void LocallabLog::fullimageChanged() } } -void LocallabLog::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabLog::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -6662,7 +6747,7 @@ void LocallabMask::resetMaskView() showmask_MethodConn.block(false); } -void LocallabMask::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask) +void LocallabMask::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) { maskMask = showmask_Method->get_active_row_number(); } @@ -7199,7 +7284,7 @@ void LocallabMask::updateGUIToMode(const modeType new_type) } -void LocallabMask::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer) +void LocallabMask::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) { idle_register.add( [this, normHuer, normLumar, normChromar]() -> bool { @@ -7291,3 +7376,2943 @@ void LocallabMask::updateMaskGUI() blurmask->setValue(temp); } + +/*==== Locallabcie ====*/ +Locallabcie::Locallabcie(): + LocallabTool(this, M("TP_LOCALLAB_CIE_TOOLNAME"), M("TP_LOCALLAB_CIE"), false), + // ciecam specific widgets + sensicie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SENSI"), 0, 100, 1, 60))), + reparcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGREPART"), 1.0, 100.0, 1., 100.0))), + jabcie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JAB")))), + modecam(Gtk::manage (new MyComboBoxText ())), + modecie(Gtk::manage (new MyComboBoxText ())), + jzFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_JZFRA")))), + modeHBoxcam(Gtk::manage(new Gtk::Box())), + modeHBoxcie(Gtk::manage(new Gtk::Box())), + cieFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOGFRA")))), + Autograycie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_AUTOGRAYCIE")))), + sourceGraycie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SOURCE_GRAY"), 1.0, 100.0, 0.1, 18.0))), + sourceabscie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SOURCE_ABS"), 0.01, 16384.0, 0.01, 2000.0))), + sursourcie(Gtk::manage (new MyComboBoxText ())), + surHBoxcie(Gtk::manage(new Gtk::Box())), + cie1Frame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOG1FRA")))), + cie1lightFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CIELIGHTFRA")))), + cie1contFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CIECONTFRA")))), + cie1colorFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CIECOLORFRA")))), + czlightFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CIELIGHTCONTFRA")))), + czcolorFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CIECOLORFRA")))), + PQFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_JZPQFRA")))), + qtoj(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JZQTOJ")))), + lightlcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGLIGHTL"), -100., 100., 0.01, 0.))), + lightjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZLIGHT"), -100., 100., 0.01, 0.))), + contjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZCONT"), -100., 100., 0.5, 0.))), + adapjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZADAP"), 1., 10., 0.05, 4.))), + jz100(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZ100"), 0.10, 0.90, 0.01, 0.25))), + pqremap(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZPQREMAP"), 100., 10000., 0.1, 120.))), + pqremapcam16(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CAM16PQREMAP"), 100., 10000., 0.1, 100.))), + forcejz(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JZFORCE")))), + expjz(Gtk::manage(new MyExpander(false, Gtk::manage(new Gtk::Box())))), + jzshFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_JZSHFRA")))), + hljzcie(Gtk::manage(new Adjuster(M("TP_SHADOWSHLIGHTS_HIGHLIGHTS"), 0., 100., 1., 0.))), + hlthjzcie(Gtk::manage(new Adjuster(M("TP_SHADOWSHLIGHTS_HLTONALW"), 20., 100., 1., 70.))), + shjzcie(Gtk::manage(new Adjuster(M("TP_SHADOWSHLIGHTS_SHADOWS"), 0., 100., 1., 0.))), + shthjzcie(Gtk::manage(new Adjuster(M("TP_SHADOWSHLIGHTS_SHTONALW"), 20., 100., 1., 40.))), + radjzcie(Gtk::manage(new Adjuster(M("TP_SHADOWSHLIGHTS_RADIUS"), 0., 100., 1., 40.))), + expwavjz(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_JZWAVEXP")))), + contFramejz(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CONTWFRA")))), + sigmalcjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMAWAV"), 0.2, 2.5, 0.01, 1.))), + LocalcurveEditorwavjz(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_WAV"))), + wavshapejz(static_cast(LocalcurveEditorwavjz->addCurve(CT_Flat, "", nullptr, false, false))), + csThresholdjz(Gtk::manage(new ThresholdAdjuster(M("TP_LOCALLAB_CSTHRESHOLD"), 0, 9, 0, 0, 7, 4, 0, false))), + clariFramejz(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_CLARIFRA")))), + clarilresjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZCLARILRES"), -20., 100., 0.5, 0.))), + claricresjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZCLARICRES"), -20., 100., 0.5, 0.))), + clarisoftjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SOFTRADIUSCOL"), 0.0, 100.0, 0.5, 0.))), + + expcam16(Gtk::manage(new MyExpander(false, Gtk::manage(new Gtk::Box())))), + lightqcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGLIGHTQ"), -100., 100., 0.05, 0.))), + contlcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONTL"), -100., 100., 0.5, 0.))), + contqcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONQL"), -100., 100., 0.5, 0.))), + contthrescie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONTHRES"), -1., 1., 0.01, 0.))), + + logjzFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOGJZFRA")))), + logjz(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JZLOG")))), + blackEvjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_BLACK_EV"), -16.0, 0.0, 0.1, -5.0))), + whiteEvjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_WHITE_EV"), 0., 32.0, 0.1, 10.0))), + targetjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZTARGET_EV"), 4., 80.0, 0.1, 18.0))), + bevwevFrame(Gtk::manage(new Gtk::Frame(M("")))), + forcebw(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_BWFORCE")))), + + sigmoidFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SIGFRA")))), + sigmoidldacie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDLAMBDA"), 0., 1.0, 0.01, 0.))), + sigmoidthcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDTH"), 0.1, 4., 0.01, 1., Gtk::manage(new RTImage("circle-black-small.png")), Gtk::manage(new RTImage("circle-white-small.png"))))), + sigmoidblcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDBL"), 0.5, 1.5, 0.01, 1.))), + sigmoidqjcie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SIGMOIDQJ")))), + sigmoidjzFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SIGJZFRA")))), + sigjz(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SIGJZFRA")))), + sigmoidldajzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDLAMBDA"), 0., 1.0, 0.01, 0.5))), + sigmoidthjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDTH"), 0.1, 4., 0.01, 1., Gtk::manage(new RTImage("circle-black-small.png")), Gtk::manage(new RTImage("circle-white-small.png"))))), + sigmoidbljzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDBL"), 0.5, 1.5, 0.01, 1.))), + colorflcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCOLORFL"), -100., 100., 0.5, 0.))), + saturlcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SATURV"), -100., 100., 0.5, 0.))), + rstprotectcie(Gtk::manage(new Adjuster(M("TP_COLORAPP_RSTPRO"), 0., 100., 0.1, 0.))), + chromlcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CHROML"), -100., 100., 0.5, 0.))), + huecie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_HUECIE"), -100., 100., 0.1, 0.))), + cieCurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_CURVES_CIE"))), + toneMethodcie(Gtk::manage(new MyComboBoxText())), + shapecie(static_cast(cieCurveEditorG->addCurve(CT_Diagonal, "", toneMethodcie))), + cieCurveEditorG2(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_COLOR_CIE"))), + toneMethodcie2(Gtk::manage(new MyComboBoxText())), + shapecie2(static_cast(cieCurveEditorG2->addCurve(CT_Diagonal, "", toneMethodcie2))), + + chromjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZCHROM"), -100., 100., 0.5, 0.))), + saturjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZSAT"), -100., 100., 0.5, 0.))), + huejzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZHUECIE"), -100., 100., 0.1, 0.))), + jz1CurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, "", 1)), + shapejz(static_cast(jz1CurveEditorG->addCurve(CT_Diagonal, "Jz(J)"))), + shapecz(static_cast(jz1CurveEditorG->addCurve(CT_Diagonal, "Cz(C)"))), + + HFramejz(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_JZHFRA")))), + JzHFramejz(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_JZHJZFRA")))), + jz2CurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, "", 1)), + jz3CurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, "", 1)), + shapeczjz(static_cast(jz1CurveEditorG->addCurve(CT_Diagonal, "Cz(J)"))), + HHshapejz(static_cast(jz3CurveEditorG->addCurve(CT_Flat, "Hz(Hz)", nullptr, false, true))), + CHshapejz(static_cast(jz3CurveEditorG->addCurve(CT_Flat, "Cz(Hz)", nullptr, false, true))), + LHshapejz(static_cast(jz2CurveEditorG->addCurve(CT_Flat, "Jz(Hz)", nullptr, false, true))), + softjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZSOFTCIE"), 0., 100., 0.1, 0.))), + thrhjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZTHRHCIE"), 40., 150., 0.5, 60.))), + chjzcie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JZCH")))), + strsoftjzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZSTRSOFTCIE"), 0, 100., 0.5, 100.))), + +/* + ciezFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_ZCAMFRA")))), + + lightlzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGLIGHTL"), -100., 100., 0.5, 0.))), + lightqzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGLIGHTQ"), -100., 100., 0.05, 0.))), + contlzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONTL"), -100., 100., 0.5, 0.))), + contqzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONQL"), -100., 100., 0.5, 0.))), + contthreszcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_ZCAMTHRES"), 0., 1., 0.01, 0.))), + colorflzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCOLORFL"), -100., 100., 0.5, 0.))), + saturzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SATURV"), -100., 100., 0.5, 0.))), + chromzcam(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CHROML"), -100., 100., 0.5, 0.))), +*/ + expLcie(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_CIETOOLEXP")))), + cie2Frame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOG2FRA")))), + targetGraycie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_TARGET_GRAY"), 5.0, 80.0, 0.1, 18.0))), + targabscie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SOURCE_ABS"), 0.01, 16384.0, 0.01, 16.0))), + detailcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_DETAIL"), 0., 100., 0.1, 0.))), + catadcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CATAD"), -100., 100., 0.5, 0., Gtk::manage(new RTImage("circle-blue-small.png")), Gtk::manage(new RTImage("circle-orange-small.png"))))), + surroundcie(Gtk::manage (new MyComboBoxText ())), + surrHBoxcie(Gtk::manage(new Gtk::Box())), + exprecovcie(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), + maskusablecie(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), + maskunusablecie(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUNUSABLE")))), + recothrescie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKRECOTHRES"), 0., 2., 0.01, 1.))), + lowthrescie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHRLOW"), 1., 80., 0.5, 12.))), + higthrescie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKLCTHR"), 20., 99., 0.5, 85.))), + decaycie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_MASKDDECAY"), 0.5, 4., 0.1, 2.))), + expmaskcie(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_SHOWS")))), + showmaskcieMethod(Gtk::manage(new MyComboBoxText())), + enacieMask(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_ENABLE_MASK")))), +// maskSHCurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_MASK"))), + maskcieCurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, "", 1)), + CCmaskcieshape(static_cast(maskcieCurveEditorG->addCurve(CT_Flat, "C", nullptr, false, false))), + LLmaskcieshape(static_cast(maskcieCurveEditorG->addCurve(CT_Flat, "L", nullptr, false, false))), + HHmaskcieshape(static_cast(maskcieCurveEditorG->addCurve(CT_Flat, "LC(h)", nullptr, false, true))), + blendmaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_BLENDMASKCOL"), -100, 100, 1, 0))), + radmaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_RADMASKCOL"), 0.0, 100.0, 0.1, 0.))), + lapmaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LAPMASKCOL"), 0.0, 100.0, 0.1, 0.))), + chromaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CHROMASKCOL"), -100.0, 100.0, 0.1, 0.))), + gammaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_GAMMASKCOL"), 0.25, 4.0, 0.01, 1.))), + slomaskcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SLOMASKCOL"), 0.0, 15.0, 0.1, 0.))), + mask2cieCurveEditorG(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_MASK2"))), + Lmaskcieshape(static_cast(mask2cieCurveEditorG->addCurve(CT_Diagonal, "L(L)"))) + + + { + set_orientation(Gtk::ORIENTATION_VERTICAL); + + // Parameter Ciecam specific widgets + const LocallabParams::LocallabSpot defSpot; + reparcie->setAdjusterListener(this); + sensicie->setAdjusterListener(this); + + + pack_start(*sensicie); + pack_start(*reparcie); + modeHBoxcam->set_spacing (2); + //modeHBoxcam->set_tooltip_markup (M ("TP_LOCALLAB_CAMMODE_TOOLTIP")); + Gtk::Label* modeLabelcam = Gtk::manage (new Gtk::Label (M ("TP_LOCALLAB_CAMMODE") + ":")); + modeHBoxcam->pack_start (*modeLabelcam, Gtk::PACK_SHRINK); + modecam->append (M ("TP_LOCALLAB_CAMMODE_CAM16")); + modecam->append (M ("TP_LOCALLAB_CAMMODE_JZ")); + // modecam->append (M ("TP_LOCALLAB_CAMMODE_ALL")); +// modecam->append (M ("TP_LOCALLAB_CAMMODE_ZCAM")); + modecam->set_active (0); + modeHBoxcam->pack_start (*modecam); + modecamconn = modecam->signal_changed().connect ( sigc::mem_fun (*this, &Locallabcie::modecamChanged) ); + pack_start(*modeHBoxcam); + + modeHBoxcie->set_spacing (2); + modeHBoxcie->set_tooltip_markup (M ("TP_LOCALLAB_CIEMODE_TOOLTIP")); + Gtk::Label* modeLabel = Gtk::manage (new Gtk::Label (M ("TP_LOCALLAB_CIEMODE") + ":")); + modeHBoxcie->pack_start (*modeLabel, Gtk::PACK_SHRINK); + modecie->append (M ("TP_LOCALLAB_CIEMODE_COM")); + modecie->append (M ("TP_LOCALLAB_CIEMODE_TM")); + modecie->append (M ("TP_LOCALLAB_CIEMODE_WAV")); + modecie->append (M ("TP_LOCALLAB_CIEMODE_DR")); + modecie->append (M ("TP_LOCALLAB_CIEMODE_LOG")); + modecie->set_active (0); + modeHBoxcie->pack_start (*modecie); + modecieconn = modecie->signal_changed().connect ( sigc::mem_fun (*this, &Locallabcie::modecieChanged) ); + pack_start(*modeHBoxcie); + + surHBoxcie->set_spacing (2); + surHBoxcie->set_tooltip_markup (M ("TP_LOCALLAB_LOGSURSOUR_TOOLTIP")); + Gtk::Label* surLabel = Gtk::manage (new Gtk::Label (M ("TP_COLORAPP_SURROUND") + ":")); + surHBoxcie->pack_start (*surLabel, Gtk::PACK_SHRINK); + sursourcie->append (M ("TP_COLORAPP_SURROUND_AVER")); + sursourcie->append (M ("TP_COLORAPP_SURROUND_DIM")); + sursourcie->append (M ("TP_COLORAPP_SURROUND_DARK")); + sursourcie->set_active (0); + surHBoxcie->pack_start (*sursourcie); + sursourcieconn = sursourcie->signal_changed().connect ( sigc::mem_fun (*this, &Locallabcie::sursourcieChanged) ); + + cieFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const cieFBox = Gtk::manage(new ToolParamBlock()); + cieFBox->pack_start(*Autograycie); + cieFBox->pack_start(*sourceGraycie); + cieFBox->pack_start(*sourceabscie); + cieFBox->pack_start(*pqremapcam16); + PQFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const PQFBox = Gtk::manage(new ToolParamBlock()); + PQFBox->pack_start(*adapjzcie); + PQFBox->pack_start(*jz100); + PQFBox->pack_start(*pqremap); +// PQFBox->pack_start(*forcejz); +// PQFBox->pack_start(*contthreszcam); + PQFrame->add(*PQFBox); + cieFBox->pack_start (*PQFrame); + logjzFrame->set_label_align(0.025, 0.5); + logjzFrame->set_label_widget(*logjz); + // Gtk::Separator* const separatorjz = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)); + ToolParamBlock* const logjzBox = Gtk::manage(new ToolParamBlock()); + //logjzBox->pack_start(*blackEvjz); + // logjzBox->pack_start(*whiteEvjz); + // logjzBox->pack_start(*separatorjz); + logjzBox->pack_start(*targetjz); + logjzFrame->add(*logjzBox); + cieFBox->pack_start (*logjzFrame); + bevwevFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const bevwevBox = Gtk::manage(new ToolParamBlock()); + bevwevBox->pack_start(*blackEvjz); + bevwevBox->pack_start(*whiteEvjz); + bevwevFrame->add(*bevwevBox); + cieFBox->pack_start (*bevwevFrame); + + sigmoidjzFrame->set_label_align(0.025, 0.5); + sigmoidjzFrame->set_label_widget(*sigjz); + ToolParamBlock* const sigjzBox = Gtk::manage(new ToolParamBlock()); + sigjzBox->pack_start(*sigmoidldajzcie); + sigjzBox->pack_start(*sigmoidthjzcie); + sigjzBox->pack_start(*sigmoidbljzcie); + sigjzBox->pack_start(*forcebw); + sigmoidjzFrame->add(*sigjzBox); + + // jzBox->pack_start(*sigmoidjzFrame); + cieFBox->pack_start(*sigmoidjzFrame); + + cieFBox->pack_start (*surHBoxcie); + cieFrame->add(*cieFBox); + pack_start(*cieFrame); + + ToolParamBlock* const jzallBox = Gtk::manage(new ToolParamBlock()); + Gtk::Box *TittleVBoxjz; + TittleVBoxjz = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); + TittleVBoxjz->set_spacing(2); + Gtk::Box* const LCTitleHBoxjz = Gtk::manage(new Gtk::Box()); + Gtk::Label* const LCLabeljz = Gtk::manage(new Gtk::Label()); + LCLabeljz->set_markup(Glib::ustring("") + (M("TP_LOCALLAB_JZFRA")) + Glib::ustring("")); + LCTitleHBoxjz->pack_start(*LCLabeljz, Gtk::PACK_SHRINK); + TittleVBoxjz->pack_start(*LCTitleHBoxjz, Gtk::PACK_SHRINK); + expjz->setLabel(TittleVBoxjz); + + setExpandAlignProperties(expjz, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + float R, G, B; + std::vector six_shape; + for (int i = 0; i < 6; i++) { + const float x = static_cast(i) * (1.f / 6.f); + Color::hsv2rgb01(x, 0.5f, 0.5f, R, G, B); + six_shape.emplace_back(x, R, G, B); + } + std::vector milestone; + milestone.push_back ( GradientMilestone (0., 0., 0., 0.) ); + milestone.push_back ( GradientMilestone (1., 1., 1., 1.) ); + + jz1CurveEditorG->setCurveListener(this); + shapejz->setResetCurve(DiagonalCurveType(defSpot.jzcurve.at(0)), defSpot.jzcurve); + shapejz->setBottomBarBgGradient (milestone); + shapejz->setLeftBarBgGradient (milestone); + + shapecz->setResetCurve(DiagonalCurveType(defSpot.czcurve.at(0)), defSpot.czcurve); + + std::vector shapeczMilestones; +// float R, G, B; + shapecz->setBottomBarColorProvider (this, 1); + shapecz->setLeftBarColorProvider (this, 1); + shapecz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + + for (int i = 0; i < 7; i++) { + float x = float (i) * (1.0f / 6.f); + Color::hsv2rgb01 (x, 0.5f, 0.5f, R, G, B); + shapeczMilestones.push_back ( GradientMilestone (double (x), double (R), double (G), double (B)) ); + } + + shapecz->setBottomBarBgGradient (shapeczMilestones); + shapecz->setLeftBarBgGradient (shapeczMilestones); + shapecz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + + shapeczjz->setLeftBarColorProvider (this, 1); + shapeczjz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + shapeczjz->setResetCurve(DiagonalCurveType(defSpot.czjzcurve.at(0)), defSpot.czjzcurve); + shapeczjz->setBottomBarBgGradient (milestone); + shapeczjz->setLeftBarBgGradient (shapeczMilestones); + shapeczjz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + + + jz1CurveEditorG->curveListComplete(); +/* + jz2CurveEditorG->setCurveListener(this); + shapeczjz->setLeftBarColorProvider (this, 1); + shapeczjz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + shapeczjz->setResetCurve(DiagonalCurveType(defSpot.czjzcurve.at(0)), defSpot.czjzcurve); + shapeczjz->setBottomBarBgGradient (milestone); + shapeczjz->setLeftBarBgGradient (shapeczMilestones); + shapeczjz->setRangeDefaultMilestones (0.05, 0.2, 0.58); + jz2CurveEditorG->curveListComplete(); +*/ + jz2CurveEditorG->setCurveListener(this); + LHshapejz->setIdentityValue(0.); + LHshapejz->setResetCurve(FlatCurveType(defSpot.LHcurvejz.at(0)), defSpot.LHcurvejz); + LHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + LHshapejz->setCurveColorProvider(this, 3); + LHshapejz->setBottomBarBgGradient(six_shape); + jz2CurveEditorG->curveListComplete(); + + jz3CurveEditorG->setCurveListener(this); + + CHshapejz->setIdentityValue(0.); + CHshapejz->setResetCurve(FlatCurveType(defSpot.CHcurvejz.at(0)), defSpot.CHcurvejz); + CHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + CHshapejz->setCurveColorProvider(this, 3); + CHshapejz->setBottomBarBgGradient(six_shape); + + HHshapejz->setIdentityValue(0.); + HHshapejz->setResetCurve(FlatCurveType(defSpot.HHcurvejz.at(0)), defSpot.HHcurvejz); + HHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + HHshapejz->setCurveColorProvider(this, 3); + HHshapejz->setBottomBarBgGradient(six_shape); + + + jz3CurveEditorG->curveListComplete(); + + jzFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const jzBox = Gtk::manage(new ToolParamBlock()); + jzBox->pack_start(*qtoj); + czlightFrame->set_label_align(0.025, 0.5); + czcolorFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const ciePzlightBox = Gtk::manage(new ToolParamBlock()); + ciePzlightBox->pack_start(*lightjzcie); + ciePzlightBox->pack_start(*contjzcie); + czlightFrame->add(*ciePzlightBox); + jzBox->pack_start(*czlightFrame); + + ToolParamBlock* const ciePzcolorBox = Gtk::manage(new ToolParamBlock()); + ciePzcolorBox->pack_start(*chromjzcie); + ciePzcolorBox->pack_start(*saturjzcie); + ciePzcolorBox->pack_start(*huejzcie); + czcolorFrame->add(*ciePzcolorBox); + jzBox->pack_start(*czcolorFrame); + + jzBox->pack_start(*jz1CurveEditorG, Gtk::PACK_SHRINK, 4); + HFramejz->set_label_align(0.025, 0.5); + ToolParamBlock* const jzHHBox = Gtk::manage(new ToolParamBlock()); + JzHFramejz->set_label_align(0.025, 0.5); + ToolParamBlock* const jzHBox = Gtk::manage(new ToolParamBlock()); + + jzHBox->pack_start(*jz2CurveEditorG, Gtk::PACK_SHRINK, 4); // Padding is mandatory to correct behavior of curve editor + jzHBox->pack_start(*thrhjzcie); + JzHFramejz->add(*jzHBox); + jzHHBox->pack_start(*JzHFramejz); + + jzHHBox->pack_start(*jz3CurveEditorG, Gtk::PACK_SHRINK, 4); // jzBox->pack_start(*adapjzcie); + jzHHBox->pack_start(*softjzcie); + HFramejz->add(*jzHHBox); + jzBox->pack_start(*HFramejz); + /* + sigmoidjzFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const sigjzBox = Gtk::manage(new ToolParamBlock()); + sigjzBox->pack_start(*sigmoidldajzcie); + sigjzBox->pack_start(*sigmoidthjzcie); + sigjzBox->pack_start(*sigmoidbljzcie); + sigjzBox->pack_start(*jabcie); + sigmoidjzFrame->add(*sigjzBox); + + // jzBox->pack_start(*sigmoidjzFrame); + */ + jzshFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const jzshBox = Gtk::manage(new ToolParamBlock()); + jzshBox->pack_start(*hljzcie); + jzshBox->pack_start(*hlthjzcie); + jzshBox->pack_start(*shjzcie); + jzshBox->pack_start(*shthjzcie); + jzshBox->pack_start(*radjzcie); + jzshFrame->add(*jzshBox); + jzBox->pack_start(*jzshFrame); + + setExpandAlignProperties(expwavjz, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + contFramejz->set_label_align(0.025, 0.5); + + sigmalcjz->setAdjusterListener(this); + + LocalcurveEditorwavjz->setCurveListener(this); + wavshapejz->setIdentityValue(0.); + wavshapejz->setResetCurve(FlatCurveType(defSpot.locwavcurvejz.at(0)), defSpot.locwavcurvejz); + LocalcurveEditorwavjz->curveListComplete(); + csThresholdjz->setAdjusterListener(this); + + ToolParamBlock* const coBox2jz = Gtk::manage(new ToolParamBlock()); + coBox2jz->pack_start(*csThresholdjz); + ToolParamBlock* const coBoxjz = Gtk::manage(new ToolParamBlock()); + coBoxjz->pack_start(*sigmalcjz); + coBoxjz->pack_start(*LocalcurveEditorwavjz, Gtk::PACK_SHRINK, 4); // Padding is mandatory to correct behavior of curve editor + contFramejz->add(*coBoxjz); + coBox2jz->pack_start(*contFramejz); + + clarilresjz->setAdjusterListener(this); + claricresjz->setAdjusterListener(this); + clarisoftjz->setAdjusterListener(this); + + clariFramejz->set_label_align(0.025, 0.5); + ToolParamBlock* const coBox3jz = Gtk::manage(new ToolParamBlock()); + coBox3jz->pack_start(*clarilresjz); + coBox3jz->pack_start(*claricresjz); + coBox3jz->pack_start(*clarisoftjz); + clariFramejz->add(*coBox3jz); + coBox2jz->pack_start(*clariFramejz); + expwavjz->add(*coBox2jz, false); + + jzBox->pack_start(*expwavjz, false, false); + + jzallBox->add(*jzBox); + + expjz->add(*jzallBox, false); + + jabcieConn = jabcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::jabcieChanged)); + AutograycieConn = Autograycie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::AutograycieChanged)); + sigmoidqjcieconn = sigmoidqjcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::sigmoidqjcieChanged)); + logjzconn = logjz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::logjzChanged)); + sigjzconn = sigjz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::sigjzChanged)); + forcejzConn = forcejz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::forcejzChanged)); + qtojConn = qtoj->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::qtojChanged)); + chjzcieconn = chjzcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::chjzcieChanged)); + forcebwConn = forcebw->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::forcebwChanged)); + + sourceGraycie->setAdjusterListener(this); + sourceGraycie->setLogScale(10, 18, true); + + sourceabscie->setLogScale(500, 0); + + sourceabscie->setAdjusterListener(this); + setExpandAlignProperties(expLcie, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + saturlcie->setAdjusterListener(this); + + rstprotectcie->setAdjusterListener(this); + + chromlcie->setAdjusterListener(this); + huecie->setAdjusterListener(this); + + + cieCurveEditorG->setCurveListener(this); + toneMethodcie->append (M ("TP_COLORAPP_TCMODE_LIGHTNESS")); + toneMethodcie->append (M ("TP_COLORAPP_TCMODE_BRIGHTNESS")); + toneMethodcie->set_active (0); + toneMethodcieConn = toneMethodcie->signal_changed().connect(sigc::mem_fun(*this, &Locallabcie::toneMethodcieChanged)); + shapecie->setResetCurve(DiagonalCurveType(defSpot.ciecurve.at(0)), defSpot.ciecurve); + shapecie->setBottomBarBgGradient (milestone); + shapecie->setLeftBarBgGradient (milestone); + cieCurveEditorG->curveListComplete(); + + cieCurveEditorG2->setCurveListener(this); + toneMethodcie2->append (M ("TP_COLORAPP_TCMODE_CHROMA")); + toneMethodcie2->append (M ("TP_COLORAPP_TCMODE_SATUR")); + toneMethodcie2->append (M ("TP_COLORAPP_TCMODE_COLORF")); + toneMethodcie2->set_active (0); + toneMethodcieConn2 = toneMethodcie2->signal_changed().connect(sigc::mem_fun(*this, &Locallabcie::toneMethodcie2Changed)); + shapecie2->setResetCurve(DiagonalCurveType(defSpot.ciecurve2.at(0)), defSpot.ciecurve2); + shapecie2->setBottomBarColorProvider (this, 1); + shapecie2->setLeftBarColorProvider (this, 1); + shapecie2->setRangeDefaultMilestones (0.05, 0.2, 0.58); + + std::vector shape2Milestones; +// float R, G, B; + + for (int i = 0; i < 7; i++) { + float x = float (i) * (1.0f / 6.f); + Color::hsv2rgb01 (x, 0.5f, 0.5f, R, G, B); + shape2Milestones.push_back ( GradientMilestone (double (x), double (R), double (G), double (B)) ); + } + + shapecie2->setBottomBarBgGradient (shape2Milestones); + shapecie2->setLeftBarBgGradient (shape2Milestones); + + shapecie2->setRangeDefaultMilestones (0.05, 0.2, 0.58); + + cieCurveEditorG2->curveListComplete(); + + + chromjzcie->setAdjusterListener(this); + saturjzcie->setAdjusterListener(this); + huejzcie->setAdjusterListener(this); + softjzcie->setAdjusterListener(this); + thrhjzcie->setAdjusterListener(this); + strsoftjzcie->setAdjusterListener(this); + + lightlcie->setAdjusterListener(this); + lightjzcie->setAdjusterListener(this); + + lightqcie->setAdjusterListener(this); + contlcie->setAdjusterListener(this); + contjzcie->setAdjusterListener(this); + adapjzcie->setAdjusterListener(this); + jz100->setAdjusterListener(this); + pqremap->setAdjusterListener(this); + pqremapcam16->setAdjusterListener(this); + hljzcie->setAdjusterListener(this); + hlthjzcie->setAdjusterListener(this); + shjzcie->setAdjusterListener(this); + shthjzcie->setAdjusterListener(this); + radjzcie->setAdjusterListener(this); + contthrescie->setAdjusterListener(this); + blackEvjz->setLogScale(2, -8); + blackEvjz->setAdjusterListener(this); + whiteEvjz->setLogScale(16, 0); + whiteEvjz->setAdjusterListener(this); + targetjz->setAdjusterListener(this); + targetjz->setLogScale(10, 18, true); + sigmoidldacie->setAdjusterListener(this); + sigmoidthcie->setAdjusterListener(this); + sigmoidblcie->setAdjusterListener(this); + sigmoidldajzcie->setAdjusterListener(this); + sigmoidthjzcie->setAdjusterListener(this); + sigmoidbljzcie->setAdjusterListener(this); + + contqcie->setAdjusterListener(this); + colorflcie->setAdjusterListener(this); +/* + lightlzcam->setAdjusterListener(this); + lightqzcam->setAdjusterListener(this); + contlzcam->setAdjusterListener(this); + contqzcam->setAdjusterListener(this); + contthreszcam->setAdjusterListener(this); + colorflzcam->setAdjusterListener(this); + saturzcam->setAdjusterListener(this); + chromzcam->setAdjusterListener(this); +*/ + targetGraycie->setAdjusterListener(this); + targetGraycie->setLogScale(10, 18, true); + targabscie->setLogScale(500, 0); + + targabscie->setAdjusterListener(this); + + detailcie->setAdjusterListener(this); + + catadcie->setAdjusterListener(this); + + Gtk::Box *TittleVBoxcam16; + TittleVBoxcam16 = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); + TittleVBoxcam16->set_spacing(2); + Gtk::Box* const LCTitleHBoxcam16 = Gtk::manage(new Gtk::Box()); + Gtk::Label* const LCLabelcam16 = Gtk::manage(new Gtk::Label()); + LCLabelcam16->set_markup(Glib::ustring("") + (M("TP_LOCALLAB_CAM16_FRA")) + Glib::ustring("")); + LCTitleHBoxcam16->pack_start(*LCLabelcam16, Gtk::PACK_SHRINK); + TittleVBoxcam16->pack_start(*LCTitleHBoxcam16, Gtk::PACK_SHRINK); + expcam16->setLabel(TittleVBoxcam16); + + setExpandAlignProperties(expcam16, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + surrHBoxcie->set_spacing (2); + surrHBoxcie->set_tooltip_markup (M ("TP_COLORAPP_SURROUND_TOOLTIP")); + Gtk::Label* surrLabelcie = Gtk::manage (new Gtk::Label (M ("TP_COLORAPP_SURROUND") + ":")); + surrHBoxcie->pack_start (*surrLabelcie, Gtk::PACK_SHRINK); + surroundcie->append (M ("TP_COLORAPP_SURROUND_AVER")); + surroundcie->append (M ("TP_COLORAPP_SURROUND_DIM")); + surroundcie->append (M ("TP_COLORAPP_SURROUND_DARK")); +// surroundcie->append (M ("TP_COLORAPP_SURROUND_EXDARK")); + surroundcie->set_active (0); + surrHBoxcie->pack_start (*surroundcie); + surroundcieconn = surroundcie->signal_changed().connect ( sigc::mem_fun (*this, &Locallabcie::surroundcieChanged) ); + + cie1Frame->set_label_align(0.025, 0.5); + cie1lightFrame->set_label_align(0.025, 0.5); + cie1contFrame->set_label_align(0.025, 0.5); + cie1colorFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const cieP1Box = Gtk::manage(new ToolParamBlock()); + ToolParamBlock* const cieP1lightBox = Gtk::manage(new ToolParamBlock()); + cieP1lightBox->pack_start(*lightlcie); + cieP1lightBox->pack_start(*lightqcie); + cie1lightFrame->add(*cieP1lightBox); + cieP1Box->pack_start(*cie1lightFrame); + ToolParamBlock* const cieP1contBox = Gtk::manage(new ToolParamBlock()); + cieP1contBox->pack_start(*detailcie); + cieP1contBox->pack_start(*contlcie); + cieP1contBox->pack_start(*contqcie); + cieP1contBox->pack_start(*contthrescie); + cie1contFrame->add(*cieP1contBox); + cieP1Box->pack_start(*cie1contFrame); + ToolParamBlock* const cieP1colorBox = Gtk::manage(new ToolParamBlock()); + cieP1colorBox->pack_start(*chromlcie); + cieP1colorBox->pack_start(*saturlcie); + cieP1colorBox->pack_start(*colorflcie); + cieP1colorBox->pack_start(*huecie); + cieP1colorBox->pack_start(*rstprotectcie); + cie1colorFrame->add(*cieP1colorBox); + cieP1Box->pack_start(*cie1colorFrame); + // pack_start(*blackEvjz); + // pack_start(*whiteEvjz); + + sigmoidFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const sigBox = Gtk::manage(new ToolParamBlock()); + + sigBox->pack_start(*sigmoidldacie); + sigBox->pack_start(*sigmoidthcie); + sigBox->pack_start(*sigmoidblcie); + sigBox->pack_start(*sigmoidqjcie); + sigmoidFrame->add(*sigBox); + cieP1Box->pack_start(*sigmoidFrame); + ToolParamBlock* const cieP11Box = Gtk::manage(new ToolParamBlock()); + cieP11Box->pack_start(*cieCurveEditorG); + cieP11Box->pack_start(*cieCurveEditorG2); + expLcie->add(*cieP11Box, false); + cieP1Box->pack_start(*expLcie, false, false); + // cie1Frame->add(*cieP1Box); + // expcam16->pack_start(*cie1Frame); + expcam16->add(*cieP1Box, false); + + pack_start(*expcam16, false, false); + + pack_start(*expjz, false, false); +/* + ciezFrame->set_label_align(0.025, 0.5); + ToolParamBlock* const ciePzBox = Gtk::manage(new ToolParamBlock()); + ciePzBox->pack_start(*lightlzcam); + ciePzBox->pack_start(*lightqzcam); + ciePzBox->pack_start(*contlzcam); + ciePzBox->pack_start(*contqzcam); +// ciePzBox->pack_start(*contthreszcam); + ciePzBox->pack_start(*colorflzcam); + ciePzBox->pack_start(*saturzcam); + ciePzBox->pack_start(*chromzcam); + ciezFrame->add(*ciePzBox); + pack_start(*ciezFrame); +*/ + + cie2Frame->set_label_align(0.025, 0.5); + ToolParamBlock* const cieP2Box = Gtk::manage(new ToolParamBlock()); + cieP2Box->pack_start(*targetGraycie); + cieP2Box->pack_start(*targabscie); + cieP2Box->pack_start(*catadcie); + cieP2Box->pack_start(*surrHBoxcie); +// cieP2Box->pack_start(*detailcie); +// cieP2Box->pack_start(*jabcie); + + cie2Frame->add(*cieP2Box); + pack_start(*cie2Frame); + + recothrescie->setAdjusterListener(this); + lowthrescie->setAdjusterListener(this); + higthrescie->setAdjusterListener(this); + decaycie->setAdjusterListener(this); + setExpandAlignProperties(exprecovcie, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + + setExpandAlignProperties(expmaskcie, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_START); + + showmaskcieMethod->append(M("TP_LOCALLAB_SHOWMNONE")); + showmaskcieMethod->append(M("TP_LOCALLAB_SHOWMODIF")); + showmaskcieMethod->append(M("TP_LOCALLAB_SHOWMODIFMASK")); + showmaskcieMethod->append(M("TP_LOCALLAB_SHOWMASK")); + showmaskcieMethod->append(M("TP_LOCALLAB_SHOWREF")); + showmaskcieMethod->set_active(0); + showmaskcieMethod->set_tooltip_markup(M("TP_LOCALLAB_SHOWMASKCOL_TOOLTIP")); + showmaskcieMethodConn = showmaskcieMethod->signal_changed().connect(sigc::mem_fun(*this, &Locallabcie::showmaskcieMethodChanged)); + + enacieMaskConn = enacieMask->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::enacieMaskChanged)); + + maskcieCurveEditorG->setCurveListener(this); + CCmaskcieshape->setIdentityValue(0.); + CCmaskcieshape->setResetCurve(FlatCurveType(defSpot.CCmaskciecurve.at(0)), defSpot.CCmaskciecurve); + CCmaskcieshape->setBottomBarColorProvider(this, 1); + + LLmaskcieshape->setIdentityValue(0.); + LLmaskcieshape->setResetCurve(FlatCurveType(defSpot.LLmaskciecurve.at(0)), defSpot.LLmaskciecurve); + LLmaskcieshape->setBottomBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); + + HHmaskcieshape->setIdentityValue(0.); + HHmaskcieshape->setResetCurve(FlatCurveType(defSpot.HHmaskciecurve.at(0)), defSpot.HHmaskciecurve); + HHmaskcieshape->setCurveColorProvider(this, 2); + HHmaskcieshape->setBottomBarColorProvider(this, 2); + + maskcieCurveEditorG->curveListComplete(); + blendmaskcie->setAdjusterListener(this); + + radmaskcie->setAdjusterListener(this); + lapmaskcie->setAdjusterListener(this); + gammaskcie->setAdjusterListener(this); + slomaskcie->setAdjusterListener(this); + + chromaskcie->setAdjusterListener(this); + mask2cieCurveEditorG->setCurveListener(this); + + Lmaskcieshape->setResetCurve(DiagonalCurveType(defSpot.Lmaskciecurve.at(0)), defSpot.Lmaskciecurve); + Lmaskcieshape->setBottomBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); + Lmaskcieshape->setLeftBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); + + mask2cieCurveEditorG->curveListComplete(); + + ToolParamBlock* const cieBox3 = Gtk::manage(new ToolParamBlock()); + cieBox3->pack_start(*maskusablecie, Gtk::PACK_SHRINK, 0); + cieBox3->pack_start(*maskunusablecie, Gtk::PACK_SHRINK, 0); + cieBox3->pack_start(*recothrescie); + cieBox3->pack_start(*lowthrescie); + cieBox3->pack_start(*higthrescie); + cieBox3->pack_start(*decaycie); + exprecovcie->add(*cieBox3, false); + pack_start(*exprecovcie, false, false); + + ToolParamBlock* const maskcieBox = Gtk::manage(new ToolParamBlock()); + maskcieBox->pack_start(*showmaskcieMethod, Gtk::PACK_SHRINK, 4); + maskcieBox->pack_start(*enacieMask, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*maskcieCurveEditorG, Gtk::PACK_SHRINK, 4); // Padding is mandatory to correct behavior of curve editor + maskcieBox->pack_start(*blendmaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*radmaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*lapmaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*chromaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*gammaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*slomaskcie, Gtk::PACK_SHRINK, 0); + maskcieBox->pack_start(*mask2cieCurveEditorG, Gtk::PACK_SHRINK, 4); // Padding is mandatory to correct behavior of curve editor + expmaskcie->add(*maskcieBox, false); + pack_start(*expmaskcie, false, false); + + + + } +Locallabcie::~Locallabcie() +{ + delete jz1CurveEditorG; + delete jz2CurveEditorG; + delete jz3CurveEditorG; + delete cieCurveEditorG; + delete cieCurveEditorG2; + delete maskcieCurveEditorG; + delete mask2cieCurveEditorG; + delete LocalcurveEditorwavjz; + +} + +bool Locallabcie::isMaskViewActive() +{ + return ((showmaskcieMethod->get_active_row_number() != 0)); +} + +void Locallabcie::resetMaskView() +{ + showmaskcieMethodConn.block(true); + + showmaskcieMethod->set_active(0); + + showmaskcieMethodConn.block(false); +} + +void Locallabcie::getMaskView(int &colorMask, int &colorMaskinv, int &expMask, int &expMaskinv, int &shMask, int &shMaskinv, int &vibMask, int &softMask, int &blMask, int &tmMask, int &retiMask, int &sharMask, int &lcMask, int &cbMask, int &logMask, int &maskMask, int &cieMask) +{ + cieMask = showmaskcieMethod->get_active_row_number(); +} + +void Locallabcie::setDefaultExpanderVisibility() +{ + expLcie->set_expanded(false); + expjz->set_expanded(false); + expwavjz->set_expanded(false); + expcam16->set_expanded(false); + expmaskcie->set_expanded(false); + exprecovcie->set_expanded(false); +} +void Locallabcie::updateAdviceTooltips(const bool showTooltips) +{ + if (showTooltips) { + recothrescie->set_tooltip_text(M("TP_LOCALLAB_RECOTHRES02_TOOLTIP")); + reparcie->set_tooltip_text(M("TP_LOCALLAB_LOGREPART_TOOLTIP")); + cieFrame->set_tooltip_text(M("TP_LOCALLAB_LOGSCENE_TOOLTIP")); + PQFrame->set_tooltip_text(M("TP_LOCALLAB_JZPQFRA_TOOLTIP")); + qtoj->set_tooltip_text(M("TP_LOCALLAB_JZQTOJ_TOOLTIP")); + modecam->set_tooltip_text(M("TP_LOCALLAB_JZMODECAM_TOOLTIP")); + adapjzcie->set_tooltip_text(M("TP_LOCALLAB_JABADAP_TOOLTIP")); + jz100->set_tooltip_text(M("TP_LOCALLAB_JZ100_TOOLTIP")); + pqremap->set_tooltip_text(M("TP_LOCALLAB_JZPQREMAP_TOOLTIP")); + pqremapcam16->set_tooltip_text(M("TP_LOCALLAB_CAM16PQREMAP_TOOLTIP")); + Autograycie->set_tooltip_text(M("TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP")); + sigmalcjz->set_tooltip_text(M("TP_LOCALLAB_WAT_SIGMALC_TOOLTIP")); + logjzFrame->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); + blackEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); + whiteEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); + clariFramejz->set_tooltip_markup(M("TP_LOCALLAB_CLARIJZ_TOOLTIP")); + clarilresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP")); + claricresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP")); + clarisoftjz->set_tooltip_markup(M("TP_LOCALLAB_CLARISOFTJZ_TOOLTIP")); + wavshapejz->setTooltip(M("TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP")); + LocalcurveEditorwavjz->set_tooltip_markup(M("TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP")); + csThresholdjz->set_tooltip_markup(M("TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP")); + forcejz->set_tooltip_text(M("TP_LOCALLAB_JZFORCE_TOOLTIP")); + sourceGraycie->set_tooltip_text(M("TP_LOCALLAB_JZLOGYBOUT_TOOLTIP")); + sourceabscie->set_tooltip_text(M("TP_COLORAPP_ADAPSCEN_TOOLTIP")); + cie1Frame->set_tooltip_text(M("TP_LOCALLAB_LOGIMAGE_TOOLTIP")); + sigmoidFrame->set_tooltip_text(M("TP_LOCALLAB_SIGMOID_TOOLTIP")); + contlcie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTL_TOOLTIP")); + contqcie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTQ_TOOLTIP")); + contthrescie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTTHRES_TOOLTIP")); + colorflcie->set_tooltip_text(M("TP_LOCALLAB_LOGCOLORF_TOOLTIP")); + lightlcie->set_tooltip_text(M("TP_LOCALLAB_LOGLIGHTL_TOOLTIP")); + lightqcie->set_tooltip_text(M("TP_LOCALLAB_LOGLIGHTQ_TOOLTIP")); + saturlcie->set_tooltip_text(M("TP_LOCALLAB_LOGSATURL_TOOLTIP")); + rstprotectcie->set_tooltip_text(M("TP_LOCALLAB_RSTPROTECT_TOOLTIP")); + chromlcie->set_tooltip_text(M("TP_COLORAPP_CHROMA_TOOLTIP")); + targabscie->set_tooltip_text(M("TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP")); + targetGraycie->set_tooltip_text(M("TP_COLORAPP_YBOUT_TOOLTIP")); + detailcie->set_tooltip_text(M("TP_LOCALLAB_LOGDETAIL_TOOLTIP")); + catadcie->set_tooltip_text(M("TP_LOCALLAB_LOGCATAD_TOOLTIP")); + cie2Frame->set_tooltip_text(M("TP_LOCALLAB_LOGVIEWING_TOOLTIP")); + sensicie->set_tooltip_text(M("TP_LOCALLAB_SENSI_TOOLTIP")); + CCmaskcieshape->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP")); + LLmaskcieshape->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP")); + HHmaskcieshape->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP")); + expmaskcie->set_tooltip_markup(M("TP_LOCALLAB_MASK_TOOLTIP")); + blendmaskcie->set_tooltip_text(M("TP_LOCALLAB_BLENDMASK_TOOLTIP")); + radmaskcie->set_tooltip_text(M("TP_LOCALLAB_LAPRAD_TOOLTIP")); + mask2cieCurveEditorG->set_tooltip_text(M("TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP")); + Lmaskcieshape->setTooltip(M("TP_LOCALLAB_LMASK_LL_TOOLTIP")); + exprecovcie->set_tooltip_markup(M("TP_LOCALLAB_MASKRESH_TOOLTIP")); + + + } else { + reparcie->set_tooltip_text(""); + recothrescie->set_tooltip_text(""); + cieFrame->set_tooltip_text(""); + PQFrame->set_tooltip_text(""); + modecam->set_tooltip_text(""); + qtoj->set_tooltip_text(""); + jabcie->set_tooltip_text(""); + adapjzcie->set_tooltip_text(""); + jz100->set_tooltip_text(""); + logjzFrame->set_tooltip_text(""); + blackEvjz->set_tooltip_text(""); + whiteEvjz->set_tooltip_text(""); + pqremap->set_tooltip_text(""); + pqremapcam16->set_tooltip_text(""); + Autograycie->set_tooltip_text(""); + forcejz->set_tooltip_text(""); + sourceGraycie->set_tooltip_text(""); + sourceabscie->set_tooltip_text(""); + cie1Frame->set_tooltip_text(""); + sigmoidFrame->set_tooltip_text(""); + contlcie->set_tooltip_text(""); + contqcie->set_tooltip_text(""); + contthrescie->set_tooltip_text(""); + colorflcie->set_tooltip_text(""); + lightlcie->set_tooltip_text(""); + lightqcie->set_tooltip_text(""); + saturlcie->set_tooltip_text(""); + rstprotectcie->set_tooltip_text(""); + chromlcie->set_tooltip_text(""); + targabscie->set_tooltip_text(""); + targetGraycie->set_tooltip_text(""); + detailcie->set_tooltip_text(""); + catadcie->set_tooltip_text(""); + cie2Frame->set_tooltip_text(""); + sensicie->set_tooltip_text(""); + CCmaskcieshape->setTooltip(""); + LLmaskcieshape->setTooltip(""); + HHmaskcieshape->setTooltip(""); + expmaskcie->set_tooltip_markup(""); + blendmaskcie->set_tooltip_text(""); + radmaskcie->set_tooltip_text(""); + mask2cieCurveEditorG->set_tooltip_text(""); + Lmaskcieshape->setTooltip(""); + exprecovcie->set_tooltip_markup(""); + sigmalcjz->set_tooltip_text(""); + clarilresjz->set_tooltip_text(""); + claricresjz->set_tooltip_text(""); + clarisoftjz->set_tooltip_markup(""); + clariFramejz->set_tooltip_markup(""); + wavshapejz->setTooltip(""); + LocalcurveEditorwavjz->set_tooltip_markup(""); + csThresholdjz->set_tooltip_markup(""); + + } +} +void Locallabcie::disableListener() +{ + LocallabTool::disableListener(); + AutograycieConn.block(true); + forcejzConn.block(true); + forcebwConn.block(true); + qtojConn.block(true); + jabcieConn.block(true); + sigmoidqjcieconn.block(true); + logjzconn.block(true); + sigjzconn.block(true); + chjzcieconn.block(true); + sursourcieconn.block (true); + surroundcieconn.block (true); + modecieconn.block (true); + modecamconn.block (true); + toneMethodcieConn.block(true); + toneMethodcieConn2.block(true); + showmaskcieMethodConn.block(true); + enacieMaskConn.block(true); +} + +void Locallabcie::enableListener() +{ + LocallabTool::enableListener(); + AutograycieConn.block(false); + forcejzConn.block(false); + forcebwConn.block(false); + qtojConn.block(false); + jabcieConn.block(false); + sigmoidqjcieconn.block(false); + logjzconn.block(false); + sigjzconn.block(false); + chjzcieconn.block(false); + sursourcieconn.block (false); + surroundcieconn.block (false); + modecieconn.block (false); + modecamconn.block (false); + toneMethodcieConn.block(false); + toneMethodcieConn2.block(false); + showmaskcieMethodConn.block(false); + enacieMaskConn.block(false); +} + +void Locallabcie::showmaskcieMethodChanged() +{ + // If mask preview is activated, deactivate other Shadow highlight mask preview + + // If mask preview is activated, deactivate all other tool mask preview + if (locToolListener) { + locToolListener->resetOtherMaskView(this); + } + + if(exp->getEnabled()) { + if (listener) { + listener->panelChanged(EvlocallabshowmaskMethod, ""); + } + } +} + + + +void Locallabcie::enacieMaskChanged() +{ + if (enacieMask->get_active()) { + maskusablecie->show(); + maskunusablecie->hide(); + + } else { + maskusablecie->hide(); + maskunusablecie->show(); + } + + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (enacieMask->get_active()) { + listener->panelChanged(EvLocallabEnacieMask, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(EvLocallabEnacieMask, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::read(const rtengine::procparams::ProcParams* pp, const ParamsEdited* pedited) +{ + disableListener(); + + // Update GUI to selected spot value + const int index = pp->locallab.selspot; + + if (index < (int)pp->locallab.spots.size()) { + const LocallabParams::LocallabSpot& spot = pp->locallab.spots.at(index); + + exp->set_visible(spot.visicie); + exp->setEnabled(spot.expcie); + complexity->set_active(spot.complexcie); + + reparcie->setValue(spot.reparcie); + sensicie->setValue(spot.sensicie); + + if (spot.modecam == "cam16") { + modecam->set_active (0); + } else if (spot.modecam == "jz") { + modecam->set_active (1); +// } else if (spot.modecam == "all") { +// modecam->set_active (2); +// } else if (spot.modecam == "zcam") { +// modecam->set_active (3); + } + + if (spot.modecie == "com") { + modecie->set_active (0); + } else if (spot.modecie == "tm") { + modecie->set_active (1); + } else if (spot.modecie == "wav") { + modecie->set_active (2); + } else if (spot.modecie == "dr") { + modecie->set_active (3); + } else if (spot.modecie == "log") { + modecie->set_active (4); + } + + if (spot.toneMethodcie == "one") { + toneMethodcie->set_active(0); + } else if (spot.toneMethodcie == "two") { + toneMethodcie->set_active(1); + } + + if (spot.toneMethodcie2 == "onec") { + toneMethodcie2->set_active(0); + } else if (spot.toneMethodcie2 == "twoc") { + toneMethodcie2->set_active(1); + } else if (spot.toneMethodcie2 == "thrc") { + toneMethodcie2->set_active(2); + } + + Autograycie->set_active(spot.Autograycie); + forcejz->set_active(spot.forcejz); + forcebw->set_active(spot.forcebw); + qtoj->set_active(spot.qtoj); + sourceGraycie->setValue(spot.sourceGraycie); + sigmoidqjcie->set_active(spot.sigmoidqjcie); + logjz->set_active(spot.logjz); + sigjz->set_active(spot.sigjz); + // chjzcie->set_active(spot.chjzcie); + chjzcie->set_active(true);//force to true to avoid other mode + sourceabscie->setValue(spot.sourceabscie); + jabcie->set_active(spot.jabcie); + jabcieChanged(); + modecamChanged(); + if (spot.sursourcie == "Average") { + sursourcie->set_active (0); + } else if (spot.sursourcie == "Dim") { + sursourcie->set_active (1); + } else if (spot.sursourcie == "Dark") { + sursourcie->set_active (2); + } + + if (spot.surroundcie == "Average") { + surroundcie->set_active (0); + } else if (spot.surroundcie == "Dim") { + surroundcie->set_active (1); + } else if (spot.surroundcie == "Dark") { + surroundcie->set_active (2); +// } else if (spot.surroundcie == "ExtremelyDark") { +// surroundcie->set_active (3); + } + shapecie->setCurve(spot.ciecurve); + shapecie2->setCurve(spot.ciecurve2); + + shapejz->setCurve(spot.jzcurve); + shapecz->setCurve(spot.czcurve); + shapeczjz->setCurve(spot.czjzcurve); + HHshapejz->setCurve(spot.HHcurvejz); + CHshapejz->setCurve(spot.CHcurvejz); + LHshapejz->setCurve(spot.LHcurvejz); + + saturlcie->setValue(spot.saturlcie); + rstprotectcie->setValue(spot.rstprotectcie); + chromlcie->setValue(spot.chromlcie); + huecie->setValue(spot.huecie); + chromjzcie->setValue(spot.chromjzcie); + saturjzcie->setValue(spot.saturjzcie); + huejzcie->setValue(spot.huejzcie); + softjzcie->setValue(spot.softjzcie); + strsoftjzcie->setValue(spot.strsoftjzcie); + thrhjzcie->setValue(spot.thrhjzcie); + lightlcie->setValue(spot.lightlcie); + lightjzcie->setValue(spot.lightjzcie); + lightqcie->setValue(spot.lightqcie); + contlcie->setValue(spot.contlcie); + contjzcie->setValue(spot.contjzcie); + adapjzcie->setValue(spot.adapjzcie); + jz100->setValue(spot.jz100); + pqremap->setValue(spot.pqremap); + pqremapcam16->setValue(spot.pqremapcam16); + hljzcie->setValue(spot.hljzcie); + hlthjzcie->setValue(spot.hlthjzcie); + shjzcie->setValue(spot.shjzcie); + shthjzcie->setValue(spot.shthjzcie); + radjzcie->setValue(spot.radjzcie); + sigmalcjz->setValue(spot.sigmalcjz); + wavshapejz->setCurve(spot.locwavcurvejz); + csThresholdjz->setValue(spot.csthresholdjz); + clarilresjz->setValue(spot.clarilresjz); + claricresjz->setValue(spot.claricresjz); + clarisoftjz->setValue(spot.clarisoftjz); + contthrescie->setValue(spot.contthrescie); + blackEvjz->setValue(spot.blackEvjz); + whiteEvjz->setValue(spot.whiteEvjz); + targetjz->setValue(spot.targetjz); + sigmoidldacie->setValue(spot.sigmoidldacie); + sigmoidthcie->setValue(spot.sigmoidthcie); + sigmoidblcie->setValue(spot.sigmoidblcie); + sigmoidldajzcie->setValue(spot.sigmoidldajzcie); + sigmoidthjzcie->setValue(spot.sigmoidthjzcie); + sigmoidbljzcie->setValue(spot.sigmoidbljzcie); + contqcie->setValue(spot.contqcie); + colorflcie->setValue(spot.colorflcie); + targabscie->setValue(spot.targabscie); + targetGraycie->setValue(spot.targetGraycie); + detailcie->setValue(spot.detailcie); + catadcie->setValue(spot.catadcie); +/* + lightlzcam->setValue(spot.lightlzcam); + lightqzcam->setValue(spot.lightqzcam); + contlzcam->setValue(spot.contlzcam); + contqzcam->setValue(spot.contqzcam); + contthreszcam->setValue(spot.contthreszcam); + colorflzcam->setValue(spot.colorflzcam); + saturzcam->setValue(spot.saturzcam); + chromzcam->setValue(spot.chromzcam); +*/ + enacieMask->set_active(spot.enacieMask); + CCmaskcieshape->setCurve(spot.CCmaskciecurve); + LLmaskcieshape->setCurve(spot.LLmaskciecurve); + HHmaskcieshape->setCurve(spot.HHmaskciecurve); + blendmaskcie->setValue((double)spot.blendmaskcie); + radmaskcie->setValue(spot.radmaskcie); + chromaskcie->setValue(spot.chromaskcie); + lapmaskcie->setValue(spot.lapmaskcie); + gammaskcie->setValue(spot.gammaskcie); + slomaskcie->setValue(spot.slomaskcie); + Lmaskcieshape->setCurve(spot.Lmaskciecurve); + recothrescie->setValue((double)spot.recothrescie); + lowthrescie->setValue((double)spot.lowthrescie); + higthrescie->setValue((double)spot.higthrescie); + decaycie->setValue((double)spot.decaycie); + + + } + enableListener(); + // Update GUI according to complexity mode + updateGUIToMode(static_cast(complexity->get_active_row_number())); + // Update Ciecam GUI + updatecieGUI(); +} + +void Locallabcie::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited) +{ + const int index = pp->locallab.selspot; + + if (index < (int)pp->locallab.spots.size()) { + LocallabParams::LocallabSpot& spot = pp->locallab.spots.at(index); + spot.expcie = exp->getEnabled(); + spot.visicie = exp->get_visible(); + spot.complexcie = complexity->get_active_row_number(); + + spot.reparcie = reparcie->getValue(); + spot.sensicie = sensicie->getIntValue(); + + if (modecam->get_active_row_number() == 0) { + spot.modecam = "cam16"; + } else if (modecam->get_active_row_number() == 1) { + spot.modecam = "jz"; +// } else if (modecam->get_active_row_number() == 2) { +// spot.modecam = "all"; +// } else if (modecam->get_active_row_number() == 3) { +// spot.modecam = "zcam"; + } + + if (modecie->get_active_row_number() == 0) { + spot.modecie = "com"; + } else if (modecie->get_active_row_number() == 1) { + spot.modecie = "tm"; + } else if (modecie->get_active_row_number() == 2) { + spot.modecie = "wav"; + } else if (modecie->get_active_row_number() == 3) { + spot.modecie = "dr"; + } else if (modecie->get_active_row_number() == 4) { + spot.modecie = "log"; + } + + if (toneMethodcie->get_active_row_number() == 0) { + spot.toneMethodcie = "one"; + } else if (toneMethodcie->get_active_row_number() == 1) { + spot.toneMethodcie = "two"; + } + + if (toneMethodcie2->get_active_row_number() == 0) { + spot.toneMethodcie2 = "onec"; + } else if (toneMethodcie2->get_active_row_number() == 1) { + spot.toneMethodcie2 = "twoc"; + } else if (toneMethodcie2->get_active_row_number() == 2) { + spot.toneMethodcie2 = "thrc"; + } + + spot.Autograycie = Autograycie->get_active(); + spot.forcejz = forcejz->get_active(); + spot.forcebw = forcebw->get_active(); + spot.qtoj = qtoj->get_active(); + spot.jabcie = jabcie->get_active(); + spot.sourceGraycie = sourceGraycie->getValue(); + spot.sourceabscie = sourceabscie->getValue(); + spot.sigmoidqjcie = sigmoidqjcie->get_active(); + spot.logjz = logjz->get_active(); + spot.sigjz = sigjz->get_active(); + spot.chjzcie = chjzcie->get_active(); + + if(sursourcie->get_active_row_number() == 0) { + spot.sursourcie = "Average"; + } else if (sursourcie->get_active_row_number() == 1) { + spot.sursourcie = "Dim"; + } else if (sursourcie->get_active_row_number() == 2) { + spot.sursourcie = "Dark"; + } + + if (surroundcie->get_active_row_number() == 0) { + spot.surroundcie = "Average"; + } else if (surroundcie->get_active_row_number() == 1) { + spot.surroundcie = "Dim"; + } else if (surroundcie->get_active_row_number() == 2) { + spot.surroundcie = "Dark"; +// } else if (surroundcie->get_active_row_number() == 3) { +// spot.surroundcie = "ExtremelyDark"; + } + spot.jzcurve = shapejz->getCurve(); + spot.czcurve = shapecz->getCurve(); + spot.czjzcurve = shapeczjz->getCurve(); + spot.HHcurvejz = HHshapejz->getCurve(); + spot.CHcurvejz = CHshapejz->getCurve(); + spot.LHcurvejz = LHshapejz->getCurve(); + spot.ciecurve = shapecie->getCurve(); + spot.ciecurve2 = shapecie2->getCurve(); + + spot.saturlcie = saturlcie->getValue(); + spot.rstprotectcie = rstprotectcie->getValue(); + spot.chromlcie = chromlcie->getValue(); + spot.huejzcie = huejzcie->getValue(); + spot.softjzcie = softjzcie->getValue(); + spot.strsoftjzcie = strsoftjzcie->getValue(); + spot.thrhjzcie = thrhjzcie->getValue(); + spot.chromjzcie = chromjzcie->getValue(); + spot.saturjzcie = saturjzcie->getValue(); + spot.huecie = huecie->getValue(); + spot.lightlcie = lightlcie->getValue(); + spot.lightjzcie = lightjzcie->getValue(); + spot.lightqcie = lightqcie->getValue(); + spot.contlcie = contlcie->getValue(); + spot.contjzcie = contjzcie->getValue(); + spot.adapjzcie = adapjzcie->getValue(); + spot.jz100 = jz100->getValue(); + spot.pqremap = pqremap->getValue(); + spot.pqremapcam16 = pqremapcam16->getValue(); + spot.hljzcie = hljzcie->getValue(); + spot.hlthjzcie = hlthjzcie->getValue(); + spot.shjzcie = shjzcie->getValue(); + spot.shthjzcie = shthjzcie->getValue(); + spot.radjzcie = radjzcie->getValue(); + spot.sigmalcjz = sigmalcjz->getValue(); + spot.locwavcurvejz = wavshapejz->getCurve(); + spot.csthresholdjz = csThresholdjz->getValue(); + spot.clarilresjz = clarilresjz->getValue(); + spot.claricresjz = claricresjz->getValue(); + spot.clarisoftjz = clarisoftjz->getValue(); + spot.contthrescie = contthrescie->getValue(); + spot.blackEvjz = blackEvjz->getValue(); + spot.whiteEvjz = whiteEvjz->getValue(); + spot.targetjz = targetjz->getValue(); + spot.sigmoidldacie = sigmoidldacie->getValue(); + spot.sigmoidthcie = sigmoidthcie->getValue(); + spot.sigmoidblcie = sigmoidblcie->getValue(); + spot.sigmoidldajzcie = sigmoidldajzcie->getValue(); + spot.sigmoidthjzcie = sigmoidthjzcie->getValue(); + spot.sigmoidbljzcie = sigmoidbljzcie->getValue(); + spot.contqcie = contqcie->getValue(); + spot.colorflcie = colorflcie->getValue(); + spot.targabscie = targabscie->getValue(); + spot.targetGraycie = targetGraycie->getValue(); + spot.catadcie = catadcie->getValue(); + spot.detailcie = detailcie->getValue(); +/* + spot.lightlzcam = lightlzcam->getValue(); + spot.lightqzcam = lightqzcam->getValue(); + spot.contlzcam = contlzcam->getValue(); + spot.contqzcam = contqzcam->getValue(); + spot.contthreszcam = contthreszcam->getValue(); + spot.colorflzcam = colorflzcam->getValue(); + spot.saturzcam = saturzcam->getValue(); + spot.chromzcam = chromzcam->getValue(); +*/ + spot.enacieMask = enacieMask->get_active(); + spot.LLmaskciecurve = LLmaskcieshape->getCurve(); + spot.CCmaskciecurve = CCmaskcieshape->getCurve(); + spot.HHmaskciecurve = HHmaskcieshape->getCurve(); + spot.blendmaskcie = blendmaskcie->getIntValue(); + spot.radmaskcie = radmaskcie->getValue(); + spot.chromaskcie = chromaskcie->getValue(); + spot.lapmaskcie = lapmaskcie->getValue(); + spot.gammaskcie = gammaskcie->getValue(); + spot.slomaskcie = slomaskcie->getValue(); + spot.Lmaskciecurve = Lmaskcieshape->getCurve(); + spot.recothrescie = recothrescie->getValue(); + spot.lowthrescie = lowthrescie->getValue(); + spot.higthrescie = higthrescie->getValue(); + spot.decaycie = decaycie->getValue(); + + } +} + +void Locallabcie::toneMethodcieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + listener->panelChanged(EvLocallabtoneMethodcie, + toneMethodcie->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + +void Locallabcie::toneMethodcie2Changed() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + listener->panelChanged(EvLocallabtoneMethodcie2, + toneMethodcie2->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + + +void Locallabcie::updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) +{ + idle_register.add( + [this, normHuerjz, normHuer, normLumar, normChromar]() -> bool { + GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected + + // Update mask background + HHshapejz->updateLocallabBackground(normHuerjz); + CHshapejz->updateLocallabBackground(normHuerjz); + LHshapejz->updateLocallabBackground(normHuerjz); + shapejz->updateLocallabBackground(normLumar); + shapecz->updateLocallabBackground(normChromar); + shapeczjz->updateLocallabBackground(normLumar); + shapecie->updateLocallabBackground(normLumar); + shapecie2->updateLocallabBackground(normChromar); + CCmaskcieshape->updateLocallabBackground(normChromar); + LLmaskcieshape->updateLocallabBackground(normLumar); + HHmaskcieshape->updateLocallabBackground(normHuer); + Lmaskcieshape->updateLocallabBackground(normLumar); + + return false; + } + ); +} + + +void Locallabcie::updateAutocompute(const float blackev, const float whiteev, const float sourceg, const float sourceab, const float targetg, const float jz1) +{ + + if (Autograycie->get_active()) { + idle_register.add( + [this, blackev, whiteev, sourceg, sourceab, targetg, jz1]() -> bool { + GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected + + // Update adjuster values according to autocomputed ones + disableListener(); + blackEvjz->setValue(blackev); + whiteEvjz->setValue(whiteev); + sourceGraycie->setValue(sourceg); + sourceabscie->setValue(sourceab); + float sour = std::min((double) sourceab, 10000.) / 10000.f; + float pal = std::max(10. * (double) sqrt(sour), 1.5); + adapjzcie->setValue(pal);//max = 10 and min 1.5 + jz100->setValue(jz1); + enableListener(); + + return false; + } + ); + } +} + + + +void Locallabcie::AutograycieChanged() +{ + + if (Autograycie->get_active()) { + sourceGraycie->set_sensitive(false); + sourceabscie->set_sensitive(false); + adapjzcie->set_sensitive(false); + jz100->set_sensitive(false); + blackEvjz->set_sensitive(false); + whiteEvjz->set_sensitive(false); + } else { + sourceGraycie->set_sensitive(true); + sourceabscie->set_sensitive(true); + adapjzcie->set_sensitive(true); + jz100->set_sensitive(true); + blackEvjz->set_sensitive(true); + whiteEvjz->set_sensitive(true); + // adapjzcie->set_sensitive(false); + // jz100->set_sensitive(false); + } + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (Autograycie->get_active()) { + listener->panelChanged(EvlocallabAutograycie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(EvlocallabAutograycie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::forcejzChanged() +{ + + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (forcejz->get_active()) { + listener->panelChanged(Evlocallabforcejz, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabforcejz, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::forcebwChanged() +{ + + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (forcebw->get_active()) { + listener->panelChanged(Evlocallabforcebw, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabforcebw, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::qtojChanged() +{ + + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (qtoj->get_active()) { + listener->panelChanged(Evlocallabqtoj, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabqtoj, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::jabcieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (jabcie->get_active()) { + listener->panelChanged(Evlocallabjabcie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabjabcie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::sigmoidqjcieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (sigmoidqjcie->get_active()) { + listener->panelChanged(Evlocallabsigmoidqjcie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabsigmoidqjcie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::logjzChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (logjz->get_active()) { + listener->panelChanged(Evlocallablogjz, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallablogjz, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::sigjzChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (sigjz->get_active()) { + listener->panelChanged(Evlocallabsigjz, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabsigjz, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::chjzcieChanged() +{ + if (chjzcie->get_active()) { + thrhjzcie->set_sensitive(true); + } else { + thrhjzcie->set_sensitive(false); + } + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (chjzcie->get_active()) { + listener->panelChanged(Evlocallabchjzcie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabchjzcie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + +void Locallabcie::modecamChanged() +{ + const int mode = complexity->get_active_row_number(); + + if (modecam->get_active_row_number() == 1 || modecam->get_active_row_number() == 2) { + expjz->show(); + jzFrame->show(); + adapjzcie->show(); + jz100->show(); + pqremap->show(); + jabcie->show(); + PQFrame->show(); + logjzFrame->show(); + bevwevFrame->show(); + sigmoidjzFrame->show(); + forcejz->hide(); + + } else { + expjz->hide(); + jzFrame->hide(); + adapjzcie->hide(); + jz100->hide(); + pqremap->hide(); + pqremapcam16->show(); + jabcie->hide(); + PQFrame->hide(); + logjzFrame->hide(); + bevwevFrame->hide(); + sigmoidjzFrame->hide(); + forcejz->hide(); + catadcie->show(); + } + surHBoxcie->show(); + cie1Frame->show(); + expcam16->show(); + cie2Frame->show(); + sourceGraycie->show(); + cieFrame->show(); + + if (modecam->get_active_row_number() == 1) { + surHBoxcie->show(); + cie1Frame->hide(); + expcam16->hide(); + targetGraycie->hide(); + targabscie->hide(); + surrHBoxcie->hide(); + forcejz->hide(); + pqremapcam16->hide(); + catadcie->hide(); + cie2Frame->hide(); + exprecovcie->hide(); + expmaskcie->hide(); + if(mode == Expert) { + exprecovcie->show(); + expmaskcie->show(); + } + + } + if (modecam->get_active_row_number() == 3) { + if(mode == Expert) { + cieFrame->show(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->show(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + PQFrame->show(); + logjzFrame->show(); + adapjzcie->hide(); + jz100->hide(); + forcejz->hide(); + pqremap->show(); + pqremapcam16->hide(); + catadcie->hide(); + cie2Frame->hide(); + + } else { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + catadcie->hide(); + cie2Frame->hide(); + + } + } + + if(mode != Expert) { + expjz->hide(); + jzFrame->hide(); + adapjzcie->hide(); + jz100->hide(); + pqremap->show(); + jabcie->hide(); + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + forcejz->hide(); + pqremapcam16->show(); + catadcie->show(); + sourceGraycie->show(); + + if (modecam->get_active_row_number() == 1 || modecam->get_active_row_number() == 3) { + pqremapcam16->hide(); + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + catadcie->hide(); + cie2Frame->hide(); + } + } else { + cieFrame->show(); + cie2Frame->show(); + if (modecam->get_active_row_number() == 1) { + targetGraycie->hide(); + targabscie->hide(); + surrHBoxcie->hide(); + forcejz->hide(); + pqremapcam16->hide(); + PQFrame->show(); + logjzFrame->show(); + sigmoidjzFrame->show(); + bevwevFrame->show(); + catadcie->hide(); + cie2Frame->hide(); + if (chjzcie->get_active()) { + thrhjzcie->set_sensitive(true); + } else { + thrhjzcie->set_sensitive(false); + } + + + } + if (modecam->get_active_row_number() == 3) { + cieFrame->show(); + cie2Frame->show(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + PQFrame->show(); + logjzFrame->show(); + adapjzcie->hide(); + jz100->hide(); + forcejz->hide(); + pqremap->show(); + pqremapcam16->hide(); + catadcie->hide(); + cie2Frame->hide(); + } + + } + if (modecam->get_active_row_number() == 0 || modecam->get_active_row_number() == 2) { + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + cie2Frame->show(); + pqremapcam16->show(); + } + + + + if (isLocActivated && exp->getEnabled()) { + + if (listener) { + listener->panelChanged(Evlocallabmodecam, + modecam->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + + +void Locallabcie::modecieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + + const int mode = complexity->get_active_row_number(); + exprecovcie->show(); + expmaskcie->show(); + + if (modecie->get_active_row_number() > 0) { + sensicie->hide(); + reparcie->hide(); + exprecovcie->hide(); + expmaskcie->hide(); + + } else { + sensicie->show(); + reparcie->show(); + if(mode == Expert) { + exprecovcie->show(); + expmaskcie->show(); + } + } + if (mode == Simple || mode == Normal) { // Keep widget hidden in Normal and Simple mode + + modecie->set_active (0); + sensicie->show(); + reparcie->show(); + + } + + if (listener) { + listener->panelChanged(Evlocallabmodecie, + modecie->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + + + +void Locallabcie::sursourcieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + listener->panelChanged(Evlocallabsursourcie, + sursourcie->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + +void Locallabcie::surroundcieChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + listener->panelChanged(Evlocallabsurroundcie, + surroundcie->get_active_text() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + +void Locallabcie::updateGUIToMode(const modeType new_type) +{ + switch (new_type) { + case Simple: + catadcie->show(); + saturlcie->show(); + rstprotectcie->show(); + chromlcie->hide(); + huecie->hide(); + lightlcie->show(); + lightqcie->hide(); + contlcie->show(); + contthrescie->show(); + contqcie->hide(); + colorflcie->hide(); + surrHBoxcie->show(); + expLcie->hide(); + surHBoxcie->show(); + sourceabscie->show(); + targabscie->show(); + detailcie->hide(); + jabcie->hide(); + modeHBoxcie->hide(); + sensicie->show(); + reparcie->show(); + sigmoidblcie->hide(); + + expjz->hide(); + jzFrame->hide(); + adapjzcie->hide(); + jz100->hide(); + pqremap->show(); + pqremapcam16->show(); + jabcie->hide(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + forcejz->hide(); + sourceGraycie->show(); + cieFrame->show(); + exprecovcie->hide(); + maskusablecie->hide(); + maskunusablecie->hide(); + decaycie->hide(); + expmaskcie->hide(); + expmaskcie->hide(); + + if (modecam->get_active_row_number() == 2) { + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + } + + if (modecam->get_active_row_number() == 1) { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + forcejz->hide(); + pqremapcam16->hide(); + PQFrame->hide(); + logjzFrame->hide(); + bevwevFrame->hide(); + sigmoidjzFrame->hide(); + catadcie->hide(); + cie2Frame->hide(); + maskusablecie->hide(); + maskunusablecie->hide(); + decaycie->hide(); + expmaskcie->hide(); + } + if (modecam->get_active_row_number() == 3) { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + pqremapcam16->hide(); + PQFrame->hide(); + logjzFrame->hide(); + catadcie->hide(); + } + + break; + case Normal: + // Expert mode widgets are hidden in Normal mode + + catadcie->show(); + saturlcie->show(); + rstprotectcie->show(); + chromlcie->hide(); + huecie->hide(); + lightlcie->show(); + lightqcie->hide(); + contlcie->show(); + contthrescie->show(); + contqcie->hide(); + colorflcie->hide(); + surrHBoxcie->show(); + expLcie->hide(); + surHBoxcie->show(); + sourceabscie->show(); + targabscie->show(); + detailcie->hide(); + jabcie->hide(); + modeHBoxcie->hide(); + sensicie->show(); + reparcie->show(); + sigmoidblcie->show(); + expjz->hide(); + forcejz->hide(); + + jzFrame->hide(); + adapjzcie->hide(); + jz100->hide(); + pqremap->show(); + jabcie->hide(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + pqremapcam16->show(); + sourceGraycie->show(); + cieFrame->show(); + exprecovcie->show(); + expmaskcie->show(); + decaycie->hide(); + lapmaskcie->hide(); + gammaskcie->hide(); + slomaskcie->hide(); + if (enacieMask->get_active()) { + maskusablecie->show(); + maskunusablecie->hide(); + + } else { + maskusablecie->hide(); + maskunusablecie->show(); + } + + if (modecam->get_active_row_number() == 2) { + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + } + + if (modecam->get_active_row_number() == 1) { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + forcejz->hide(); + pqremapcam16->hide(); + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + catadcie->hide(); + cie2Frame->hide(); + exprecovcie->hide(); + expmaskcie->hide(); + maskusablecie->hide(); + maskunusablecie->hide(); + + } + if (modecam->get_active_row_number() == 3) { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + pqremapcam16->hide(); + PQFrame->hide(); + catadcie->hide(); + logjzFrame->hide(); + } + if (modecie->get_active_row_number() > 0) { + exprecovcie->hide(); + expmaskcie->hide(); + } + + break; + + case Expert: + // Show widgets hidden in Normal and Simple mode + catadcie->show(); + saturlcie->show(); + rstprotectcie->show(); + chromlcie->show(); + huecie->show(); + lightlcie->show(); + lightqcie->show(); + contlcie->show(); + contthrescie->show(); + contqcie->show(); + colorflcie->show(); + surrHBoxcie->show(); + expLcie->show(); + surHBoxcie->show(); + sourceabscie->show(); + targabscie->show(); + detailcie->show(); + modeHBoxcie->show(); + sigmoidblcie->show(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + forcejz->hide(); + pqremapcam16->show(); + sourceGraycie->show(); + cieFrame->show(); + exprecovcie->show(); + decaycie->show(); + lapmaskcie->show(); + gammaskcie->show(); + slomaskcie->show(); + expmaskcie->show(); + exprecovcie->show(); + + if (enacieMask->get_active()) { + maskusablecie->show(); + maskunusablecie->hide(); + + } else { + maskusablecie->hide(); + maskunusablecie->show(); + } + + if (modecam->get_active_row_number() == 1 || modecam->get_active_row_number() == 2) { + jabcie->show(); + expjz->show(); + jzFrame->show(); + adapjzcie->show(); + jz100->show(); + pqremap->show(); + PQFrame->show(); + logjzFrame->show(); + bevwevFrame->show(); + sigmoidjzFrame->show(); + forcejz->hide(); + + } + cieFrame->show(); + cie2Frame->show(); + + if (modecam->get_active_row_number() == 0 || modecam->get_active_row_number() == 2) { + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + pqremapcam16->show(); + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + } + if (modecam->get_active_row_number() == 2) { + PQFrame->show(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + } + + if (modecam->get_active_row_number() == 1) { + surHBoxcie->show(); + targetGraycie->hide(); + targabscie->hide(); + surrHBoxcie->hide(); + pqremapcam16->hide(); + PQFrame->show(); + logjzFrame->show(); + sigmoidjzFrame->show(); + bevwevFrame->show(); + catadcie->hide(); + cie2Frame->hide(); + exprecovcie->show(); + expmaskcie->show(); + maskusablecie->show(); + maskunusablecie->show(); + if (chjzcie->get_active()) { + thrhjzcie->set_sensitive(true); + } else { + thrhjzcie->set_sensitive(false); + } + + } + + if (modecam->get_active_row_number() == 3) { + cieFrame->show(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->show(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + PQFrame->show(); + logjzFrame->show(); + adapjzcie->hide(); + jz100->hide(); + forcejz->hide(); + pqremap->show(); + pqremapcam16->hide(); + catadcie->hide(); + } + if (modecie->get_active_row_number() > 0) { + exprecovcie->hide(); + expmaskcie->hide(); + } + + } +} + +void Locallabcie::updatecieGUI() +{ + const int mode = complexity->get_active_row_number(); + expmaskcie->show(); + exprecovcie->show(); + if (modecie->get_active_row_number() > 0) { + sensicie->hide(); + reparcie->hide(); + exprecovcie->hide(); + expmaskcie->hide(); + } else { + sensicie->show(); + reparcie->show(); + exprecovcie->show(); + expmaskcie->show(); + } + surHBoxcie->show(); + cie1Frame->show(); + cie2Frame->show(); + expcam16->show(); + + if (modecam->get_active_row_number() == 2 && mode == Expert) { + PQFrame->show(); + logjzFrame->show(); + sigmoidjzFrame->show(); + bevwevFrame->show(); + } + sourceGraycie->show(); + cieFrame->show(); + + if (enacieMask->get_active() && mode != Simple) { + maskusablecie->show(); + maskunusablecie->hide(); + + } else { + maskusablecie->hide(); + maskunusablecie->show(); + } + + if (modecam->get_active_row_number() == 1) { + surHBoxcie->show(); + cie1Frame->hide(); + expcam16->hide(); + targetGraycie->hide(); + targabscie->hide(); + surrHBoxcie->hide(); + pqremapcam16->hide(); + PQFrame->show(); + logjzFrame->show(); + sigmoidjzFrame->show(); + bevwevFrame->show(); + catadcie->hide(); + cie2Frame->hide(); + if(mode != Expert) { + cieFrame->hide(); + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + PQFrame->hide(); + logjzFrame->hide(); + sigmoidjzFrame->hide(); + bevwevFrame->hide(); + exprecovcie->hide(); + expmaskcie->hide(); + maskusablecie->hide(); + maskunusablecie->hide(); + } + + } + if (modecam->get_active_row_number() == 3) { + if(mode == Expert) { + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->show(); + targetGraycie->show(); + targabscie->show(); + surrHBoxcie->show(); + cieFrame->show(); + PQFrame->show(); + logjzFrame->show(); + adapjzcie->hide(); + jz100->hide(); + forcejz->hide(); + pqremap->show(); + pqremapcam16->hide(); + PQFrame->show(); + catadcie->hide(); + } else { + cie1Frame->hide(); + expcam16->hide(); + cie2Frame->hide(); + PQFrame->hide(); + logjzFrame->hide(); + } + } + + if (Autograycie->get_active()) { + sourceGraycie->set_sensitive(false); + sourceabscie->set_sensitive(false); + adapjzcie->set_sensitive(false); + jz100->set_sensitive(false); + blackEvjz->set_sensitive(false); + whiteEvjz->set_sensitive(false); + } else { + sourceGraycie->set_sensitive(true); + sourceabscie->set_sensitive(true); + adapjzcie->set_sensitive(true); + blackEvjz->set_sensitive(true); + whiteEvjz->set_sensitive(true); + jz100->set_sensitive(true); + } + + if (mode == Simple || mode == Normal) { // Keep widget hidden in Normal and Simple mode + modecie->set_active (0); + sensicie->show(); + reparcie->show(); + } + if (modecie->get_active_row_number() > 0) { + exprecovcie->hide(); + expmaskcie->hide(); + } + +} + + +void Locallabcie::convertParamToSimple() +{ + const LocallabParams::LocallabSpot defSpot; + + // Disable all listeners + disableListener(); + sigmoidblcie->setValue(defSpot.sigmoidblcie); + showmaskcieMethod->set_active(0); + enacieMask->set_active(defSpot.enacieMask); + modecie->set_active(0); + // Enable all listeners + enableListener(); +} + +void Locallabcie::convertParamToNormal() +{ + const LocallabParams::LocallabSpot defSpot; + + // Disable all listeners + disableListener(); + contqcie->setValue(defSpot.contqcie); + colorflcie->setValue(defSpot.colorflcie); + lightqcie->setValue(defSpot.lightqcie); + chromlcie->setValue(defSpot.chromlcie); + huecie->setValue(defSpot.huecie); + detailcie->setValue(defSpot.detailcie); + jabcie->set_active(defSpot.jabcie); + LHshapejz->setCurve(defSpot.LHcurvejz); + CHshapejz->setCurve(defSpot.CHcurvejz); + HHshapejz->setCurve(defSpot.HHcurvejz); + shapejz->setCurve(defSpot.jzcurve); + shapecz->setCurve(defSpot.czcurve); + shapeczjz->setCurve(defSpot.czjzcurve); + shapecie->setCurve(defSpot.ciecurve); + shapecie2->setCurve(defSpot.ciecurve2); + lightjzcie->setValue(defSpot.lightjzcie); + contjzcie->setValue(defSpot.contjzcie); + sigmoidldajzcie->setValue(defSpot.sigmoidldajzcie); + hljzcie->setValue(defSpot.hljzcie); + shjzcie->setValue(defSpot.shjzcie); + chromjzcie->setValue(defSpot.chromjzcie); + saturjzcie->setValue(defSpot.saturjzcie); + huejzcie->setValue(defSpot.huejzcie); + softjzcie->setValue(defSpot.softjzcie); + strsoftjzcie->setValue(defSpot.strsoftjzcie); + thrhjzcie->setValue(defSpot.thrhjzcie); + modecie->set_active(0); + if (modecam->get_active_row_number() == 1) { + showmaskcieMethod->set_active(0); + enacieMask->set_active(defSpot.enacieMask); + logjz->set_active(defSpot.logjz); + sigjz->set_active(defSpot.sigjz); + } + lapmaskcie->setValue(defSpot.lapmaskcie); + gammaskcie->setValue(defSpot.gammaskcie); + slomaskcie->setValue(defSpot.slomaskcie); + + // Enable all listeners + enableListener(); + +} + +void Locallabcie::setDefaults(const rtengine::procparams::ProcParams* defParams, const ParamsEdited* pedited) +{ + const int index = defParams->locallab.selspot; + + if (index < (int)defParams->locallab.spots.size()) { + const LocallabParams::LocallabSpot& defSpot = defParams->locallab.spots.at(index); + + reparcie->setDefault(defSpot.reparcie); + sensicie->setDefault(defSpot.sensicie); + sourceGraycie->setDefault(defSpot.sourceGraycie); + sourceabscie->setDefault(defSpot.sourceabscie); + saturlcie->setDefault(defSpot.saturlcie); + rstprotectcie->setDefault(defSpot.rstprotectcie); + chromlcie->setDefault(defSpot.chromlcie); + huecie->setDefault(defSpot.huecie); + chromjzcie->setDefault(defSpot.chromjzcie); + saturjzcie->setDefault(defSpot.saturjzcie); + huejzcie->setDefault(defSpot.huejzcie); + softjzcie->setDefault(defSpot.softjzcie); + strsoftjzcie->setDefault(defSpot.strsoftjzcie); + thrhjzcie->setDefault(defSpot.thrhjzcie); + lightlcie->setDefault(defSpot.lightlcie); + lightjzcie->setDefault(defSpot.lightjzcie); + lightqcie->setDefault(defSpot.lightqcie); + contlcie->setDefault(defSpot.contlcie); + contjzcie->setDefault(defSpot.contjzcie); + adapjzcie->setDefault(defSpot.adapjzcie); + jz100->setDefault(defSpot.jz100); + pqremap->setDefault(defSpot.pqremap); + pqremapcam16->setDefault(defSpot.pqremapcam16); + hljzcie->setDefault(defSpot.hljzcie); + hlthjzcie->setDefault(defSpot.hlthjzcie); + shjzcie->setDefault(defSpot.shjzcie); + shthjzcie->setDefault(defSpot.shthjzcie); + radjzcie->setDefault(defSpot.radjzcie); + sigmalcjz->setDefault(defSpot.sigmalcjz); + csThresholdjz->setDefault(defSpot.csthresholdjz); + clarilresjz->setDefault(defSpot.clarilresjz); + claricresjz->setDefault(defSpot.claricresjz); + clarisoftjz->setDefault(defSpot.clarisoftjz); + contthrescie->setDefault(defSpot.contthrescie); + blackEvjz->setDefault(defSpot.blackEvjz); + whiteEvjz->setDefault(defSpot.whiteEvjz); + targetjz->setDefault(defSpot.targetjz); + sigmoidldacie->setDefault(defSpot.sigmoidldacie); + sigmoidthcie->setDefault(defSpot.sigmoidthcie); + sigmoidblcie->setDefault(defSpot.sigmoidblcie); + sigmoidldajzcie->setDefault(defSpot.sigmoidldajzcie); + sigmoidthjzcie->setDefault(defSpot.sigmoidthjzcie); + sigmoidbljzcie->setDefault(defSpot.sigmoidbljzcie); + contqcie->setDefault(defSpot.contqcie); + colorflcie->setDefault(defSpot.colorflcie); + targabscie->setDefault(defSpot.targabscie); + targetGraycie->setDefault(defSpot.targetGraycie); + catadcie->setDefault(defSpot.catadcie); + detailcie->setDefault(defSpot.detailcie); + blendmaskcie->setDefault((double)defSpot.blendmaskcie); + radmaskcie->setDefault(defSpot.radmaskcie); + chromaskcie->setDefault(defSpot.chromaskcie); + lapmaskcie->setDefault(defSpot.lapmaskcie); + gammaskcie->setDefault(defSpot.gammaskcie); + slomaskcie->setDefault(defSpot.slomaskcie); + recothrescie->setDefault((double)defSpot.recothrescie); + lowthrescie->setDefault((double)defSpot.lowthrescie); + higthrescie->setDefault((double)defSpot.higthrescie); + decaycie->setDefault((double)defSpot.decaycie); + + } +} + +void Locallabcie::curveChanged(CurveEditor* ce) +{ + if (isLocActivated && exp->getEnabled()) { + const auto spName = M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"; + if (ce == shapejz) { + if (listener) { + listener->panelChanged(Evlocallabshapejz, spName); + } + } + + if (ce == shapecz) { + if (listener) { + listener->panelChanged(Evlocallabshapecz, spName); + } + } + + if (ce == shapeczjz) { + if (listener) { + listener->panelChanged(Evlocallabshapeczjz, spName); + } + } + + if (ce == HHshapejz) { + if (listener) { + listener->panelChanged(EvlocallabHHshapejz, spName); + } + } + + if (ce == CHshapejz) { + if (listener) { + listener->panelChanged(EvlocallabCHshapejz, spName); + } + } + + if (ce == LHshapejz) { + if (listener) { + listener->panelChanged(EvlocallabLHshapejz, spName); + } + } + + if (ce == shapecie) { + if (listener) { + listener->panelChanged(Evlocallabshapecie, spName); + } + } + + if (ce == shapecie2) { + if (listener) { + listener->panelChanged(Evlocallabshapecie2, spName); + } + } + + if (ce == CCmaskcieshape) { + if (listener) { + listener->panelChanged(EvlocallabCCmaskcieshape, + M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (ce == LLmaskcieshape) { + if (listener) { + listener->panelChanged(EvlocallabLLmaskcieshape, + M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (ce == HHmaskcieshape) { + if (listener) { + listener->panelChanged(EvlocallabHHmaskcieshape, + M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (ce == Lmaskcieshape) { + if (listener) { + listener->panelChanged(EvlocallabLmaskcieshape, + M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (ce == wavshapejz) { + if (listener) { + listener->panelChanged(EvlocallabwavCurvejz, + M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + + } +} + + +void Locallabcie::adjusterChanged2(ThresholdAdjuster* a, int newBottomL, int newTopL, int newBottomR, int newTopR) +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + listener->panelChanged(EvlocallabcsThresholdjz, + csThresholdjz->getHistoryString() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } +} + + +void Locallabcie::adjusterChanged(Adjuster* a, double newval) +{ + const LocallabParams::LocallabSpot defSpot; + + if (isLocActivated && exp->getEnabled()) { + const auto spName = " (" + escapeHtmlChars(getSpotName()) + ")"; + if (a == reparcie) { + if (listener) { + listener->panelChanged(Evlocallabreparcie, + reparcie->getTextValue() + spName); + } + } + + if (a == sensicie) { + if (listener) { + listener->panelChanged(Evlocallabsensicie, + sensicie->getTextValue() + spName); + } + } + + if (a == sourceGraycie) { + if (listener) { + listener->panelChanged(EvlocallabsourceGraycie, + sourceGraycie->getTextValue() + spName); + } + } + + if (a == sourceabscie) { + float sour = std::min(sourceabscie->getValue(), 10000.) / 10000.f; + float pal = std::max(10. * (double) sqrt(sour), 1.5); + adapjzcie->setValue(pal);//max to 10 if La > 10000 and mini to 1.5 + jz100->setValue(defSpot.jz100); + + if (listener) { + listener->panelChanged(Evlocallabsourceabscie, + sourceabscie->getTextValue() + spName ); + } + } + + if (a == saturlcie) { + if (listener) { + listener->panelChanged(Evlocallabsaturlcie, + saturlcie->getTextValue() + spName); + } + } + + if (a == rstprotectcie) { + if (listener) { + listener->panelChanged(Evlocallabrstprotectcie, + rstprotectcie->getTextValue() + spName); + } + } + + if (a == chromlcie) { + if (listener) { + listener->panelChanged(Evlocallabchromlcie, + chromlcie->getTextValue() + spName); + } + } + + if (a == chromjzcie) { + if (listener) { + listener->panelChanged(Evlocallabchromjzcie, + chromjzcie->getTextValue() + spName); + } + } + + if (a == saturjzcie) { + if (listener) { + listener->panelChanged(Evlocallabsaturjzcie, + saturjzcie->getTextValue() + spName); + } + } + + if (a == huecie) { + if (listener) { + listener->panelChanged(Evlocallabhuecie, + huecie->getTextValue() + spName); + } + } + + if (a == huejzcie) { + if (listener) { + listener->panelChanged(Evlocallabhuejzcie, + huejzcie->getTextValue() + spName); + } + } + + if (a == softjzcie) { + if (listener) { + listener->panelChanged(Evlocallabsoftjzcie, + softjzcie->getTextValue() + spName); + } + } + + if (a == strsoftjzcie) { + if (listener) { + listener->panelChanged(Evlocallabstrsoftjzcie, + strsoftjzcie->getTextValue() + spName); + } + } + + if (a == thrhjzcie) { + if (listener) { + listener->panelChanged(Evlocallabthrhjzcie, + thrhjzcie->getTextValue() + spName); + } + } + + if (a == lightlcie) { + if (listener) { + listener->panelChanged(Evlocallablightlcie, + lightlcie->getTextValue() + spName); + } + } + + if (a == lightjzcie) { + if (listener) { + listener->panelChanged(Evlocallablightjzcie, + lightjzcie->getTextValue() + spName); + } + } + + if (a == lightqcie) { + if (listener) { + listener->panelChanged(Evlocallablightqcie, + lightqcie->getTextValue() + spName); + } + } + + + if (a == contlcie) { + if (listener) { + listener->panelChanged(Evlocallabcontlcie, + contlcie->getTextValue()+ spName); + } + } + + if (a == contjzcie) { + if (listener) { + listener->panelChanged(Evlocallabcontjzcie, + contjzcie->getTextValue() + spName); + } + } + + if (a == adapjzcie) { + if (listener) { + listener->panelChanged(Evlocallabadapjzcie, + adapjzcie->getTextValue() + spName); + } + } + + if (a == jz100) { + if (listener) { + listener->panelChanged(Evlocallabjz100, + jz100->getTextValue() + spName); + } + } + + if (a == pqremap) { + if (listener) { + listener->panelChanged(Evlocallabpqremap, + pqremap->getTextValue()+ spName ); + } + } + + if (a == pqremapcam16) { + if (listener) { + listener->panelChanged(Evlocallabpqremapcam16, + pqremapcam16->getTextValue()+ spName ); + } + } + + if (a == hljzcie) { + if (listener) { + listener->panelChanged(Evlocallabhljzcie, + hljzcie->getTextValue() + spName); + } + } + + if (a == hlthjzcie) { + if (listener) { + listener->panelChanged(Evlocallabhlthjzcie, + hlthjzcie->getTextValue() + spName); + } + } + + if (a == shjzcie) { + if (listener) { + listener->panelChanged(Evlocallabshjzcie, + shjzcie->getTextValue()+ spName ); + } + } + + if (a == shthjzcie) { + if (listener) { + listener->panelChanged(Evlocallabshthjzcie, + shthjzcie->getTextValue() + spName); + } + } + + if (a == radjzcie) { + if (listener) { + listener->panelChanged(Evlocallabradjzcie, + radjzcie->getTextValue() + spName); + } + } + + if (a == sigmalcjz) { + if (listener) { + listener->panelChanged(Evlocallabsigmalcjz, + sigmalcjz->getTextValue() + spName); + } + } + + if (a == clarilresjz) { + if (listener) { + listener->panelChanged(Evlocallabclarilresjz, + clarilresjz->getTextValue() + spName); + } + } + + if (a == claricresjz) { + if (listener) { + listener->panelChanged(Evlocallabclaricresjz, + claricresjz->getTextValue() + spName); + } + } + + if (a == clarisoftjz) { + if (listener) { + listener->panelChanged(Evlocallabclarisoftjz, + clarisoftjz->getTextValue() + spName); + } + } + + if (a == contthrescie) { + if (listener) { + listener->panelChanged(Evlocallabcontthrescie, + contthrescie->getTextValue() + spName); + } + } + + if (a == blackEvjz) { + if (listener) { + listener->panelChanged(EvlocallabblackEvjz, + blackEvjz->getTextValue() + spName); + } + } + + if (a == whiteEvjz) { + if (listener) { + listener->panelChanged(EvlocallabwhiteEvjz, + whiteEvjz->getTextValue() + spName); + } + } + + if (a == targetjz) { + if (listener) { + listener->panelChanged(Evlocallabtargetjz, + targetjz->getTextValue() + spName); + } + } + + if (a == sigmoidldacie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidldacie, + sigmoidldacie->getTextValue() + spName); + } + } + + if (a == sigmoidldajzcie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidldajzcie, + sigmoidldajzcie->getTextValue() + spName); + } + } + + if (a == sigmoidthcie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidthcie, + sigmoidthcie->getTextValue() + spName); + } + } + + if (a == sigmoidthjzcie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidthjzcie, + sigmoidthjzcie->getTextValue()+ spName ); + } + } + + if (a == sigmoidblcie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidblcie, + sigmoidblcie->getTextValue() + spName); + } + } + + if (a == sigmoidbljzcie) { + if (listener) { + listener->panelChanged(Evlocallabsigmoidbljzcie, + sigmoidbljzcie->getTextValue() + spName); + } + } + + if (a == contqcie) { + if (listener) { + listener->panelChanged(Evlocallabcontqcie, + contqcie->getTextValue() + spName); + } + } + + if (a == colorflcie) { + if (listener) { + listener->panelChanged(Evlocallabcolorflcie, + colorflcie->getTextValue()+ spName ); + } + } + +/* + if (a == lightlzcam) { + if (listener) { + listener->panelChanged(Evlocallablightlzcam, + lightlzcam->getTextValue()+ spName ); + } + } + + if (a == lightqzcam) { + if (listener) { + listener->panelChanged(Evlocallablightqzcam, + lightqzcam->getTextValue()+ spName ); + } + } + + if (a == contlzcam) { + if (listener) { + listener->panelChanged(Evlocallabcontlzcam, + contlzcam->getTextValue()+ spName ); + } + } + + if (a == contqzcam) { + if (listener) { + listener->panelChanged(Evlocallabcontqzcam, + contqzcam->getTextValue()+ spName ); + } + } + + if (a == contthreszcam) { + if (listener) { + listener->panelChanged(Evlocallabcontthreszcam, + contthreszcam->getTextValue()+ spName ); + } + } + + if (a == colorflzcam) { + if (listener) { + listener->panelChanged(Evlocallabcolorflzcam, + colorflzcam->getTextValue()+ spName ); + } + } + + if (a == saturzcam) { + if (listener) { + listener->panelChanged(Evlocallabsaturzcam, + saturzcam->getTextValue()+ spName ); + } + } + + if (a == chromzcam) { + if (listener) { + listener->panelChanged(Evlocallabchromzcam, + chromzcam->getTextValue()+ spName ); + } + } +*/ + if (a == targabscie) { + if (listener) { + listener->panelChanged(Evlocallabtargabscie, + targabscie->getTextValue() + spName); + } + } + + if (a == targetGraycie) { + if (listener) { + listener->panelChanged(EvlocallabtargetGraycie, + targetGraycie->getTextValue() + spName); + } + } + + if (a == catadcie) { + if (listener) { + listener->panelChanged(Evlocallabcatadcie, + catadcie->getTextValue() + spName); + } + } + + if (a == detailcie) { + if (listener) { + listener->panelChanged(Evlocallabdetailcie, + detailcie->getTextValue() + spName); + } + } + + if (a == blendmaskcie) { + if (listener) { + listener->panelChanged(Evlocallabblendmaskcie, + blendmaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == radmaskcie) { + if (listener) { + listener->panelChanged(Evlocallabradmaskcie, + radmaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == chromaskcie) { + if (listener) { + listener->panelChanged(Evlocallabchromaskcie, + chromaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == lapmaskcie) { + if (listener) { + listener->panelChanged(Evlocallablapmaskcie, + lapmaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == gammaskcie) { + if (listener) { + listener->panelChanged(Evlocallabgammaskcie, + gammaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == slomaskcie) { + if (listener) { + listener->panelChanged(Evlocallabslomaskcie, + slomaskcie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == recothrescie) { + + if (listener) { + listener->panelChanged(Evlocallabrecothrescie, + recothrescie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == lowthrescie) { + if (listener) { + listener->panelChanged(Evlocallablowthrescie, + lowthrescie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == higthrescie) { + if (listener) { + listener->panelChanged(Evlocallabhigthrescie, + higthrescie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + if (a == decaycie) { + if (listener) { + listener->panelChanged(Evlocallabdecaycie, + decaycie->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + + } +} + +void Locallabcie::enabledChanged() +{ + if (isLocActivated) { + if (listener) { + if (exp->getEnabled()) { + listener->panelChanged(EvLocenacie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(EvLocenacie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} diff --git a/rtgui/options.cc b/rtgui/options.cc index 70b0fa010..026d76e4e 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -606,6 +606,7 @@ void Options::setDefaults() rtSettings.gamutICC = true; rtSettings.gamutLch = true; rtSettings.amchroma = 40;//between 20 and 140 low values increase effect..and also artifacts, high values reduces + rtSettings.amchromajz = 40;//between 5 and 100 low values increase effect..and also artifacts, high values reduces rtSettings.level0_cbdl = 0; rtSettings.level123_cbdl = 30; //locallab @@ -1748,6 +1749,10 @@ void Options::readFromFile(Glib::ustring fname) rtSettings.amchroma = keyFile.get_integer("Color Management", "Amountchroma"); } + if (keyFile.has_key("Color Management", "JzAmountchroma")) { + rtSettings.amchromajz = keyFile.get_integer("Color Management", "JzAmountchroma"); + } + if (keyFile.has_key("Color Management", "ClutsDirectory")) { clutsDir = keyFile.get_string("Color Management", "ClutsDirectory"); } @@ -2376,6 +2381,7 @@ void Options::saveToFile(Glib::ustring fname) keyFile.set_boolean("Color Management", "GamutLch", rtSettings.gamutLch); keyFile.set_integer("Color Management", "ProtectRed", rtSettings.protectred); keyFile.set_integer("Color Management", "Amountchroma", rtSettings.amchroma); + keyFile.set_integer("Color Management", "JzAmountchroma", rtSettings.amchromajz); keyFile.set_double("Color Management", "ProtectRedH", rtSettings.protectredh); keyFile.set_integer("Color Management", "CRI", rtSettings.CRI_color); keyFile.set_integer("Color Management", "DenoiseLabgamma", rtSettings.denoiselabgamma); diff --git a/rtgui/paramsedited.cc b/rtgui/paramsedited.cc index 916a166bb..7bdedb723 100644 --- a/rtgui/paramsedited.cc +++ b/rtgui/paramsedited.cc @@ -1118,12 +1118,15 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).shortc = locallab.spots.at(j).shortc && pSpot.shortc == otherSpot.shortc; locallab.spots.at(j).savrest = locallab.spots.at(j).savrest && pSpot.savrest == otherSpot.savrest; locallab.spots.at(j).scopemask = locallab.spots.at(j).scopemask && pSpot.scopemask == otherSpot.scopemask; + locallab.spots.at(j).denoichmask = locallab.spots.at(j).denoichmask && pSpot.denoichmask == otherSpot.denoichmask; locallab.spots.at(j).lumask = locallab.spots.at(j).lumask && pSpot.lumask == otherSpot.lumask; // Color & Light locallab.spots.at(j).visicolor = locallab.spots.at(j).visicolor && pSpot.visicolor == otherSpot.visicolor; locallab.spots.at(j).expcolor = locallab.spots.at(j).expcolor && pSpot.expcolor == otherSpot.expcolor; locallab.spots.at(j).complexcolor = locallab.spots.at(j).complexcolor && pSpot.complexcolor == otherSpot.complexcolor; locallab.spots.at(j).curvactiv = locallab.spots.at(j).curvactiv && pSpot.curvactiv == otherSpot.curvactiv; + locallab.spots.at(j).reparcol = locallab.spots.at(j).reparcol && pSpot.reparcol == otherSpot.reparcol; + locallab.spots.at(j).gamc = locallab.spots.at(j).gamc && pSpot.gamc == otherSpot.gamc; locallab.spots.at(j).lightness = locallab.spots.at(j).lightness && pSpot.lightness == otherSpot.lightness; locallab.spots.at(j).contrast = locallab.spots.at(j).contrast && pSpot.contrast == otherSpot.contrast; locallab.spots.at(j).chroma = locallab.spots.at(j).chroma && pSpot.chroma == otherSpot.chroma; @@ -1200,6 +1203,7 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).expchroma = locallab.spots.at(j).expchroma && pSpot.expchroma == otherSpot.expchroma; locallab.spots.at(j).sensiex = locallab.spots.at(j).sensiex && pSpot.sensiex == otherSpot.sensiex; locallab.spots.at(j).structexp = locallab.spots.at(j).structexp && pSpot.structexp == otherSpot.structexp; + locallab.spots.at(j).gamex = locallab.spots.at(j).gamex && pSpot.gamex == otherSpot.gamex; locallab.spots.at(j).blurexpde = locallab.spots.at(j).blurexpde && pSpot.blurexpde == otherSpot.blurexpde; locallab.spots.at(j).strexp = locallab.spots.at(j).strexp && pSpot.strexp == otherSpot.strexp; locallab.spots.at(j).angexp = locallab.spots.at(j).angexp && pSpot.angexp == otherSpot.angexp; @@ -1283,6 +1287,7 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).complexvibrance = locallab.spots.at(j).complexvibrance && pSpot.complexvibrance == otherSpot.complexvibrance; locallab.spots.at(j).saturated = locallab.spots.at(j).saturated && pSpot.saturated == otherSpot.saturated; locallab.spots.at(j).pastels = locallab.spots.at(j).pastels && pSpot.pastels == otherSpot.pastels; + locallab.spots.at(j).vibgam = locallab.spots.at(j).vibgam && pSpot.vibgam == otherSpot.vibgam; locallab.spots.at(j).warm = locallab.spots.at(j).warm && pSpot.warm == otherSpot.warm; locallab.spots.at(j).psthreshold = locallab.spots.at(j).psthreshold && pSpot.psthreshold == otherSpot.psthreshold; locallab.spots.at(j).protectskins = locallab.spots.at(j).protectskins && pSpot.protectskins == otherSpot.protectskins; @@ -1359,6 +1364,7 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).noiselumc = locallab.spots.at(j).noiselumc && pSpot.noiselumc == otherSpot.noiselumc; locallab.spots.at(j).noiselumdetail = locallab.spots.at(j).noiselumdetail && pSpot.noiselumdetail == otherSpot.noiselumdetail; locallab.spots.at(j).noiselequal = locallab.spots.at(j).noiselequal && pSpot.noiselequal == otherSpot.noiselequal; + locallab.spots.at(j).noisegam = locallab.spots.at(j).noisegam && pSpot.noisegam == otherSpot.noisegam; locallab.spots.at(j).noisechrof = locallab.spots.at(j).noisechrof && pSpot.noisechrof == otherSpot.noisechrof; locallab.spots.at(j).noisechroc = locallab.spots.at(j).noisechroc && pSpot.noisechroc == otherSpot.noisechroc; locallab.spots.at(j).noisechrodetail = locallab.spots.at(j).noisechrodetail && pSpot.noisechrodetail == otherSpot.noisechrodetail; @@ -1477,6 +1483,7 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).shardamping = locallab.spots.at(j).shardamping && pSpot.shardamping == otherSpot.shardamping; locallab.spots.at(j).shariter = locallab.spots.at(j).shariter && pSpot.shariter == otherSpot.shariter; locallab.spots.at(j).sharblur = locallab.spots.at(j).sharblur && pSpot.sharblur == otherSpot.sharblur; + locallab.spots.at(j).shargam = locallab.spots.at(j).shargam && pSpot.shargam == otherSpot.shargam; locallab.spots.at(j).sensisha = locallab.spots.at(j).sensisha && pSpot.sensisha == otherSpot.sensisha; locallab.spots.at(j).inverssha = locallab.spots.at(j).inverssha && pSpot.inverssha == otherSpot.inverssha; // Local Contrast @@ -1494,6 +1501,9 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).residshathr = locallab.spots.at(j).residshathr && pSpot.residshathr == otherSpot.residshathr; locallab.spots.at(j).residhi = locallab.spots.at(j).residhi && pSpot.residhi == otherSpot.residhi; locallab.spots.at(j).residhithr = locallab.spots.at(j).residhithr && pSpot.residhithr == otherSpot.residhithr; + locallab.spots.at(j).gamlc = locallab.spots.at(j).gamlc && pSpot.gamlc == otherSpot.gamlc; + locallab.spots.at(j).residgam = locallab.spots.at(j).residgam && pSpot.residgam == otherSpot.residgam; + locallab.spots.at(j).residslop = locallab.spots.at(j).residslop && pSpot.residslop == otherSpot.residslop; locallab.spots.at(j).residblur = locallab.spots.at(j).residblur && pSpot.residblur == otherSpot.residblur; locallab.spots.at(j).levelblur = locallab.spots.at(j).levelblur && pSpot.levelblur == otherSpot.levelblur; locallab.spots.at(j).sigmabl = locallab.spots.at(j).sigmabl && pSpot.sigmabl == otherSpot.sigmabl; @@ -1662,6 +1672,111 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).Lmask_curve = locallab.spots.at(j).Lmask_curve && pSpot.Lmask_curve == otherSpot.Lmask_curve; locallab.spots.at(j).LLmask_curvewav = locallab.spots.at(j).LLmask_curvewav && pSpot.LLmask_curvewav == otherSpot.LLmask_curvewav; locallab.spots.at(j).csthresholdmask = locallab.spots.at(j).csthresholdmask && pSpot.csthresholdmask == otherSpot.csthresholdmask; + + //ciecam + locallab.spots.at(j).visicie = locallab.spots.at(j).visicie && pSpot.visicie == otherSpot.visicie; + locallab.spots.at(j).expcie = locallab.spots.at(j).expcie && pSpot.expcie == otherSpot.expcie; + locallab.spots.at(j).complexcie = locallab.spots.at(j).complexcie && pSpot.complexcie == otherSpot.complexcie; + locallab.spots.at(j).reparcie = locallab.spots.at(j).reparcie && pSpot.reparcie == otherSpot.reparcie; + locallab.spots.at(j).sensicie = locallab.spots.at(j).sensicie && pSpot.sensicie == otherSpot.sensicie; + locallab.spots.at(j).Autograycie = locallab.spots.at(j).Autograycie && pSpot.Autograycie == otherSpot.Autograycie; + locallab.spots.at(j).forcejz = locallab.spots.at(j).forcejz && pSpot.forcejz == otherSpot.forcejz; + locallab.spots.at(j).forcebw = locallab.spots.at(j).forcebw && pSpot.forcebw == otherSpot.forcebw; + locallab.spots.at(j).qtoj = locallab.spots.at(j).qtoj && pSpot.qtoj == otherSpot.qtoj; + locallab.spots.at(j).jabcie = locallab.spots.at(j).jabcie && pSpot.jabcie == otherSpot.jabcie; + locallab.spots.at(j).sigmoidqjcie = locallab.spots.at(j).sigmoidqjcie && pSpot.sigmoidqjcie == otherSpot.sigmoidqjcie; + locallab.spots.at(j).logjz = locallab.spots.at(j).logjz && pSpot.logjz == otherSpot.logjz; + locallab.spots.at(j).sigjz = locallab.spots.at(j).sigjz && pSpot.sigjz == otherSpot.sigjz; + locallab.spots.at(j).chjzcie = locallab.spots.at(j).chjzcie && pSpot.chjzcie == otherSpot.chjzcie; + locallab.spots.at(j).sourceGraycie = locallab.spots.at(j).sourceGraycie && pSpot.sourceGraycie == otherSpot.sourceGraycie; + locallab.spots.at(j).sourceabscie = locallab.spots.at(j).sourceabscie && pSpot.sourceabscie == otherSpot.sourceabscie; + locallab.spots.at(j).sursourcie = locallab.spots.at(j).sursourcie && pSpot.sursourcie == otherSpot.sursourcie; + locallab.spots.at(j).modecam = locallab.spots.at(j).modecam && pSpot.modecam == otherSpot.modecam; + locallab.spots.at(j).modecie = locallab.spots.at(j).modecie && pSpot.modecie == otherSpot.modecie; + locallab.spots.at(j).saturlcie = locallab.spots.at(j).saturlcie && pSpot.saturlcie == otherSpot.saturlcie; + locallab.spots.at(j).rstprotectcie = locallab.spots.at(j).rstprotectcie && pSpot.rstprotectcie == otherSpot.rstprotectcie; + locallab.spots.at(j).chromlcie = locallab.spots.at(j).chromlcie && pSpot.chromlcie == otherSpot.chromlcie; + locallab.spots.at(j).huecie = locallab.spots.at(j).huecie && pSpot.huecie == otherSpot.huecie; + locallab.spots.at(j).toneMethodcie = locallab.spots.at(j).toneMethodcie && pSpot.toneMethodcie == otherSpot.toneMethodcie; + locallab.spots.at(j).ciecurve = locallab.spots.at(j).ciecurve && pSpot.ciecurve == otherSpot.ciecurve; + locallab.spots.at(j).toneMethodcie2 = locallab.spots.at(j).toneMethodcie2 && pSpot.toneMethodcie2 == otherSpot.toneMethodcie2; + locallab.spots.at(j).ciecurve2 = locallab.spots.at(j).ciecurve2 && pSpot.ciecurve2 == otherSpot.ciecurve2; + locallab.spots.at(j).chromjzcie = locallab.spots.at(j).chromjzcie && pSpot.chromjzcie == otherSpot.chromjzcie; + locallab.spots.at(j).saturjzcie = locallab.spots.at(j).saturjzcie && pSpot.saturjzcie == otherSpot.saturjzcie; + locallab.spots.at(j).huejzcie = locallab.spots.at(j).huejzcie && pSpot.huejzcie == otherSpot.huejzcie; + locallab.spots.at(j).softjzcie = locallab.spots.at(j).softjzcie && pSpot.softjzcie == otherSpot.softjzcie; + locallab.spots.at(j).strsoftjzcie = locallab.spots.at(j).strsoftjzcie && pSpot.strsoftjzcie == otherSpot.strsoftjzcie; + locallab.spots.at(j).thrhjzcie = locallab.spots.at(j).thrhjzcie && pSpot.thrhjzcie == otherSpot.thrhjzcie; + locallab.spots.at(j).jzcurve = locallab.spots.at(j).jzcurve && pSpot.jzcurve == otherSpot.jzcurve; + locallab.spots.at(j).czcurve = locallab.spots.at(j).czcurve && pSpot.czcurve == otherSpot.czcurve; + locallab.spots.at(j).czjzcurve = locallab.spots.at(j).czjzcurve && pSpot.czjzcurve == otherSpot.czjzcurve; + locallab.spots.at(j).HHcurvejz = locallab.spots.at(j).HHcurvejz && pSpot.HHcurvejz == otherSpot.HHcurvejz; + locallab.spots.at(j).CHcurvejz = locallab.spots.at(j).CHcurvejz && pSpot.CHcurvejz == otherSpot.CHcurvejz; + locallab.spots.at(j).LHcurvejz = locallab.spots.at(j).LHcurvejz && pSpot.LHcurvejz == otherSpot.LHcurvejz; + locallab.spots.at(j).lightlcie = locallab.spots.at(j).lightlcie && pSpot.lightlcie == otherSpot.lightlcie; + locallab.spots.at(j).lightjzcie = locallab.spots.at(j).lightjzcie && pSpot.lightjzcie == otherSpot.lightjzcie; + locallab.spots.at(j).lightqcie = locallab.spots.at(j).lightqcie && pSpot.lightqcie == otherSpot.lightqcie; + locallab.spots.at(j).contlcie = locallab.spots.at(j).contlcie && pSpot.contlcie == otherSpot.contlcie; + locallab.spots.at(j).contjzcie = locallab.spots.at(j).contjzcie && pSpot.contjzcie == otherSpot.contjzcie; + locallab.spots.at(j).adapjzcie = locallab.spots.at(j).adapjzcie && pSpot.adapjzcie == otherSpot.adapjzcie; + locallab.spots.at(j).jz100 = locallab.spots.at(j).jz100 && pSpot.jz100 == otherSpot.jz100; + locallab.spots.at(j).pqremap = locallab.spots.at(j).pqremap && pSpot.pqremap == otherSpot.pqremap; + locallab.spots.at(j).pqremapcam16 = locallab.spots.at(j).pqremapcam16 && pSpot.pqremapcam16 == otherSpot.pqremapcam16; + locallab.spots.at(j).hljzcie = locallab.spots.at(j).hljzcie && pSpot.hljzcie == otherSpot.hljzcie; + locallab.spots.at(j).hlthjzcie = locallab.spots.at(j).hlthjzcie && pSpot.hlthjzcie == otherSpot.hlthjzcie; + locallab.spots.at(j).shjzcie = locallab.spots.at(j).shjzcie && pSpot.shjzcie == otherSpot.shjzcie; + locallab.spots.at(j).shthjzcie = locallab.spots.at(j).shthjzcie && pSpot.shthjzcie == otherSpot.shthjzcie; + locallab.spots.at(j).radjzcie = locallab.spots.at(j).radjzcie && pSpot.radjzcie == otherSpot.radjzcie; + locallab.spots.at(j).contthrescie = locallab.spots.at(j).contthrescie && pSpot.contthrescie == otherSpot.contthrescie; + locallab.spots.at(j).blackEvjz = locallab.spots.at(j).blackEvjz && pSpot.blackEvjz == otherSpot.blackEvjz; + locallab.spots.at(j).whiteEvjz = locallab.spots.at(j).whiteEvjz && pSpot.whiteEvjz == otherSpot.whiteEvjz; + locallab.spots.at(j).targetjz = locallab.spots.at(j).targetjz && pSpot.targetjz == otherSpot.targetjz; + locallab.spots.at(j).sigmoidldacie = locallab.spots.at(j).sigmoidldacie && pSpot.sigmoidldacie == otherSpot.sigmoidldacie; + locallab.spots.at(j).sigmoidthcie = locallab.spots.at(j).sigmoidthcie && pSpot.sigmoidthcie == otherSpot.sigmoidthcie; + locallab.spots.at(j).sigmoidblcie = locallab.spots.at(j).sigmoidblcie && pSpot.sigmoidblcie == otherSpot.sigmoidblcie; + locallab.spots.at(j).sigmoidldajzcie = locallab.spots.at(j).sigmoidldajzcie && pSpot.sigmoidldajzcie == otherSpot.sigmoidldajzcie; + locallab.spots.at(j).sigmoidthjzcie = locallab.spots.at(j).sigmoidthjzcie && pSpot.sigmoidthjzcie == otherSpot.sigmoidthjzcie; + locallab.spots.at(j).sigmoidbljzcie = locallab.spots.at(j).sigmoidbljzcie && pSpot.sigmoidbljzcie == otherSpot.sigmoidbljzcie; + locallab.spots.at(j).contqcie = locallab.spots.at(j).contqcie && pSpot.contqcie == otherSpot.contqcie; + locallab.spots.at(j).colorflcie = locallab.spots.at(j).colorflcie && pSpot.colorflcie == otherSpot.colorflcie; + locallab.spots.at(j).targabscie = locallab.spots.at(j).targabscie && pSpot.targabscie == otherSpot.targabscie; + locallab.spots.at(j).targetGraycie = locallab.spots.at(j).targetGraycie && pSpot.targetGraycie == otherSpot.targetGraycie; + locallab.spots.at(j).catadcie = locallab.spots.at(j).catadcie && pSpot.catadcie == otherSpot.catadcie; + locallab.spots.at(j).detailcie = locallab.spots.at(j).detailcie && pSpot.detailcie == otherSpot.detailcie; + locallab.spots.at(j).surroundcie = locallab.spots.at(j).surroundcie && pSpot.surroundcie == otherSpot.surroundcie; +/* + locallab.spots.at(j).lightlzcam = locallab.spots.at(j).lightlzcam && pSpot.lightlzcam == otherSpot.lightlzcam; + locallab.spots.at(j).lightqzcam = locallab.spots.at(j).lightqzcam && pSpot.lightqzcam == otherSpot.lightqzcam; + locallab.spots.at(j).contlzcam = locallab.spots.at(j).contlzcam && pSpot.contlzcam == otherSpot.contlzcam; + locallab.spots.at(j).contqzcam = locallab.spots.at(j).contqzcam && pSpot.contqzcam == otherSpot.contqzcam; + locallab.spots.at(j).contthreszcam = locallab.spots.at(j).contthreszcam && pSpot.contthreszcam == otherSpot.contthreszcam; + locallab.spots.at(j).colorflzcam = locallab.spots.at(j).colorflzcam && pSpot.colorflzcam == otherSpot.colorflzcam; + locallab.spots.at(j).saturzcam = locallab.spots.at(j).saturzcam && pSpot.saturzcam == otherSpot.saturzcam; + locallab.spots.at(j).chromzcam = locallab.spots.at(j).chromzcam && pSpot.chromzcam == otherSpot.chromzcam; +*/ + locallab.spots.at(j).enacieMask = locallab.spots.at(j).enaSHMask && pSpot.enaSHMask == otherSpot.enaSHMask; + locallab.spots.at(j).CCmaskciecurve = locallab.spots.at(j).CCmaskciecurve && pSpot.CCmaskciecurve == otherSpot.CCmaskciecurve; + locallab.spots.at(j).LLmaskciecurve = locallab.spots.at(j).LLmaskciecurve && pSpot.LLmaskciecurve == otherSpot.LLmaskciecurve; + locallab.spots.at(j).HHmaskciecurve = locallab.spots.at(j).HHmaskciecurve && pSpot.HHmaskciecurve == otherSpot.HHmaskciecurve; + locallab.spots.at(j).blendmaskcie = locallab.spots.at(j).blendmaskcie && pSpot.blendmaskcie == otherSpot.blendmaskcie; + locallab.spots.at(j).radmaskcie = locallab.spots.at(j).radmaskcie && pSpot.radmaskcie == otherSpot.radmaskcie; + locallab.spots.at(j).chromaskcie = locallab.spots.at(j).chromaskcie && pSpot.chromaskcie == otherSpot.chromaskcie; + locallab.spots.at(j).lapmaskcie = locallab.spots.at(j).lapmaskcie && pSpot.lapmaskcie == otherSpot.lapmaskcie; + locallab.spots.at(j).gammaskcie = locallab.spots.at(j).gammaskcie && pSpot.gammaskcie == otherSpot.gammaskcie; + locallab.spots.at(j).slomaskcie = locallab.spots.at(j).slomaskcie && pSpot.slomaskcie == otherSpot.slomaskcie; + locallab.spots.at(j).Lmaskciecurve = locallab.spots.at(j).Lmaskciecurve && pSpot.Lmaskciecurve == otherSpot.Lmaskciecurve; + locallab.spots.at(j).recothrescie = locallab.spots.at(j).recothrescie && pSpot.recothrescie == otherSpot.recothrescie; + locallab.spots.at(j).lowthrescie = locallab.spots.at(j).lowthrescie && pSpot.lowthrescie == otherSpot.lowthrescie; + locallab.spots.at(j).higthrescie = locallab.spots.at(j).higthrescie && pSpot.higthrescie == otherSpot.higthrescie; + locallab.spots.at(j).decaycie = locallab.spots.at(j).decaycie && pSpot.decaycie == otherSpot.decaycie; + locallab.spots.at(j).locwavcurvejz = locallab.spots.at(j).locwavcurvejz && pSpot.locwavcurvejz == otherSpot.locwavcurvejz; + locallab.spots.at(j).csthresholdjz = locallab.spots.at(j).csthresholdjz && pSpot.csthresholdjz == otherSpot.csthresholdjz; + locallab.spots.at(j).sigmalcjz = locallab.spots.at(j).sigmalcjz && pSpot.sigmalcjz == otherSpot.sigmalcjz; + locallab.spots.at(j).clarilresjz = locallab.spots.at(j).clarilresjz && pSpot.clarilresjz == otherSpot.clarilresjz; + locallab.spots.at(j).claricresjz = locallab.spots.at(j).claricresjz && pSpot.claricresjz == otherSpot.claricresjz; + locallab.spots.at(j).clarisoftjz = locallab.spots.at(j).clarisoftjz && pSpot.clarisoftjz == otherSpot.clarisoftjz; + + } } @@ -3425,6 +3540,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).savrest = mods.locallab.spots.at(i).savrest; } + if (locallab.spots.at(i).denoichmask) { + toEdit.locallab.spots.at(i).denoichmask = mods.locallab.spots.at(i).denoichmask; + } + if (locallab.spots.at(i).scopemask) { toEdit.locallab.spots.at(i).scopemask = mods.locallab.spots.at(i).scopemask; } @@ -3458,6 +3577,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).reparcol = mods.locallab.spots.at(i).reparcol; } + if (locallab.spots.at(i).gamc) { + toEdit.locallab.spots.at(i).gamc = mods.locallab.spots.at(i).gamc; + } + if (locallab.spots.at(i).contrast) { toEdit.locallab.spots.at(i).contrast = mods.locallab.spots.at(i).contrast; } @@ -3755,10 +3878,18 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).structexp = mods.locallab.spots.at(i).structexp; } + if (locallab.spots.at(i).gamex) { + toEdit.locallab.spots.at(i).gamex = mods.locallab.spots.at(i).gamex; + } + if (locallab.spots.at(i).blurexpde) { toEdit.locallab.spots.at(i).blurexpde = mods.locallab.spots.at(i).blurexpde; } + if (locallab.spots.at(i).gamex) { + toEdit.locallab.spots.at(i).gamex = mods.locallab.spots.at(i).gamex; + } + if (locallab.spots.at(i).strexp) { toEdit.locallab.spots.at(i).strexp = mods.locallab.spots.at(i).strexp; } @@ -4067,6 +4198,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).pastels = mods.locallab.spots.at(i).pastels; } + if (locallab.spots.at(i).vibgam) { + toEdit.locallab.spots.at(i).vibgam = mods.locallab.spots.at(i).vibgam; + } + if (locallab.spots.at(i).warm) { toEdit.locallab.spots.at(i).warm = mods.locallab.spots.at(i).warm; } @@ -4365,6 +4500,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).noiselequal = mods.locallab.spots.at(i).noiselequal; } + if (locallab.spots.at(i).noisegam) { + toEdit.locallab.spots.at(i).noisegam = mods.locallab.spots.at(i).noisegam; + } + if (locallab.spots.at(i).noisechrof) { toEdit.locallab.spots.at(i).noisechrof = mods.locallab.spots.at(i).noisechrof; } @@ -4829,6 +4968,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).sharblur = mods.locallab.spots.at(i).sharblur; } + if (locallab.spots.at(i).shargam) { + toEdit.locallab.spots.at(i).shargam = mods.locallab.spots.at(i).shargam; + } + if (locallab.spots.at(i).sensisha) { toEdit.locallab.spots.at(i).sensisha = mods.locallab.spots.at(i).sensisha; } @@ -4894,6 +5037,18 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).residhithr = mods.locallab.spots.at(i).residhithr; } + if (locallab.spots.at(i).gamlc) { + toEdit.locallab.spots.at(i).gamlc = mods.locallab.spots.at(i).gamlc; + } + + if (locallab.spots.at(i).residgam) { + toEdit.locallab.spots.at(i).residgam = mods.locallab.spots.at(i).residgam; + } + + if (locallab.spots.at(i).residslop) { + toEdit.locallab.spots.at(i).residslop = mods.locallab.spots.at(i).residslop; + } + if (locallab.spots.at(i).residblur) { toEdit.locallab.spots.at(i).residblur = mods.locallab.spots.at(i).residblur; } @@ -5536,6 +5691,400 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).csthresholdmask = mods.locallab.spots.at(i).csthresholdmask; } + //ciecam + if (locallab.spots.at(i).visicie) { + toEdit.locallab.spots.at(i).visicie = mods.locallab.spots.at(i).visicie; + } + + if (locallab.spots.at(i).expcie) { + toEdit.locallab.spots.at(i).expcie = mods.locallab.spots.at(i).expcie; + } + + if (locallab.spots.at(i).complexcie) { + toEdit.locallab.spots.at(i).complexcie = mods.locallab.spots.at(i).complexcie; + } + + if (locallab.spots.at(i).reparcie) { + toEdit.locallab.spots.at(i).reparcie = mods.locallab.spots.at(i).reparcie; + } + + if (locallab.spots.at(i).sensicie) { + toEdit.locallab.spots.at(i).sensicie = mods.locallab.spots.at(i).sensicie; + } + + if (locallab.spots.at(i).Autograycie) { + toEdit.locallab.spots.at(i).Autograycie = mods.locallab.spots.at(i).Autograycie; + } + + if (locallab.spots.at(i).forcejz) { + toEdit.locallab.spots.at(i).forcejz = mods.locallab.spots.at(i).forcejz; + } + + if (locallab.spots.at(i).forcebw) { + toEdit.locallab.spots.at(i).forcebw = mods.locallab.spots.at(i).forcebw; + } + + if (locallab.spots.at(i).qtoj) { + toEdit.locallab.spots.at(i).qtoj = mods.locallab.spots.at(i).qtoj; + } + + if (locallab.spots.at(i).jabcie) { + toEdit.locallab.spots.at(i).jabcie = mods.locallab.spots.at(i).jabcie; + } + + if (locallab.spots.at(i).sigmoidqjcie) { + toEdit.locallab.spots.at(i).sigmoidqjcie = mods.locallab.spots.at(i).sigmoidqjcie; + } + + if (locallab.spots.at(i).logjz) { + toEdit.locallab.spots.at(i).logjz = mods.locallab.spots.at(i).logjz; + } + + if (locallab.spots.at(i).sigjz) { + toEdit.locallab.spots.at(i).sigjz = mods.locallab.spots.at(i).sigjz; + } + + if (locallab.spots.at(i).chjzcie) { + toEdit.locallab.spots.at(i).chjzcie = mods.locallab.spots.at(i).chjzcie; + } + + if (locallab.spots.at(i).sourceGraycie) { + toEdit.locallab.spots.at(i).sourceGraycie = mods.locallab.spots.at(i).sourceGraycie; + } + + if (locallab.spots.at(i).sourceabscie) { + toEdit.locallab.spots.at(i).sourceabscie = mods.locallab.spots.at(i).sourceabscie; + } + + if (locallab.spots.at(i).sursourcie) { + toEdit.locallab.spots.at(i).sursourcie = mods.locallab.spots.at(i).sursourcie; + } + + if (locallab.spots.at(i).modecam) { + toEdit.locallab.spots.at(i).modecam = mods.locallab.spots.at(i).modecam; + } + + if (locallab.spots.at(i).modecie) { + toEdit.locallab.spots.at(i).modecie = mods.locallab.spots.at(i).modecie; + } + + if (locallab.spots.at(i).saturlcie) { + toEdit.locallab.spots.at(i).saturlcie = mods.locallab.spots.at(i).saturlcie; + } + + if (locallab.spots.at(i).rstprotectcie) { + toEdit.locallab.spots.at(i).rstprotectcie = mods.locallab.spots.at(i).rstprotectcie; + } + + if (locallab.spots.at(i).chromlcie) { + toEdit.locallab.spots.at(i).chromlcie = mods.locallab.spots.at(i).chromlcie; + } + + if (locallab.spots.at(i).huecie) { + toEdit.locallab.spots.at(i).huecie = mods.locallab.spots.at(i).huecie; + } + + if (locallab.spots.at(i).toneMethodcie) { + toEdit.locallab.spots.at(i).toneMethodcie = mods.locallab.spots.at(i).toneMethodcie; + } + + if (locallab.spots.at(i).toneMethodcie2) { + toEdit.locallab.spots.at(i).toneMethodcie2 = mods.locallab.spots.at(i).toneMethodcie2; + } + + if (locallab.spots.at(i).chromjzcie) { + toEdit.locallab.spots.at(i).chromjzcie = mods.locallab.spots.at(i).chromjzcie; + } + + if (locallab.spots.at(i).saturjzcie) { + toEdit.locallab.spots.at(i).saturjzcie = mods.locallab.spots.at(i).saturjzcie; + } + + if (locallab.spots.at(i).huejzcie) { + toEdit.locallab.spots.at(i).huejzcie = mods.locallab.spots.at(i).huejzcie; + } + + if (locallab.spots.at(i).softjzcie) { + toEdit.locallab.spots.at(i).softjzcie = mods.locallab.spots.at(i).softjzcie; + } + + if (locallab.spots.at(i).strsoftjzcie) { + toEdit.locallab.spots.at(i).strsoftjzcie = mods.locallab.spots.at(i).strsoftjzcie; + } + + if (locallab.spots.at(i).thrhjzcie) { + toEdit.locallab.spots.at(i).thrhjzcie = mods.locallab.spots.at(i).thrhjzcie; + } + + if (locallab.spots.at(i).ciecurve) { + toEdit.locallab.spots.at(i).ciecurve = mods.locallab.spots.at(i).ciecurve; + } + + if (locallab.spots.at(i).ciecurve2) { + toEdit.locallab.spots.at(i).ciecurve2 = mods.locallab.spots.at(i).ciecurve2; + } + + if (locallab.spots.at(i).jzcurve) { + toEdit.locallab.spots.at(i).jzcurve = mods.locallab.spots.at(i).jzcurve; + } + + if (locallab.spots.at(i).czjzcurve) { + toEdit.locallab.spots.at(i).czjzcurve = mods.locallab.spots.at(i).czjzcurve; + } + + if (locallab.spots.at(i).HHcurvejz) { + toEdit.locallab.spots.at(i).HHcurvejz = mods.locallab.spots.at(i).HHcurvejz; + } + + if (locallab.spots.at(i).CHcurvejz) { + toEdit.locallab.spots.at(i).CHcurvejz = mods.locallab.spots.at(i).CHcurvejz; + } + + if (locallab.spots.at(i).LHcurvejz) { + toEdit.locallab.spots.at(i).LHcurvejz = mods.locallab.spots.at(i).LHcurvejz; + } + + if (locallab.spots.at(i).lightlcie) { + toEdit.locallab.spots.at(i).lightlcie = mods.locallab.spots.at(i).lightlcie; + } + + if (locallab.spots.at(i).lightjzcie) { + toEdit.locallab.spots.at(i).lightjzcie = mods.locallab.spots.at(i).lightjzcie; + } + + if (locallab.spots.at(i).lightqcie) { + toEdit.locallab.spots.at(i).lightqcie = mods.locallab.spots.at(i).lightqcie; + } + + if (locallab.spots.at(i).contlcie) { + toEdit.locallab.spots.at(i).contlcie = mods.locallab.spots.at(i).contlcie; + } + + if (locallab.spots.at(i).contjzcie) { + toEdit.locallab.spots.at(i).contjzcie = mods.locallab.spots.at(i).contjzcie; + } + + if (locallab.spots.at(i).adapjzcie) { + toEdit.locallab.spots.at(i).adapjzcie = mods.locallab.spots.at(i).adapjzcie; + } + + if (locallab.spots.at(i).jz100) { + toEdit.locallab.spots.at(i).jz100 = mods.locallab.spots.at(i).jz100; + } + + if (locallab.spots.at(i).pqremap) { + toEdit.locallab.spots.at(i).pqremap = mods.locallab.spots.at(i).pqremap; + } + + if (locallab.spots.at(i).pqremapcam16) { + toEdit.locallab.spots.at(i).pqremapcam16 = mods.locallab.spots.at(i).pqremapcam16; + } + + if (locallab.spots.at(i).hljzcie) { + toEdit.locallab.spots.at(i).hljzcie = mods.locallab.spots.at(i).hljzcie; + } + + if (locallab.spots.at(i).hlthjzcie) { + toEdit.locallab.spots.at(i).hlthjzcie = mods.locallab.spots.at(i).hlthjzcie; + } + + if (locallab.spots.at(i).shjzcie) { + toEdit.locallab.spots.at(i).shjzcie = mods.locallab.spots.at(i).shjzcie; + } + + if (locallab.spots.at(i).shthjzcie) { + toEdit.locallab.spots.at(i).shthjzcie = mods.locallab.spots.at(i).shthjzcie; + } + + if (locallab.spots.at(i).radjzcie) { + toEdit.locallab.spots.at(i).radjzcie = mods.locallab.spots.at(i).radjzcie; + } + + if (locallab.spots.at(i).contthrescie) { + toEdit.locallab.spots.at(i).contthrescie = mods.locallab.spots.at(i).contthrescie; + } + + if (locallab.spots.at(i).blackEvjz) { + toEdit.locallab.spots.at(i).blackEvjz = mods.locallab.spots.at(i).blackEvjz; + } + + if (locallab.spots.at(i).whiteEvjz) { + toEdit.locallab.spots.at(i).whiteEvjz = mods.locallab.spots.at(i).whiteEvjz; + } + + if (locallab.spots.at(i).targetjz) { + toEdit.locallab.spots.at(i).targetjz = mods.locallab.spots.at(i).targetjz; + } + + if (locallab.spots.at(i).sigmoidldacie) { + toEdit.locallab.spots.at(i).sigmoidldacie = mods.locallab.spots.at(i).sigmoidldacie; + } + + if (locallab.spots.at(i).sigmoidthcie) { + toEdit.locallab.spots.at(i).sigmoidthcie = mods.locallab.spots.at(i).sigmoidthcie; + } + + if (locallab.spots.at(i).sigmoidblcie) { + toEdit.locallab.spots.at(i).sigmoidblcie = mods.locallab.spots.at(i).sigmoidblcie; + } + + if (locallab.spots.at(i).sigmoidldajzcie) { + toEdit.locallab.spots.at(i).sigmoidldajzcie = mods.locallab.spots.at(i).sigmoidldajzcie; + } + + if (locallab.spots.at(i).sigmoidthjzcie) { + toEdit.locallab.spots.at(i).sigmoidthjzcie = mods.locallab.spots.at(i).sigmoidthjzcie; + } + + if (locallab.spots.at(i).sigmoidbljzcie) { + toEdit.locallab.spots.at(i).sigmoidbljzcie = mods.locallab.spots.at(i).sigmoidbljzcie; + } + + + if (locallab.spots.at(i).contqcie) { + toEdit.locallab.spots.at(i).contqcie = mods.locallab.spots.at(i).contqcie; + } + + if (locallab.spots.at(i).colorflcie) { + toEdit.locallab.spots.at(i).colorflcie = mods.locallab.spots.at(i).colorflcie; + } +/* + if (locallab.spots.at(i).lightlzcam) { + toEdit.locallab.spots.at(i).lightlzcam = mods.locallab.spots.at(i).lightlzcam; + } + + if (locallab.spots.at(i).lightqzcam) { + toEdit.locallab.spots.at(i).lightqzcam = mods.locallab.spots.at(i).lightqzcam; + } + + if (locallab.spots.at(i).contlzcam) { + toEdit.locallab.spots.at(i).contlzcam = mods.locallab.spots.at(i).contlzcam; + } + + if (locallab.spots.at(i).contqzcam) { + toEdit.locallab.spots.at(i).contqzcam = mods.locallab.spots.at(i).contqzcam; + } + + if (locallab.spots.at(i).contthreszcam) { + toEdit.locallab.spots.at(i).contthreszcam = mods.locallab.spots.at(i).contthreszcam; + } + + if (locallab.spots.at(i).colorflzcam) { + toEdit.locallab.spots.at(i).colorflzcam = mods.locallab.spots.at(i).colorflzcam; + } + + if (locallab.spots.at(i).saturzcam) { + toEdit.locallab.spots.at(i).saturzcam = mods.locallab.spots.at(i).saturzcam; + } + + if (locallab.spots.at(i).chromzcam) { + toEdit.locallab.spots.at(i).chromzcam = mods.locallab.spots.at(i).chromzcam; + } +*/ + if (locallab.spots.at(i).targabscie) { + toEdit.locallab.spots.at(i).targabscie = mods.locallab.spots.at(i).targabscie; + } + + if (locallab.spots.at(i).targetGraycie) { + toEdit.locallab.spots.at(i).targetGraycie = mods.locallab.spots.at(i).targetGraycie; + } + + if (locallab.spots.at(i).catadcie) { + toEdit.locallab.spots.at(i).catadcie = mods.locallab.spots.at(i).catadcie; + } + + if (locallab.spots.at(i).locwavcurvejz) { + toEdit.locallab.spots.at(i).locwavcurvejz = mods.locallab.spots.at(i).locwavcurvejz; + } + + if (locallab.spots.at(i).csthresholdjz) { + toEdit.locallab.spots.at(i).csthresholdjz = mods.locallab.spots.at(i).csthresholdjz; + } + + if (locallab.spots.at(i).sigmalcjz) { + toEdit.locallab.spots.at(i).sigmalcjz = mods.locallab.spots.at(i).sigmalcjz; + } + + if (locallab.spots.at(i).clarilresjz) { + toEdit.locallab.spots.at(i).clarilresjz = mods.locallab.spots.at(i).clarilresjz; + } + + if (locallab.spots.at(i).claricresjz) { + toEdit.locallab.spots.at(i).claricresjz = mods.locallab.spots.at(i).claricresjz; + } + + if (locallab.spots.at(i).clarisoftjz) { + toEdit.locallab.spots.at(i).clarisoftjz = mods.locallab.spots.at(i).clarisoftjz; + } + + if (locallab.spots.at(i).detailcie) { + toEdit.locallab.spots.at(i).detailcie = mods.locallab.spots.at(i).detailcie; + } + + if (locallab.spots.at(i).surroundcie) { + toEdit.locallab.spots.at(i).surroundcie = mods.locallab.spots.at(i).surroundcie; + } + + if (locallab.spots.at(i).enacieMask) { + toEdit.locallab.spots.at(i).enacieMask = mods.locallab.spots.at(i).enacieMask; + } + + if (locallab.spots.at(i).CCmaskciecurve) { + toEdit.locallab.spots.at(i).CCmaskciecurve = mods.locallab.spots.at(i).CCmaskciecurve; + } + + if (locallab.spots.at(i).LLmaskciecurve) { + toEdit.locallab.spots.at(i).LLmaskciecurve = mods.locallab.spots.at(i).LLmaskciecurve; + } + + if (locallab.spots.at(i).HHmaskciecurve) { + toEdit.locallab.spots.at(i).HHmaskciecurve = mods.locallab.spots.at(i).HHmaskciecurve; + } + + if (locallab.spots.at(i).blendmaskcie) { + toEdit.locallab.spots.at(i).blendmaskcie = mods.locallab.spots.at(i).blendmaskcie; + } + + if (locallab.spots.at(i).radmaskcie) { + toEdit.locallab.spots.at(i).radmaskcie = mods.locallab.spots.at(i).radmaskcie; + } + + if (locallab.spots.at(i).chromaskcie) { + toEdit.locallab.spots.at(i).chromaskcie = mods.locallab.spots.at(i).chromaskcie; + } + + if (locallab.spots.at(i).lapmaskcie) { + toEdit.locallab.spots.at(i).lapmaskcie = mods.locallab.spots.at(i).lapmaskcie; + } + + if (locallab.spots.at(i).gammaskcie) { + toEdit.locallab.spots.at(i).gammaskcie = mods.locallab.spots.at(i).gammaskcie; + } + + if (locallab.spots.at(i).slomaskcie) { + toEdit.locallab.spots.at(i).slomaskcie = mods.locallab.spots.at(i).slomaskcie; + } + + if (locallab.spots.at(i).Lmaskciecurve) { + toEdit.locallab.spots.at(i).Lmaskciecurve = mods.locallab.spots.at(i).Lmaskciecurve; + } + + if (locallab.spots.at(i).recothrescie) { + toEdit.locallab.spots.at(i).recothrescie = mods.locallab.spots.at(i).recothrescie; + } + + if (locallab.spots.at(i).lowthrescie) { + toEdit.locallab.spots.at(i).lowthrescie = mods.locallab.spots.at(i).lowthrescie; + } + + if (locallab.spots.at(i).higthrescie) { + toEdit.locallab.spots.at(i).higthrescie = mods.locallab.spots.at(i).higthrescie; + } + + if (locallab.spots.at(i).decaycie) { + toEdit.locallab.spots.at(i).decaycie = mods.locallab.spots.at(i).decaycie; + } + } if (spot.enabled) { @@ -6873,6 +7422,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : shortc(v), savrest(v), scopemask(v), + denoichmask(v), lumask(v), // Color & Light visicolor(v), @@ -6881,6 +7431,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : curvactiv(v), lightness(v), reparcol(v), + gamc(v), contrast(v), chroma(v), labgridALow(v), @@ -6956,6 +7507,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : expchroma(v), sensiex(v), structexp(v), + gamex(v), blurexpde(v), strexp(v), angexp(v), @@ -7035,6 +7587,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : complexvibrance(v), saturated(v), pastels(v), + vibgam(v), warm(v), psthreshold(v), protectskins(v), @@ -7111,6 +7664,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : noiselumc(v), noiselumdetail(v), noiselequal(v), + noisegam(v), noisechrof(v), noisechroc(v), noisechrodetail(v), @@ -7229,6 +7783,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : shardamping(v), shariter(v), sharblur(v), + shargam(v), sensisha(v), inverssha(v), // Local Contrast @@ -7246,6 +7801,9 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : residshathr(v), residhi(v), residhithr(v), + gamlc(v), + residgam(v), + residslop(v), residblur(v), levelblur(v), sigmabl(v), @@ -7407,7 +7965,109 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : HHhmask_curve(v), Lmask_curve(v), LLmask_curvewav(v), - csthresholdmask(v) + csthresholdmask(v), + //ciecam + visicie(v), + complexcie(v), + expcie(v), + reparcie(v), + sensicie(v), + Autograycie(v), + forcejz(v), + forcebw(v), + qtoj(v), + jabcie(v), + sigmoidqjcie(v), + logjz(v), + sigjz(v), + chjzcie(v), + sourceGraycie(v), + sourceabscie(v), + sursourcie(v), + modecam(v), + modecie(v), + saturlcie(v), + rstprotectcie(v), + chromlcie(v), + huecie(v), + toneMethodcie(v), + ciecurve(v), + toneMethodcie2(v), + ciecurve2(v), + chromjzcie(v), + saturjzcie(v), + huejzcie(v), + softjzcie(v), + strsoftjzcie(v), + thrhjzcie(v), + jzcurve(v), + czcurve(v), + czjzcurve(v), + HHcurvejz(v), + CHcurvejz(v), + LHcurvejz(v), + lightlcie(v), + lightjzcie(v), + lightqcie(v), + contlcie(v), + contjzcie(v), + adapjzcie(v), + jz100(v), + pqremap(v), + pqremapcam16(v), + hljzcie(v), + hlthjzcie(v), + shjzcie(v), + shthjzcie(v), + radjzcie(v), + contthrescie(v), + blackEvjz(v), + whiteEvjz(v), + targetjz(v), + sigmoidldacie(v), + sigmoidthcie(v), + sigmoidblcie(v), + sigmoidldajzcie(v), + sigmoidthjzcie(v), + sigmoidbljzcie(v), + contqcie(v), + colorflcie(v), +/* + lightlzcam(v), + lightqzcam(v), + contlzcam(v), + contqzcam(v), + contthreszcam(v), + colorflzcam(v), + saturzcam(v), + chromzcam(v), +*/ + targabscie(v), + targetGraycie(v), + catadcie(v), + detailcie(v), + surroundcie(v), + enacieMask(v), + CCmaskciecurve(v), + LLmaskciecurve(v), + HHmaskciecurve(v), + blendmaskcie(v), + radmaskcie(v), + sigmalcjz(v), + clarilresjz(v), + claricresjz(v), + clarisoftjz(v), + locwavcurvejz(v), + csthresholdjz(v), + chromaskcie(v), + lapmaskcie(v), + gammaskcie(v), + slomaskcie(v), + Lmaskciecurve(v), + recothrescie(v), + lowthrescie(v), + higthrescie(v), + decaycie(v) { } @@ -7452,6 +8112,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) shortc = v; savrest = v; scopemask = v; + denoichmask = v; lumask = v; // Color & Light visicolor = v; @@ -7460,6 +8121,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) curvactiv = v; lightness = v; reparcol = v; + gamc = v; contrast = v; chroma = v; labgridALow = v; @@ -7535,6 +8197,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) expchroma = v; sensiex = v; structexp = v; + gamex = v; blurexpde = v; strexp = v; angexp = v; @@ -7618,6 +8281,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) complexvibrance = v; saturated = v; pastels = v; + vibgam = v; warm = v; psthreshold = v; protectskins = v; @@ -7694,6 +8358,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) noiselumc = v; noiselumdetail = v; noiselequal = v; + noisegam = v; noisechrof = v; noisechroc = v; noisechrodetail = v; @@ -7811,6 +8476,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) shardamping = v; shariter = v; sharblur = v; + shargam = v; sensisha = v; inverssha = v; // Local Contrast @@ -7828,6 +8494,9 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) residshathr = v; residhi = v; residhithr = v; + gamlc = v; + residgam = v; + residslop = v; residblur = v; levelblur = v; sigmabl = v; @@ -7990,10 +8659,113 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) shadmask = v; str_mask = v; ang_mask = v; - HHhmask_curve =(v); - Lmask_curve =(v); - LLmask_curvewav =(v); + HHhmask_curve = v; + Lmask_curve = v; + LLmask_curvewav = v; csthresholdmask = v; + //ciecam + visicie= v; + complexcie= v; + expcie = v; + reparcie = v; + sensicie = v; + Autograycie = v; + forcejz = v; + forcebw = v; + qtoj = v; + jabcie = v; + sigmoidqjcie = v; + logjz = v; + sigjz = v; + chjzcie = v; + sourceGraycie = v; + sourceabscie = v; + sursourcie = v; + modecam = v; + modecie = v; + saturlcie = v; + rstprotectcie = v; + chromlcie = v; + huecie = v; + toneMethodcie = v; + ciecurve = v; + toneMethodcie2 = v; + ciecurve2 = v; + chromjzcie = v; + saturjzcie = v; + huejzcie = v; + softjzcie = v; + strsoftjzcie = v; + thrhjzcie = v; + jzcurve = v; + czcurve = v; + czjzcurve = v; + HHcurvejz = v; + CHcurvejz = v; + LHcurvejz = v; + lightlcie = v; + lightjzcie = v; + lightqcie = v; + contlcie = v; + contjzcie = v; + adapjzcie = v; + jz100 = v; + pqremap = v; + pqremapcam16 = v; + hljzcie = v; + hlthjzcie = v; + shjzcie = v; + shthjzcie = v; + radjzcie = v; + contthrescie = v; + blackEvjz = v; + whiteEvjz = v; + targetjz = v; + sigmoidldacie = v; + sigmoidthcie = v; + sigmoidblcie = v; + sigmoidldajzcie = v; + sigmoidthjzcie = v; + sigmoidbljzcie = v; + contqcie = v; + colorflcie = v; +/* + lightlzcam = v; + lightqzcam = v; + contlzcam = v; + contqzcam = v; + contthreszcam = v; + colorflzcam = v; + saturzcam = v; + chromzcam = v; +*/ + targabscie = v; + targetGraycie = v; + catadcie = v; + detailcie = v; + surroundcie = v; + enacieMask = v; + CCmaskciecurve = v; + LLmaskciecurve = v; + HHmaskciecurve = v; + blendmaskcie = v; + radmaskcie = v; + sigmalcjz = v; + clarilresjz = v; + claricresjz = v; + clarisoftjz = v; + locwavcurvejz = v; + csthresholdjz = v; + chromaskcie = v; + lapmaskcie = v; + gammaskcie = v; + slomaskcie = v; + Lmaskciecurve = v; + recothrescie = v; + lowthrescie = v; + higthrescie = v; + decaycie = v; + } bool CaptureSharpeningParamsEdited::isUnchanged() const diff --git a/rtgui/paramsedited.h b/rtgui/paramsedited.h index da96d8f93..2950d1b6c 100644 --- a/rtgui/paramsedited.h +++ b/rtgui/paramsedited.h @@ -431,6 +431,7 @@ public: bool shortc; bool savrest; bool scopemask; + bool denoichmask; bool lumask; // Color & Light bool visicolor; @@ -439,6 +440,7 @@ public: bool curvactiv; bool lightness; bool reparcol; + bool gamc; bool contrast; bool chroma; bool labgridALow; @@ -514,6 +516,7 @@ public: bool expchroma; bool sensiex; bool structexp; + bool gamex; bool blurexpde; bool strexp; bool angexp; @@ -593,6 +596,7 @@ public: bool complexvibrance; bool saturated; bool pastels; + bool vibgam; bool warm; bool psthreshold; bool protectskins; @@ -669,6 +673,7 @@ public: bool noiselumc; bool noiselumdetail; bool noiselequal; + bool noisegam; bool noisechrof; bool noisechroc; bool noisechrodetail; @@ -787,6 +792,7 @@ public: bool shardamping; bool shariter; bool sharblur; + bool shargam; bool sensisha; bool inverssha; // Local Contrast @@ -804,6 +810,9 @@ public: bool residshathr; bool residhi; bool residhithr; + bool gamlc; + bool residgam; + bool residslop; bool residblur; bool levelblur; bool sigmabl; @@ -966,6 +975,108 @@ public: bool Lmask_curve; bool LLmask_curvewav; bool csthresholdmask; + //locallabcie + bool visicie; + bool complexcie; + bool expcie; + bool reparcie; + bool sensicie; + bool Autograycie; + bool forcejz; + bool forcebw; + bool qtoj; + bool jabcie; + bool sigmoidqjcie; + bool logjz; + bool sigjz; + bool chjzcie; + bool sourceGraycie; + bool sourceabscie; + bool sursourcie; + bool modecam; + bool modecie; + bool saturlcie; + bool rstprotectcie; + bool chromlcie; + bool huecie; + bool toneMethodcie; + bool ciecurve; + bool toneMethodcie2; + bool ciecurve2; + bool chromjzcie; + bool saturjzcie; + bool huejzcie; + bool softjzcie; + bool strsoftjzcie; + bool thrhjzcie; + bool jzcurve; + bool czcurve; + bool czjzcurve; + bool HHcurvejz; + bool CHcurvejz; + bool LHcurvejz; + bool lightlcie; + bool lightjzcie; + bool lightqcie; + bool contlcie; + bool contjzcie; + bool adapjzcie; + bool jz100; + bool pqremap; + bool pqremapcam16; + bool hljzcie; + bool hlthjzcie; + bool shjzcie; + bool shthjzcie; + bool radjzcie; + bool contthrescie; + bool blackEvjz; + bool whiteEvjz; + bool targetjz; + bool sigmoidldacie; + bool sigmoidthcie; + bool sigmoidblcie; + bool sigmoidldajzcie; + bool sigmoidthjzcie; + bool sigmoidbljzcie; + bool contqcie; + bool colorflcie; +/* + bool lightlzcam; + bool lightqzcam; + bool contlzcam; + bool contqzcam; + bool contthreszcam; + bool colorflzcam; + bool saturzcam; + bool chromzcam; +*/ + bool targabscie; + bool targetGraycie; + bool catadcie; + bool detailcie; + bool surroundcie; + bool enacieMask; + bool CCmaskciecurve; + bool LLmaskciecurve; + bool HHmaskciecurve; + bool blendmaskcie; + bool radmaskcie; + bool sigmalcjz; + bool clarilresjz; + bool claricresjz; + bool clarisoftjz; + bool locwavcurvejz; + bool csthresholdjz; + bool chromaskcie; + bool lapmaskcie; + bool gammaskcie; + bool slomaskcie; + bool Lmaskciecurve; + bool recothrescie; + bool lowthrescie; + bool higthrescie; + bool decaycie; LocallabSpotEdited(bool v); diff --git a/rtgui/toolpanelcoord.cc b/rtgui/toolpanelcoord.cc index 00fcb208d..2c506710f 100644 --- a/rtgui/toolpanelcoord.cc +++ b/rtgui/toolpanelcoord.cc @@ -555,12 +555,12 @@ void ToolPanelCoordinator::panelChanged(const rtengine::ProcEvent& event, const ipc->setLocallabMaskVisibility(maskStruc.previewDeltaE, maskStruc.colorMask, maskStruc.colorMaskinv, maskStruc.expMask, maskStruc.expMaskinv, maskStruc.SHMask, maskStruc.SHMaskinv, maskStruc.vibMask, maskStruc.softMask, maskStruc.blMask, maskStruc.tmMask, maskStruc.retiMask, maskStruc.sharMask, - maskStruc.lcMask, maskStruc.cbMask, maskStruc.logMask, maskStruc.maskMask); + maskStruc.lcMask, maskStruc.cbMask, maskStruc.logMask, maskStruc.maskMask, maskStruc.cieMask); } else if (event == rtengine::EvLocallabSpotCreated || event == rtengine::EvLocallabSpotSelectedWithMask || event == rtengine::EvLocallabSpotDeleted || event == rtengine::Evlocallabshowreset || event == rtengine::EvlocallabToolRemovedWithRefresh) { locallab->resetMaskVisibility(); - ipc->setLocallabMaskVisibility(false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0); + ipc->setLocallabMaskVisibility(false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0); } ipc->endUpdateParams(changeFlags); // starts the IPC processing @@ -670,7 +670,7 @@ void ToolPanelCoordinator::profileChange( // Reset Locallab mask visibility locallab->resetMaskVisibility(); - ipc->setLocallabMaskVisibility(false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0); + ipc->setLocallabMaskVisibility(false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0); // start the IPC processing if (filterRawRefresh) { From 690fab3d08afcb2fba8504af1e2a8e1dd3564772 Mon Sep 17 00:00:00 2001 From: Desmis Date: Tue, 21 Dec 2021 11:21:25 +0100 Subject: [PATCH 030/170] Changes a brace in iplocalla and 2 warning in locallabtools2 - thanks to Floessie --- rtengine/iplocallab.cc | 3 ++- rtgui/locallabtools2.cc | 4 ++-- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 429d6dbf7..eee9b57e1 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -12730,7 +12730,7 @@ void maskrecov(const LabImage * bufcolfin, LabImage * original, LabImage * bufma #ifdef _OPENMP #pragma omp parallel for if (multiThread) #endif - for (int ir = 0; ir < bfh; ir++) + for (int ir = 0; ir < bfh; ir++) { for (int jr = 0; jr < bfw; jr++) { const float lM = bufmaskblurcol->L[ir][jr]; const float lmr = lM / 327.68f; @@ -12749,6 +12749,7 @@ void maskrecov(const LabImage * bufcolfin, LabImage * original, LabImage * bufma } } + } for (int i = 0; i < 3; ++i) { boxblur(static_cast(masklum), static_cast(masklum), 10 / sk, bfw, bfh, false); diff --git a/rtgui/locallabtools2.cc b/rtgui/locallabtools2.cc index e37e657d7..4dc5deb43 100644 --- a/rtgui/locallabtools2.cc +++ b/rtgui/locallabtools2.cc @@ -6321,7 +6321,7 @@ void LocallabLog::updateAutocompute(const float blackev, const float whiteev, co { if (autocompute->get_active()) { idle_register.add( - [this, blackev, whiteev, sourceg, sourceab, targetg, jz1]() -> bool { + [this, blackev, whiteev, sourceg, sourceab, targetg]() -> bool { GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected // Update adjuster values according to autocomputed ones @@ -8739,7 +8739,7 @@ void Locallabcie::updateAutocompute(const float blackev, const float whiteev, co if (Autograycie->get_active()) { idle_register.add( - [this, blackev, whiteev, sourceg, sourceab, targetg, jz1]() -> bool { + [this, blackev, whiteev, sourceg, sourceab, jz1]() -> bool { GThreadLock lock; // All GUI access from idle_add callbacks or separate thread HAVE to be protected // Update adjuster values according to autocomputed ones From 9c5ce0d9bb1df0e546041b1d8a8f2c63e94e5287 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 8 Jan 2022 12:02:25 -0800 Subject: [PATCH 031/170] Fix focal len autofill after browser adjustments Don't update the camera-based perspective focal length and crop factor parameters when making other adjustments using the file browser or batch editor. Closes #6402 --- rtengine/iptransform.cc | 8 ++--- rtengine/procparams.h | 11 +++++++ rtgui/perspective.cc | 69 ++++++++++++++++++++++++++++++++--------- 3 files changed, 70 insertions(+), 18 deletions(-) diff --git a/rtengine/iptransform.cc b/rtengine/iptransform.cc index a18e616f7..3d384ee62 100644 --- a/rtengine/iptransform.cc +++ b/rtengine/iptransform.cc @@ -468,8 +468,8 @@ bool ImProcFunctions::transCoord (int W, int H, const std::vector &src, double hpcospt = (hpdeg >= 0 ? 1.0 : -1.0) * cos (hpteta), hptanpt = tan (hpteta); // Camera-based. const double f = - ((params->perspective.camera_focal_length > 0) ? params->perspective.camera_focal_length : 24.0) - * ((params->perspective.camera_crop_factor > 0) ? params->perspective.camera_crop_factor : 1.0) + ((params->perspective.camera_focal_length > 0) ? params->perspective.camera_focal_length : PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH) + * ((params->perspective.camera_crop_factor > 0) ? params->perspective.camera_crop_factor : PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR) * (maxRadius / sqrt(18.0*18.0 + 12.0*12.0)); const double p_camera_yaw = params->perspective.camera_yaw / 180.0 * rtengine::RT_PI; const double p_camera_pitch = params->perspective.camera_pitch / 180.0 * rtengine::RT_PI; @@ -1162,8 +1162,8 @@ void ImProcFunctions::transformGeneral(bool highQuality, Imagefloat *original, I const double hptanpt = tan(hpteta); // Camera-based. const double f = - ((params->perspective.camera_focal_length > 0) ? params->perspective.camera_focal_length : 24.0) - * ((params->perspective.camera_crop_factor > 0) ? params->perspective.camera_crop_factor : 1.0) + ((params->perspective.camera_focal_length > 0) ? params->perspective.camera_focal_length : PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH) + * ((params->perspective.camera_crop_factor > 0) ? params->perspective.camera_crop_factor : PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR) * (maxRadius / sqrt(18.0*18.0 + 12.0*12.0)); const double p_camera_yaw = params->perspective.camera_yaw / 180.0 * rtengine::RT_PI; const double p_camera_pitch = params->perspective.camera_pitch / 180.0 * rtengine::RT_PI; diff --git a/rtengine/procparams.h b/rtengine/procparams.h index 5ef95bfa2..c517adf9f 100644 --- a/rtengine/procparams.h +++ b/rtengine/procparams.h @@ -949,11 +949,22 @@ struct LensProfParams { * Parameters of the perspective correction */ struct PerspectiveParams { + static constexpr double DEFAULT_CAMERA_CROP_FACTOR = 1; + static constexpr double DEFAULT_CAMERA_FOCAL_LENGTH = 24; + Glib::ustring method; bool render; double horizontal; double vertical; + /** + * Negative and zero values indicate an unspecified crop factor and should + * be interpreted with {@link #DEFAULT_CAMERA_CROP_FACTOR}. + */ double camera_crop_factor; + /** + * Negative and zero values indicate an unspecified focal length and should + * be interpreted with {@link #DEFAULT_CAMERA_FOCAL_LENGTH}. + */ double camera_focal_length; double camera_pitch; double camera_roll; diff --git a/rtgui/perspective.cc b/rtgui/perspective.cc index d06243524..317732bd2 100644 --- a/rtgui/perspective.cc +++ b/rtgui/perspective.cc @@ -160,10 +160,10 @@ PerspCorrection::PerspCorrection () : FoldableToolPanel(this, "perspective", M(" Gtk::Box* camera_vbox = Gtk::manage (new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); - camera_focal_length = Gtk::manage (new Adjuster (M("TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH"), 0.5, 2000, 0.01, 24)); + camera_focal_length = Gtk::manage (new Adjuster (M("TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH"), 0.5, 2000, 0.01, PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH)); camera_focal_length->setAdjusterListener (this); - camera_crop_factor = Gtk::manage (new Adjuster (M("TP_PERSPECTIVE_CAMERA_CROP_FACTOR"), 0.1, 30, 0.01, 1)); + camera_crop_factor = Gtk::manage (new Adjuster (M("TP_PERSPECTIVE_CAMERA_CROP_FACTOR"), 0.1, 30, 0.01, PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR)); camera_crop_factor->setAdjusterListener (this); camera_shift_horiz = Gtk::manage (new Adjuster (M("TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL"), -50, 50, 0.01, 0)); @@ -358,13 +358,30 @@ void PerspCorrection::read (const ProcParams* pp, const ParamsEdited* pedited) void PerspCorrection::write (ProcParams* pp, ParamsEdited* pedited) { + // If any of these are non-zero, the focal length and crop factor must be + // updated to ensure they won't be auto-filled from metadata later. This + // prevents surprise changes to the perspective correction results. + const bool update_fl = camera_pitch->getValue() != 0 || + camera_yaw->getValue() != 0 || + projection_pitch->getValue() != 0 || + projection_yaw->getValue() != 0; pp->perspective.render = render; pp->perspective.horizontal = horiz->getValue (); pp->perspective.vertical = vert->getValue (); - pp->perspective.camera_crop_factor= camera_crop_factor->getValue (); - pp->perspective.camera_focal_length = camera_focal_length->getValue (); + if (update_fl || pp->perspective.camera_crop_factor > 0 || + std::abs(camera_crop_factor->getValue() - PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR) > 1e-5) { + // Update if update_fl is true or the crop factor has previously been + // set or if the adjuster has changed from the default value. + pp->perspective.camera_crop_factor = camera_crop_factor->getValue (); + } + if (update_fl || pp->perspective.camera_focal_length > 0 || + std::abs(camera_focal_length->getValue() - PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH) > 1e-4) { + // Update if update_fl is true or the focal length has previously been + // set or if the adjuster has changed from the default value. + pp->perspective.camera_focal_length = camera_focal_length->getValue (); + } pp->perspective.camera_pitch = camera_pitch->getValue (); pp->perspective.camera_roll = camera_roll->getValue (); pp->perspective.camera_shift_horiz = camera_shift_horiz->getValue (); @@ -412,8 +429,12 @@ void PerspCorrection::setDefaults (const ProcParams* defParams, const ParamsEdit horiz->setDefault (defParams->perspective.horizontal); vert->setDefault (defParams->perspective.vertical); - camera_crop_factor->setDefault (defParams->perspective.camera_crop_factor); - camera_focal_length->setDefault (defParams->perspective.camera_focal_length); + camera_crop_factor->setDefault(defParams->perspective.camera_crop_factor > 0 + ? defParams->perspective.camera_crop_factor + : PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR); + camera_focal_length->setDefault(defParams->perspective.camera_focal_length > 0 + ? defParams->perspective.camera_focal_length + : PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH); camera_pitch->setDefault (defParams->perspective.camera_pitch); camera_roll->setDefault (defParams->perspective.camera_roll); camera_shift_horiz->setDefault (defParams->perspective.camera_shift_horiz); @@ -636,8 +657,13 @@ void PerspCorrection::trimValues (rtengine::procparams::ProcParams* pp) horiz->trimValue(pp->perspective.horizontal); vert->trimValue(pp->perspective.vertical); - camera_crop_factor->trimValue(pp->perspective.camera_crop_factor); - camera_focal_length->trimValue(pp->perspective.camera_focal_length); + // Only update crop factor and focal length if they have been manually set. + if (pp->perspective.camera_crop_factor > 0) { + camera_crop_factor->trimValue(pp->perspective.camera_crop_factor); + } + if (pp->perspective.camera_focal_length > 0) { + camera_focal_length->trimValue(pp->perspective.camera_focal_length); + } camera_pitch->trimValue(pp->perspective.camera_pitch); camera_roll->trimValue(pp->perspective.camera_roll); camera_shift_horiz->trimValue(pp->perspective.camera_shift_horiz); @@ -679,10 +705,25 @@ void PerspCorrection::setBatchMode (bool batchMode) void PerspCorrection::setFocalLengthValue (const ProcParams* pparams, const FramesMetaData* metadata) { - const double pp_crop_factor = pparams->perspective.camera_crop_factor; - const double pp_focal_length = pparams->perspective.camera_focal_length; - double default_crop_factor = 1.0; - double default_focal_length = 24.0; + double pp_crop_factor = pparams->perspective.camera_crop_factor; + double pp_focal_length = pparams->perspective.camera_focal_length; + double default_crop_factor = PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR; + double default_focal_length = PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH; + + // If any of these values are non-zero, don't set the crop factor or focal + // length from metadata to avoid a surprise change in perspective correction + // results. + if (pparams->perspective.camera_pitch != 0 || + pparams->perspective.camera_yaw != 0 || + pparams->perspective.projection_pitch != 0 || + pparams->perspective.projection_yaw != 0) { + if (pp_crop_factor <= 0) { + pp_crop_factor = PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR; + } + if (pp_focal_length <= 0) { + pp_focal_length = PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH; + } + } // Defaults from metadata. if (metadata && (pp_crop_factor <= 0 || pp_focal_length <= 0)) { @@ -710,13 +751,13 @@ void PerspCorrection::setFocalLengthValue (const ProcParams* pparams, const Fram // Change value if those from the ProcParams are invalid. if (pp_crop_factor > 0) { - camera_crop_factor->setValue(pparams->perspective.camera_crop_factor); + camera_crop_factor->setValue(pp_crop_factor); } else { camera_crop_factor->setDefault(default_crop_factor); camera_crop_factor->setValue(default_crop_factor); } if (pp_focal_length > 0) { - camera_focal_length->setValue(pparams->perspective.camera_focal_length); + camera_focal_length->setValue(pp_focal_length); } else { camera_focal_length->setDefault(default_focal_length); camera_focal_length->setValue(default_focal_length); From 89492228b46ea6cfb44ea68539b7291c500adae7 Mon Sep 17 00:00:00 2001 From: Desmis Date: Fri, 4 Feb 2022 07:36:19 +0100 Subject: [PATCH 032/170] Add Jacques Dekker - jade_nl to the contributors of Rawtherapee --- AUTHORS.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/AUTHORS.txt b/AUTHORS.txt index b880db000..059bdce17 100644 --- a/AUTHORS.txt +++ b/AUTHORS.txt @@ -50,6 +50,7 @@ Other contributors (profiles, ideas, mockups, testing, forum activity, translati Fernando Carello Rodrigo Nuno Bragança da Cunha Pat David + Jacques Dekker Reine Edvardsson Andrea Ferrero André Gauthier From bab5516871ebe0eca63e9f97689468f6de0a818c Mon Sep 17 00:00:00 2001 From: Benitoite Date: Sat, 5 Feb 2022 02:10:45 -0800 Subject: [PATCH 033/170] Mac: set fftw3f_omp linker flags (#6406) Sets linker flags for macOS for fftw3f_omp when OPTION_OMP==ON --- CMakeLists.txt | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CMakeLists.txt b/CMakeLists.txt index 4b1976ac0..0a55ca6d5 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -488,6 +488,12 @@ endif() pkg_check_modules(LCMS REQUIRED lcms2>=2.6) pkg_check_modules(EXPAT REQUIRED expat>=2.1) pkg_check_modules(FFTW3F REQUIRED fftw3f) + +#Set the appropriate FFTW flags on macOS +if(APPLE AND OPTION_OMP) + set(EXTRA_LIB "-L${LOCAL_PREFIX}/lib -lfftw3f_omp -lfftw3f -lm") +endif() + pkg_check_modules(IPTCDATA REQUIRED libiptcdata) find_package(TIFF 4.0.4 REQUIRED) find_package(JPEG REQUIRED) From a20fe8b191184be51eb28f8cfdffee3eb9d80ca3 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 6 Feb 2022 18:27:02 -0800 Subject: [PATCH 034/170] Automated Windows builds (#6413) Add Windows build workflow --- .github/workflows/windows.yml | 315 ++++++++++++++++++++ tools/win/InnoSetup/WindowsInnoSetup.iss.in | 11 +- 2 files changed, 321 insertions(+), 5 deletions(-) create mode 100644 .github/workflows/windows.yml diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml new file mode 100644 index 000000000..aabdf70d7 --- /dev/null +++ b/.github/workflows/windows.yml @@ -0,0 +1,315 @@ +name: Windows Build +on: + push: + branches: + - dev + tags: + - '[0-9]+.*' + pull_request: + branches: + - dev + workflow_dispatch: +jobs: + build: + runs-on: windows-2022 + defaults: + run: + shell: msys2 {0} + strategy: + fail-fast: false + matrix: + build_type: [release, debug] + steps: + - name: Checkout source + uses: actions/checkout@v2 + with: + fetch-depth: 0 + + - name: Install dependencies + uses: msys2/setup-msys2@v2 + with: + location: C:\msys2 + update: true + install: | + gzip + git + intltool + mingw-w64-x86_64-gcc + mingw-w64-x86_64-make + mingw-w64-x86_64-pkg-config + mingw-w64-x86_64-cmake + mingw-w64-x86_64-ninja + mingw-w64-x86_64-gtkmm3 + mingw-w64-x86_64-lcms2 + mingw-w64-x86_64-fftw + mingw-w64-x86_64-lensfun + mingw-w64-x86_64-libiptcdata + + - name: Configure build + run: | + export REF_NAME_FILTERED="$(echo '${{github.ref_name}}' | sed 's/[^A-z0-9_.-]//g')" + + if [ '${{github.ref_type}}' == 'tag' ]; then + export CACHE_SUFFIX="" + else + echo "Setting cache suffix." + export CACHE_SUFFIX="5-$REF_NAME_FILTERED" + echo "Cache suffix is '$CACHE_SUFFIX'." + fi + + echo "Making build directory." + mkdir build + echo "Changing working directory to the build directory." + cd build + + echo "Running CMake configure." + cmake \ + -G "Ninja" \ + -DCMAKE_BUILD_TYPE='${{matrix.build_type}}' \ + -DCACHE_NAME_SUFFIX="$CACHE_SUFFIX" \ + -DPROC_TARGET_NUMBER="1" \ + -DLENSFUNDBDIR="./share/lensfun/version_1" \ + .. + + echo "Recording filtered ref name." + echo "REF_NAME_FILTERED=$REF_NAME_FILTERED" >> "$(cygpath -u $GITHUB_ENV)" + + - name: Build RawTherapee + working-directory: ./build + run: | + echo "Running CMake install." + cmake --build . --target install + + - name: Include Lensfun + run: | + echo "Updating Lensfun database." + lensfun-update-data + echo "Creating Lensfun directory in the build directory." + mkdir -p 'build/${{matrix.build_type}}/share' + echo "Copying Lensfun database to the build directory." + cp -R "/C/msys2/msys64/mingw64/var/lib/lensfun-updates" 'build/${{matrix.build_type}}/share/lensfun' + + - name: Restore GDB from cache + id: gdb-cache + if: ${{matrix.build_type == 'debug'}} + uses: actions/cache@v2 + with: + key: gdb-windows-64 + path: gdb-windows-64.exe + + - name: Download GDB + if: ${{matrix.build_type == 'debug' && steps.gdb-cache.outputs.cache-hit != 'true'}} + run: | + echo "Downloading GDB." + curl --location 'http://www.equation.com/ftpdir/gdb/64/gdb.exe' > 'gdb-windows-64.exe' + echo "Verifying download." + sha256sum --check <(echo '27c507ae76adf4b4229091dcd6b5e25c7baffef32185604f1ebdd590598566c6 gdb-windows-64.exe') + + - name: Include GDB + if: ${{matrix.build_type == 'debug'}} + run: cp 'gdb-windows-64.exe' 'build/${{matrix.build_type}}/gdb.exe' + + - name: Bundle dependencies + run: | + echo "Getting workspace path." + export BUILD_DIR="$(pwd)/build/${{matrix.build_type}}" + echo "Build directory is '$BUILD_DIR'." + echo "Changing working directory to MSYS2 MINGW64." + cd "/C/msys2/msys64/mingw64" + echo "Copying DLLs and EXEs." + + cd ./bin + cp \ + "gdbus.exe" \ + "gspawn-win64-helper.exe" \ + "gspawn-win64-helper-console.exe" \ + "libatk-1.0-0.dll" \ + "libatkmm-1.6-1.dll" \ + "libbrotlicommon.dll" \ + "libbrotlidec.dll" \ + "libbz2-1.dll" \ + "libcairo-2.dll" \ + "libcairo-gobject-2.dll" \ + "libcairomm-1.0-1.dll" \ + "libdatrie-1.dll" \ + "libdeflate.dll" \ + "libepoxy-0.dll" \ + "libexpat-1.dll" \ + "libffi-7.dll" \ + "libfftw3f-3.dll" \ + "libfontconfig-1.dll" \ + "libfreetype-6.dll" \ + "libfribidi-0.dll" \ + "libgcc_s_seh-1.dll" \ + "libgdk_pixbuf-2.0-0.dll" \ + "libgdk-3-0.dll" \ + "libgdkmm-3.0-1.dll" \ + "libgio-2.0-0.dll" \ + "libgiomm-2.4-1.dll" \ + "libglib-2.0-0.dll" \ + "libglibmm-2.4-1.dll" \ + "libgmodule-2.0-0.dll" \ + "libgobject-2.0-0.dll" \ + "libgomp-1.dll" \ + "libgraphite2.dll" \ + "libgtk-3-0.dll" \ + "libgtkmm-3.0-1.dll" \ + "libharfbuzz-0.dll" \ + "libiconv-2.dll" \ + "libintl-8.dll" \ + "libjbig-0.dll" \ + "libjpeg-8.dll" \ + "liblcms2-2.dll" \ + "liblensfun.dll" \ + "libLerc.dll" \ + "liblzma-5.dll" \ + "libpango-1.0-0.dll" \ + "libpangocairo-1.0-0.dll" \ + "libpangoft2-1.0-0.dll" \ + "libpangomm-1.4-1.dll" \ + "libpangowin32-1.0-0.dll" \ + "libpcre-1.dll" \ + "libpixman-1-0.dll" \ + "libpng16-16.dll" \ + "librsvg-2-2.dll" \ + "libsigc-2.0-0.dll" \ + "libstdc++-6.dll" \ + "libsystre-0.dll" \ + "libthai-0.dll" \ + "libtiff-5.dll" \ + "libtre-5.dll" \ + "libwebp-7.dll" \ + "libwinpthread-1.dll" \ + "libxml2-2.dll" \ + "libzstd.dll" \ + "zlib1.dll" \ + "$BUILD_DIR" + cd - + + echo "Copying Adwaita theme." + mkdir -p "$BUILD_DIR/share/icons/Adwaita" + cd 'share/icons/Adwaita/' + mkdir -p "$BUILD_DIR/share/icons/Adwaita/scalable" + cp -r \ + "scalable/actions" \ + "scalable/devices" \ + "scalable/mimetypes" \ + "scalable/places" \ + "scalable/status" \ + "scalable/ui" \ + "$BUILD_DIR/share/icons/Adwaita/scalable" + cp 'index.theme' "$BUILD_DIR/share/icons/Adwaita" + mkdir -p "$BUILD_DIR/share/icons/Adwaita/cursors" + cp -r \ + "cursors/plus.cur" \ + "cursors/sb_h_double_arrow.cur" \ + "cursors/sb_left_arrow.cur" \ + "cursors/sb_right_arrow.cur" \ + "cursors/sb_v_double_arrow.cur" \ + "$BUILD_DIR/share/icons/Adwaita/cursors" + cd - + + echo "Copying GDK pixbuf." + mkdir -p "$BUILD_DIR/lib" + cp -r 'lib/gdk-pixbuf-2.0' "$BUILD_DIR/lib/gdk-pixbuf-2.0" + + echo "Copying GLib schemas." + mkdir -p "$BUILD_DIR/share/glib-2.0/schemas" + cp 'share/glib-2.0/schemas/gschemas.compiled' "$BUILD_DIR/share/glib-2.0/schemas" + + echo "Creating GTK settings.ini." + mkdir -p "$BUILD_DIR/share/gtk-3.0/" + echo '[Settings] gtk-button-images=1' > "$BUILD_DIR/share/gtk-3.0/settings.ini" + + - name: Create installer + if: ${{matrix.build_type == 'release' && (github.ref_type == 'tag' || github.ref_name == 'dev')}} + working-directory: build/${{matrix.build_type}} + shell: pwsh + run: | + echo "Installing Inno Setup." + choco install innosetup + echo "Setup file:" + type "WindowsInnoSetup.iss" + echo "Creating installer from script." + iscc /F"installer" "WindowsInnoSetup.iss" + + - name: Prepare artifact name + run: | + if [ '${{github.ref_type}}' == 'tag' ]; then + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_WinVista_64_${{matrix.build_type}}" + else + echo "Getting RawTherapee version." + export VERSION="$(grep -m 1 '^Version: .*$' './build/${{matrix.build_type}}/AboutThisBuild.txt' | sed 's/^Version: \(.\+\)$/\1/')" + echo "Version is '$VERSION'." + FILTERED_VERSION="$(echo "$VERSION" | sed 's/[^A-z0-9_.-]//g')" + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_${FILTERED_VERSION}_WinVista_64_${{matrix.build_type}}" + fi + echo "Artifact name is '$ARTIFACT_NAME'." + + echo "Recording artifact name." + echo "ARTIFACT_NAME=$ARTIFACT_NAME" >> "$(cygpath -u $GITHUB_ENV)" + echo "Recording RawTherapee version." + echo "RT_VERSION=$VERSION" >> "$(cygpath -u $GITHUB_ENV)" + + echo "Renaming artifact." + mv './build/${{matrix.build_type}}' "./build/$ARTIFACT_NAME" + if [ -e './build/installer.exe' ]; then + echo "Renaming installer." + mv './build/installer.exe' "./build/$ARTIFACT_NAME.exe" + fi + + - name: Create ZIP archive + shell: cmd + working-directory: ./build + run: | + echo "Zipping artifact." + 7z a -tzip "%ARTIFACT_NAME%.zip" "./%ARTIFACT_NAME%" + + - name: Upload artifacts + uses: actions/upload-artifact@v2 + with: + name: ${{env.ARTIFACT_NAME}} + path: build\${{env.ARTIFACT_NAME}} + + - name: Upload installer + if: ${{matrix.build_type == 'release' && (github.ref_type == 'tag' || github.ref_name == 'dev')}} + uses: actions/upload-artifact@v2 + with: + name: ${{env.ARTIFACT_NAME}}.exe + path: build\${{env.ARTIFACT_NAME}}.exe + + - name: Prepare for publishing + if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} + run: | + echo "Setting publish name." + PUBLISH_NAME="RawTherapee_${REF_NAME_FILTERED}_WinVista_64_${{matrix.build_type}}" + echo "Publish name is '$PUBLISH_NAME'." + if [ "$ARTIFACT_NAME" != "$PUBLISH_NAME" ]; then + echo "Renaming ZIP file." + cp "build/$ARTIFACT_NAME.zip" "build/$PUBLISH_NAME.zip" + if [ -e "./build/$ARTIFACT_NAME.exe" ]; then + echo "Renaming installer." + mv "./build/$ARTIFACT_NAME.exe" "./build/$PUBLISH_NAME.exe" + fi + fi + echo "Creating version file." + cp "build/$ARTIFACT_NAME/AboutThisBuild.txt" "build/$PUBLISH_NAME-AboutThisBuild.txt" + + echo "Recording publish name." + echo "PUBLISH_NAME=$PUBLISH_NAME" >> "$(cygpath -u $GITHUB_ENV)" + + - name: Publish artifacts + uses: softprops/action-gh-release@v1 + if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} + with: + tag_name: nightly-github-actions + files: | + build/${{env.PUBLISH_NAME}}.zip + build/${{env.PUBLISH_NAME}}-AboutThisBuild.txt + + - name: Publish installer + uses: softprops/action-gh-release@v1 + if: ${{matrix.build_type == 'release' && (github.ref_type == 'tag' || github.ref_name == 'dev')}} + with: + tag_name: nightly-github-actions + files: build/${{env.PUBLISH_NAME}}.exe diff --git a/tools/win/InnoSetup/WindowsInnoSetup.iss.in b/tools/win/InnoSetup/WindowsInnoSetup.iss.in index e4ae43536..988821d66 100644 --- a/tools/win/InnoSetup/WindowsInnoSetup.iss.in +++ b/tools/win/InnoSetup/WindowsInnoSetup.iss.in @@ -61,7 +61,9 @@ PrivilegesRequired=none [Languages] Name: "english"; MessagesFile: "compiler:Default.isl" +Name: "armenian"; MessagesFile: "compiler:Languages\Armenian.isl" Name: "brazilianportuguese"; MessagesFile: "compiler:Languages\BrazilianPortuguese.isl" +Name: "bulgarian"; MessagesFile: "compiler:Languages\Bulgarian.isl" Name: "catalan"; MessagesFile: "compiler:Languages\Catalan.isl" Name: "corsican"; MessagesFile: "compiler:Languages\Corsican.isl" Name: "czech"; MessagesFile: "compiler:Languages\Czech.isl" @@ -70,19 +72,18 @@ Name: "dutch"; MessagesFile: "compiler:Languages\Dutch.isl" Name: "finnish"; MessagesFile: "compiler:Languages\Finnish.isl" Name: "french"; MessagesFile: "compiler:Languages\French.isl" Name: "german"; MessagesFile: "compiler:Languages\German.isl" -Name: "greek"; MessagesFile: "compiler:Languages\Greek.isl" Name: "hebrew"; MessagesFile: "compiler:Languages\Hebrew.isl" -Name: "hungarian"; MessagesFile: "compiler:Languages\Hungarian.isl" +Name: "icelandic"; MessagesFile: "compiler:Languages\Icelandic.isl" Name: "italian"; MessagesFile: "compiler:Languages\Italian.isl" Name: "japanese"; MessagesFile: "compiler:Languages\Japanese.isl" Name: "norwegian"; MessagesFile: "compiler:Languages\Norwegian.isl" Name: "polish"; MessagesFile: "compiler:Languages\Polish.isl" Name: "portuguese"; MessagesFile: "compiler:Languages\Portuguese.isl" Name: "russian"; MessagesFile: "compiler:Languages\Russian.isl" -Name: "serbiancyrillic"; MessagesFile: "compiler:Languages\SerbianCyrillic.isl" -Name: "serbianlatin"; MessagesFile: "compiler:Languages\SerbianLatin.isl" +Name: "slovak"; MessagesFile: "compiler:Languages\Slovak.isl" Name: "slovenian"; MessagesFile: "compiler:Languages\Slovenian.isl" Name: "spanish"; MessagesFile: "compiler:Languages\Spanish.isl" +Name: "turkish"; MessagesFile: "compiler:Languages\Turkish.isl" Name: "ukrainian"; MessagesFile: "compiler:Languages\Ukrainian.isl" [Tasks] @@ -152,4 +153,4 @@ function IsElevatedUser(): Boolean; begin Result := IsAdminLoggedOn or IsPowerUserLoggedOn; end; - \ No newline at end of file + From 34b56a14e48fe5b09b78ae1a12699be5e675d76a Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 11 Feb 2022 01:27:09 +0100 Subject: [PATCH 035/170] Fixed color matrix for SONY ILCE-7M4 #6404 --- rtengine/camconst.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 1da100a2c..7c2493d96 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -2933,8 +2933,8 @@ Camera constants: }, { // Quality C - "make_model": "Sony ILCE-7M4", - "dcraw_matrix": [ 8532, -701, -1167, -4095, 11879, 2508, -797, 2424, 7010 ] // DNG 14.1 + "make_model": "Sony ILCE-7M4", + "dcraw_matrix": [ 7460, -2365, -588, -5687, 13442, 2474, -624, 1156, 6584 ] // ColorMatrix2 using illuminant D65 from Adobe DNG Converter 14.2 }, { // Quality C, From c8e3bf030a6a198305c39f012a6b4cffe5548e73 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 11 Feb 2022 01:39:04 +0100 Subject: [PATCH 036/170] camconst.json whitespace fixes --- rtengine/camconst.json | 64 ++++++++++++++++++++---------------------- 1 file changed, 31 insertions(+), 33 deletions(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 7c2493d96..ab126c622 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -405,7 +405,7 @@ Camera constants: ] } }, - + { // Quality C, initial data by @agriggio, white frame samples provided by @noirsabb in #5862, color charts not processed yet "make_model" : "CANON EOS-1D X MARK III", "raw_crop": [ 72, 38, 5496, 3670 ], @@ -1062,7 +1062,7 @@ Camera constants: ] } }, - + { // Quality C, samples provided by falket #5495 "make_model": [ "Canon EOS 2000D", "Canon EOS Rebel T7", "Canon EOS Kiss X90" ], // raw_crop is handled by dcraw @@ -1223,8 +1223,7 @@ Camera constants: "masked_areas" : [ 40, 10, 5534, 70 ], "ranges" : { "white" : 16382 } }, - -// Canon Powershot + { // Quality C, CHDK DNGs, raw frame correction "make_model": "Canon PowerShot A3100 IS", "raw_crop": [ 24, 12, 4032, 3024 ] // full size 4036X3026 @@ -1354,7 +1353,7 @@ Camera constants: "make_model": "DJI FC6310", "ranges": { "white": 64886 } }, - + { // Quality C "make_model": "DJI FC3170", "ranges": { "white": 65472 } @@ -1445,7 +1444,7 @@ Camera constants: //"raw_crop": [ 4, 0, 4936, 3296 ], // full raw 4992,3296, fuji official 4936,3296 "ranges": { "white": 16100 } }, - + { // Quality B, samples provided by Claes "make_model": "FUJIFILM X-T1", "dcraw_matrix": [ 8458,-2451,-855,-4597,12447,2407,-1475,2482,6526 ], // DNG D65 @@ -1480,13 +1479,13 @@ Camera constants: "raw_crop": [ 0, 5, 6032, 4026 ], // full raw 6160,4032, Usable 6032,4026 - for uncompressed and lossless compressed files (but reduces height by 6 pixels) "ranges": { "white": 16100 } }, - + { // Quality C "make_model": "FUJIFILM X-E4", "dcraw_matrix": [ 13426, -6334, -1177, -4244, 12136, 2371, -580, 1303, 5980 ], // DNG v13.2 "raw_crop": [ 0, 5, 6252, 4126 ] }, - + { // Quality B, samples provided by Daniel Catalina #5824 "make_model": "FUJIFILM X-T2", "dcraw_matrix": [ 11434,-4948,-1210,-3746,12042,1903,-666,1479,5235 ], // DNG_v9.4 D65 @@ -1494,7 +1493,7 @@ Camera constants: "ranges": { "white": [ 16195, 16270, 16195 ] } // With LENR on and ISO4000+ starts to overestimate white level, more realistic would be 16090 // Negligible aperture scaling effect }, - + { // Quality B, samples provided by Claes "make_model": "FUJIFILM X-PRO2", "dcraw_matrix": [ 11434,-4948,-1210,-3746,12042,1903,-666,1479,5235 ], // DNG_v9.4 D65 @@ -1502,7 +1501,7 @@ Camera constants: "ranges": { "white": [ 16105, 16270, 16082 ] } // These values are the lowest pixel values >16000 for all ISOs. LENR has a negligible effect. // No aperture scaling data provided, but likely negligible }, - + { // Quality A, samples provided by Daniel Catalina (#5839) and pi99y (#5860) "make_model": [ "FUJIFILM X-T3", "FUJIFILM X-PRO3" ], "dcraw_matrix": [ 13426,-6334,-1177,-4244,12136,2371,-580,1303,5980 ], // DNG_v11, standard_v2 d65 @@ -1510,7 +1509,7 @@ Camera constants: "white": [ 16170, 16275, 16170 ] // typical safe-margins with LENR // negligible aperture scaling effect }, - + { // Quality B "make_model": [ "FUJIFILM X-T30", "FUJIFILM X-T30 II", "FUJIFILM X100V", "FUJIFILM X-T4", "FUJIFILM X-S10" ], "dcraw_matrix": [ 13426,-6334,-1177,-4244,12136,2371,-580,1303,5980 ], // DNG_v11, standard_v2 d65 @@ -1528,7 +1527,7 @@ Camera constants: "dcraw_matrix": [ 9252,-2704,-1064,-5893,14265,1717,-1101,2341,4349 ], // DNG_v8.8 D65 "ranges": { "white": 4040 } }, - + { // Quality C, Leica C-Lux names can differ? "make_model" : [ "LEICA C-LUX", "LEICA CAM-DC25" ], "dcraw_matrix" : [7790, -2736, -755, -3452, 11870, 1769, -628, 1647, 4898] @@ -1623,19 +1622,19 @@ Camera constants: "dcraw_matrix": [ 6612,-1342,-618,-3338,11055,2623,-174,1792,5075 ], // matrix from DNG_v8.5 d65 "ranges": { "white": 4080 } // BL autodetected from Exif }, - + { // Quality C "make_model": "Nikon D2Hs", "dcraw_matrix": [ 5733, -911, -629, -7967, 15987, 2055, -3050, 4013, 7048 ] // DNG }, - + { // Quality C "make_model": "Nikon D2Xs", "dcraw_matrix": [ 10230, -2768, -1255, -8302, 15900, 2551, -797, 680, 7148 ] // DNG }, -// For all Nikon DSLRs which have multiple bitdepth options (14- and 12-bit) we define the 14-bit value and RT adapts it to 12-bit -// when a 12-bit bitdepth is detected (WL12 = WL14*4095/16383) + // For all Nikon DSLRs which have multiple bitdepth options (14- and 12-bit) we define the 14-bit value and RT adapts it to 12-bit + // when a 12-bit bitdepth is detected (WL12 = WL14*4095/16383) { // Quality B, samples by Johan Thor at RT.Issues, measures at long exposures with LENR are missing // but a safety margin is included - aperture scaling makes no significant difference @@ -1708,7 +1707,7 @@ Camera constants: } // No significant influence of ISO // No aperture scaling reported }, - + { // Quality B, samples provided by arvindpgh (#6066) // Sensor shows some non-uniformity, need other sample to verify // There seems to be some aperture scaling, but insufficient data to accurately determine @@ -1770,7 +1769,7 @@ Camera constants: "dcraw_matrix": [ 8813,-3210,-1036,-4703,12868,2021,-1054,1940,6129 ], // adobe dng_v9.12 d65 "ranges": { "white": 16300 } // WL value is for 14-bit files, RT auto adapts it for 12-bit files. WL typical 16383 set to 16300 for safety, }, - + { // Quality C "make_model": "Nikon D300s", "dcraw_matrix": [ 9030, -1992, -716, -8465, 16302, 2256, -2689, 3217, 8068 ] // DNG @@ -1824,7 +1823,7 @@ Camera constants: "dcraw_matrix": [ 9020,-2890,-715,-4535,12436,2348,-934,1918,7086 ], // DNG v13.2 "ranges": { "white": 16300 } // WL values for 14-bit files, RT auto adapts it for 12-bit files. TypicalWL 16383 set to 16300 for safety }, - + { // Quality C "make_model": "Nikon D780", "dcraw_matrix": [ 9943, -3270, -839, -5323, 13269, 2259, -1198, 2083, 7557 ] // DNG @@ -1848,7 +1847,7 @@ Camera constants: "raw_crop": [ 0, 0, 7380, 4928 ], // Official raw crop 7380x4928, "ranges": { "white": 16300 } // WL values for 14-bit files, RT auto adapts it for 12-bit files. Typical WL at 16383 }, - + { // Quality C "make_model": "Nikon D810A", "dcraw_matrix": [ 11973, -5685, -888, -1965, 10326, 1901, -115, 1123, 7169 ] // DNG @@ -1903,7 +1902,7 @@ Camera constants: "pdaf_pattern" : [0, 12], "pdaf_offset" : 29 }, - + { // Quality C "make_model" : "Nikon Z 7_2", "dcraw_matrix" : [13705, -6004, -1401, -5464, 13568, 2062, -940, 1706, 7618] // DNG @@ -1915,7 +1914,7 @@ Camera constants: "pdaf_pattern" : [0, 12], "pdaf_offset" : 32 }, - + { // Quality C "make_model" : "Nikon Z 6_2", "dcraw_matrix" : [9943, -3270, -839, -5323, 13269, 2259, -1198, 2083, 7557] // DNG @@ -2026,7 +2025,7 @@ Camera constants: "dcraw_matrix": [ 7687,-1984,-606,-4327,11928,2721,-1381,2339,6452 ], // dng d65 "ranges": { "white": 4080 } // nominal 4095-4094, spread with some settings as long exposure }, - + { // Quality C "make_model": "OLYMPUS E-M1MarkIII", "dcraw_matrix": [ 11896, -5110, -1076, -3181, 11378, 2048, -519, 1224, 5165 ] // DNG @@ -2045,7 +2044,7 @@ Camera constants: //"raw_crop": [ 4, 4, 4616, 3464 ], // olympus jpeg crop 8, 8, 4608, 3456 "ranges": { "white": 4080 } }, - + { // Quality C "make_model": "OLYMPUS E-M10MarkIV", "dcraw_matrix": [ 9476, -3182, -765, -2613, 10958, 1893, -449, 1315, 5268 ], @@ -2064,7 +2063,7 @@ Camera constants: "dcraw_matrix": [ 8380, -2630, -639, -2887, 10725, 2496, -628, 1427, 5437 ], "ranges": { "white": 4080 } // nominal 4093 }, - + { // Quality C "make_model": [ "OLYMPUS E-PL10" ], "dcraw_matrix": [ 9197, -3190, -659, -2606, 10830, 2039, -458, 1250, 5457 ] @@ -2252,9 +2251,8 @@ Camera constants: "make_model": [ "Panasonic DC-ZS80", "Panasonic DC-TZ95" ], "dcraw_matrix": [ 12194, -5340, -1329, -3035, 11394, 1858, -50, 1418, 5219 ] // DNG }, - -// Panasonic DMC-FZ150,G10,G1,G2,G3,G5,GF1,GF2,GF3 are included as overwrites of the same items of rawimage.cc to test the dcraw9.21 patch + // Panasonic DMC-FZ150,G10,G1,G2,G3,G5,GF1,GF2,GF3 are included as overwrites of the same items of rawimage.cc to test the dcraw9.21 patch { // Quality A, Replicated from rawimage.cc "make_model": [ "Panasonic DMC-G10", "Panasonic DMC-G2" ], @@ -2547,7 +2545,7 @@ Camera constants: ] } }, - + { // Quality C "make_model": "Panasonic DC-S1H", "dcraw_matrix": [ 9397, -3719, -805, -5425, 13326, 2309, -972, 1715, 6034 ] // DNG @@ -2813,7 +2811,7 @@ Camera constants: "raw_crop": [ 0, 0, -36, 0 ], // full raw frame 8000x5320 - 36 rightmost columns are garbage "ranges": { "black": 512, "white": 16300 } }, - + { // Quality C "make_model": "Sony ILCE-1", "dcraw_matrix": [ 8161, -2947, -739, -4811, 12668, 2389, -437, 1229, 6524 ] // DNG v13.2 @@ -2931,10 +2929,10 @@ Camera constants: "pdaf_pattern" : [ 0,12,24,36,54,66,72,84,96,114,120,132,150,156,174,180,192,204,216,234,240,252,264,276,282,300,306,324,336,342,360,372,384,402,414,420], "pdaf_offset" : 9 }, - + { // Quality C - "make_model": "Sony ILCE-7M4", - "dcraw_matrix": [ 7460, -2365, -588, -5687, 13442, 2474, -624, 1156, 6584 ] // ColorMatrix2 using illuminant D65 from Adobe DNG Converter 14.2 + "make_model": "Sony ILCE-7M4", + "dcraw_matrix": [ 7460, -2365, -588, -5687, 13442, 2474, -624, 1156, 6584 ] // ColorMatrix2 using illuminant D65 from Adobe DNG Converter 14.2 }, { // Quality C, @@ -3159,7 +3157,7 @@ Camera constants: "make_model": [ "Hasselblad H6D-100cMS" ], "raw_crop": [ 64, 108, 11608, 8708 ] }, - + { // Quality C "make_model": "Hasselblad L1D-20c", // DJI Mavic 2 Pro "dcraw_matrix": [ 6267, -2021, -687, -4664, 13343, 1399, -234, 1019, 5524 ] // DNG 13.2 From 3bb0fec986ddd993704f72cc1d80acac23b956ff Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sat, 12 Feb 2022 06:15:01 +0100 Subject: [PATCH 037/170] Change lensfun path in automated Windows build Fixes #6426 This aligns the paths to earlier builds, so that the path in people's `options` file is more likely to work correctly, immediately. --- .github/workflows/windows.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index aabdf70d7..f3f98b853 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -68,7 +68,7 @@ jobs: -DCMAKE_BUILD_TYPE='${{matrix.build_type}}' \ -DCACHE_NAME_SUFFIX="$CACHE_SUFFIX" \ -DPROC_TARGET_NUMBER="1" \ - -DLENSFUNDBDIR="./share/lensfun/version_1" \ + -DLENSFUNDBDIR="share/lensfun" \ .. echo "Recording filtered ref name." @@ -87,7 +87,7 @@ jobs: echo "Creating Lensfun directory in the build directory." mkdir -p 'build/${{matrix.build_type}}/share' echo "Copying Lensfun database to the build directory." - cp -R "/C/msys2/msys64/mingw64/var/lib/lensfun-updates" 'build/${{matrix.build_type}}/share/lensfun' + cp -R "/C/msys2/msys64/mingw64/var/lib/lensfun-updates/version_1" 'build/${{matrix.build_type}}/share/lensfun' - name: Restore GDB from cache id: gdb-cache From 9a1423db6d7b098703bd359851183e8b7613cc4c Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sat, 12 Feb 2022 06:41:42 +0100 Subject: [PATCH 038/170] Update automated Windows build to have simple win64 name --- .github/workflows/windows.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index f3f98b853..4e00dbcd3 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -282,7 +282,7 @@ jobs: if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} run: | echo "Setting publish name." - PUBLISH_NAME="RawTherapee_${REF_NAME_FILTERED}_WinVista_64_${{matrix.build_type}}" + PUBLISH_NAME="RawTherapee_${REF_NAME_FILTERED}_win64_${{matrix.build_type}}" echo "Publish name is '$PUBLISH_NAME'." if [ "$ARTIFACT_NAME" != "$PUBLISH_NAME" ]; then echo "Renaming ZIP file." From b7c3b47ad72b931bc8895d12d4d5916d0f2f736f Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 13 Feb 2022 11:41:55 -0800 Subject: [PATCH 039/170] Improve AppImage build (#6427) Publish AboutThisBuild.txt for AppImage builds. Make AppImage name consistent with Windows builds. Port Windows build enhancements to AppImage build. Cache AppImage tools in build workflow. Fix AppImage publishing script. Remove "WinVista" from build artifact name. --- .github/workflows/appimage.yml | 110 +++++++++++++++++++++++---------- .github/workflows/windows.yml | 4 +- 2 files changed, 79 insertions(+), 35 deletions(-) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index 2f048456d..e8e9f44a1 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -3,6 +3,8 @@ on: push: branches: - dev + tags: + - '[0-9]+.*' pull_request: branches: - dev @@ -10,30 +12,45 @@ on: jobs: build: runs-on: ubuntu-18.04 + strategy: + fail-fast: false + matrix: + build_type: [release] steps: - name: Checkout source uses: actions/checkout@v2 with: fetch-depth: 0 + - name: Install dependencies run: | echo "Running apt update." sudo apt update echo "Installing dependencies with apt." DEBIAN_FRONTEND=noninteractive sudo apt install -y cmake libgtk-3-dev libgtkmm-3.0-dev liblensfun-dev librsvg2-dev liblcms2-dev libfftw3-dev libiptcdata0-dev libtiff5-dev libcanberra-gtk3-dev liblensfun-bin + - name: Configure build run: | - echo "Getting branch name." - BRANCH="$(git branch --show-current)" - echo "Branch name is '$BRANCH'." + export REF_NAME_FILTERED="$(echo '${{github.ref_name}}' | sed 's/[^A-z0-9_.-]//g')" + + echo "Setting cache suffix." + if [ '${{github.ref_type}}' == 'tag' ]; then + export CACHE_SUFFIX="" + else + export CACHE_SUFFIX="5-$REF_NAME_FILTERED" + fi + export CACHE_SUFFIX="$CACHE_SUFFIX-AppImage" + echo "Cache suffix is '$CACHE_SUFFIX'." + echo "Making build directory." mkdir build echo "Changing working directory to the build directory." cd build + echo "Running CMake configure." cmake \ - -DCMAKE_BUILD_TYPE="release" \ - -DCACHE_NAME_SUFFIX="5-$BRANCH-AppImage" \ + -DCMAKE_BUILD_TYPE='${{matrix.build_type}}' \ + -DCACHE_NAME_SUFFIX="$CACHE_SUFFIX" \ -DPROC_TARGET_NUMBER="1" \ -DBUILD_BUNDLE="ON" \ -DBUNDLE_BASE_INSTALL_DIR="/" \ @@ -45,6 +62,10 @@ jobs: -DCMAKE_INSTALL_PREFIX=/usr \ -DLENSFUNDBDIR="../share/lensfun/version_1" \ .. + + echo "Recording filtered ref name." + echo "REF_NAME_FILTERED=$REF_NAME_FILTERED" >> $GITHUB_ENV + - name: Build RawTherapee working-directory: ./build run: | @@ -52,6 +73,7 @@ jobs: make -j$(nproc) install DESTDIR=AppDir/usr/bin echo "Moving usr/bin/share to usr/share." mv AppDir/usr/bin/share AppDir/usr/ + - name: Include Lensfun run: | echo "Updating Lensfun database." @@ -60,7 +82,18 @@ jobs: mkdir -p build/AppDir/usr/share/lensfun echo "Copying Lensfun database to the build directory." cp -R ~/.local/share/lensfun/updates/* build/AppDir/usr/share/lensfun/ + + - name: Restore AppImage tools from cache + id: appimage-tools-cache + uses: actions/cache@v2 + with: + key: appimage-tools + path: | + ./build/linuxdeploy-x86_64.AppImage + ./build/linuxdeploy-plugin-gtk.sh + - name: Download AppImage tools + if: ${{steps.appimage-tools-cache.outputs.cache-hit != 'true'}} working-directory: ./build run: | echo "Downloading linuxdeploy." @@ -69,52 +102,63 @@ jobs: curl --location 'https://raw.githubusercontent.com/linuxdeploy/linuxdeploy-plugin-gtk/master/linuxdeploy-plugin-gtk.sh' > linuxdeploy-plugin-gtk.sh echo "Setting execute bit on all AppImage tools." chmod u+x linuxdeploy-* + - name: Package AppImage working-directory: ./build run: | - echo "Getting RawTherapee version." - export VERSION="$(grep -m 1 '^Version: .*$' AboutThisBuild.txt | sed 's/^Version: \(.\+\)$/\1/')" - echo "Version is '$VERSION'." + echo "Creating artifact name." + if [ '${{github.ref_type}}' == 'tag' ]; then + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_${{matrix.build_type}}" + else + echo "Getting RawTherapee version." + export VERSION="$(grep -m 1 '^Version: .*$' 'AboutThisBuild.txt' | sed 's/^Version: \(.\+\)$/\1/')" + echo "Version is '$VERSION'." + FILTERED_VERSION="$(echo "$VERSION" | sed 's/[^A-z0-9_.-]//g')" + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_${FILTERED_VERSION}_${{matrix.build_type}}" + fi + echo "Artifact name is '$ARTIFACT_NAME'." + echo "Generating AppImage file name." - FILTERED_VERSION="$(echo "$VERSION" | sed 's/[^A-z0-9_.-]//g')" - export OUTPUT="RawTherapee-$FILTERED_VERSION-x86_64.AppImage" + export OUTPUT="$ARTIFACT_NAME.AppImage" echo "AppImage file name will be '$OUTPUT'." + echo "Packaging AppImage." ./linuxdeploy-x86_64.AppImage \ --appimage-extract-and-run \ --appdir AppDir \ --plugin gtk \ --output appimage - echo "Recording RawTherapee version." - echo "RT_VERSION=$VERSION" >> $GITHUB_ENV - echo "Recording AppImage file name." - echo "APPIMAGE_NAME=$OUTPUT" >> $GITHUB_ENV + + echo "Recording artifact name." + echo "ARTIFACT_NAME=$ARTIFACT_NAME" >> $GITHUB_ENV + - name: Upload artifacts uses: actions/upload-artifact@v2 with: - name: ${{env.APPIMAGE_NAME}} - path: ${{github.workspace}}/build/${{env.APPIMAGE_NAME}} + name: ${{env.ARTIFACT_NAME}}.AppImage + path: ${{github.workspace}}/build/${{env.ARTIFACT_NAME}}.AppImage + - name: Prepare for publishing + if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} run: | - echo "Setting dev AppImage file name." - APPIMAGE_DEV_NAME="RawTherapee-dev-x86_64.AppImage" - echo "dev AppImage file name is '$APPIMAGE_DEV_NAME'." - echo "Renaming dev AppImage." - cp "build/$APPIMAGE_NAME" "$APPIMAGE_DEV_NAME" - echo "Recording dev AppImage file name." - echo "APPIMAGE_DEV_NAME=$APPIMAGE_DEV_NAME" >> $GITHUB_ENV - echo "Setting dev AppImage version file name." - APPIMAGE_DEV_VERSION_NAME="RawTherapee-dev-x86_64-version.txt" - echo "dev AppImage version file name is '$APPIMAGE_DEV_VERSION_NAME'." - echo "Creating dev AppImage version file." - echo "$RT_VERSION" > "$APPIMAGE_DEV_VERSION_NAME" - echo "Recording dev AppImage version file name." - echo "APPIMAGE_DEV_VERSION_NAME=$APPIMAGE_DEV_VERSION_NAME" >> $GITHUB_ENV + echo "Setting publish name." + PUBLISH_NAME="RawTherapee_${REF_NAME_FILTERED}_${{matrix.build_type}}" + echo "Publish name is '$PUBLISH_NAME'." + + echo "Renaming AppImage." + cp "build/$ARTIFACT_NAME.AppImage" "$PUBLISH_NAME.AppImage" + + echo "Creating version file." + cp "build/AboutThisBuild.txt" "$PUBLISH_NAME-AboutThisBuild.txt" + + echo "Recording publish name." + echo "PUBLISH_NAME=$PUBLISH_NAME" >> $GITHUB_ENV + - name: Publish artifacts uses: softprops/action-gh-release@v1 - if: ${{github.ref == 'refs/heads/dev'}} + if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} with: tag_name: nightly-github-actions files: | - ${{env.APPIMAGE_DEV_NAME}} - ${{env.APPIMAGE_DEV_VERSION_NAME}} + ${{env.PUBLISH_NAME}}.AppImage + ${{env.PUBLISH_NAME}}-AboutThisBuild.txt diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index 4e00dbcd3..0696b06c6 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -236,13 +236,13 @@ jobs: - name: Prepare artifact name run: | if [ '${{github.ref_type}}' == 'tag' ]; then - ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_WinVista_64_${{matrix.build_type}}" + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_win64_${{matrix.build_type}}" else echo "Getting RawTherapee version." export VERSION="$(grep -m 1 '^Version: .*$' './build/${{matrix.build_type}}/AboutThisBuild.txt' | sed 's/^Version: \(.\+\)$/\1/')" echo "Version is '$VERSION'." FILTERED_VERSION="$(echo "$VERSION" | sed 's/[^A-z0-9_.-]//g')" - ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_${FILTERED_VERSION}_WinVista_64_${{matrix.build_type}}" + ARTIFACT_NAME="RawTherapee_${REF_NAME_FILTERED}_${FILTERED_VERSION}_win64_${{matrix.build_type}}" fi echo "Artifact name is '$ARTIFACT_NAME'." From 346b5b6f52592be472c9aa364e34527637fc70ea Mon Sep 17 00:00:00 2001 From: Benitoite Date: Sun, 20 Feb 2022 20:41:17 -0800 Subject: [PATCH 040/170] mac: clarify command-line interface instructions --- tools/osx/INSTALL.readme.rtf | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/tools/osx/INSTALL.readme.rtf b/tools/osx/INSTALL.readme.rtf index 799ff5bd7..6c8f2e334 100644 --- a/tools/osx/INSTALL.readme.rtf +++ b/tools/osx/INSTALL.readme.rtf @@ -1,3 +1,7 @@ -An unsigned -cli is in the zip along with the .dmg. -You must install the app from the .dmg into /Applications and copy the -cli to your /usr/local/bin. -The -cli will load its libraries dynamically from the app in /Applications. +To use the RawTherapee Application: + You must drag the app from the .dmg into the /Applications folder. + +If you wish to use the Command-Line Interface: + An unsigned -cli is in the zip along with the .dmg. + You must install the app from the .dmg into /Applications and copy the -cli to your /usr/local/bin. + The -cli will load its libraries dynamically from the app in /Applications. From 58f0783561d1244edfcd6413b4d8b9d8df98c95e Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 5 Mar 2022 18:26:52 -0800 Subject: [PATCH 041/170] Allow selecting file as external editor --- rtdata/languages/default | 2 + rtgui/externaleditorpreferences.cc | 71 ++++++++++++++++++++++++++++++ rtgui/externaleditorpreferences.h | 19 ++++++++ 3 files changed, 92 insertions(+) diff --git a/rtdata/languages/default b/rtdata/languages/default index 538c25b00..4d80f56a9 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -208,6 +208,7 @@ FILEBROWSER_ZOOMOUTHINT;Decrease thumbnail size.\n\nShortcuts:\n- - Multi FILECHOOSER_FILTER_ANY;All files FILECHOOSER_FILTER_COLPROF;Color profiles (*.icc) FILECHOOSER_FILTER_CURVE;Curve files +FILECHOOSER_FILTER_EXECUTABLE;Executable files FILECHOOSER_FILTER_LCP;Lens correction profiles FILECHOOSER_FILTER_PP;Processing profiles FILECHOOSER_FILTER_SAME;Same format as current photo @@ -1782,6 +1783,7 @@ PREFERENCES_EDITORCMDLINE;Custom command line PREFERENCES_EDITORLAYOUT;Editor layout PREFERENCES_EXTERNALEDITOR;External Editor PREFERENCES_EXTERNALEDITOR_CHANGE;Change Application +PREFERENCES_EXTERNALEDITOR_CHANGE_FILE;Change Executable PREFERENCES_EXTERNALEDITOR_COLUMN_NAME;Name PREFERENCES_EXTERNALEDITOR_COLUMN_COMMAND;Command PREFERENCES_EXTEDITOR_DIR;Output directory diff --git a/rtgui/externaleditorpreferences.cc b/rtgui/externaleditorpreferences.cc index 61bf8dc3a..c6ee9b93e 100644 --- a/rtgui/externaleditorpreferences.cc +++ b/rtgui/externaleditorpreferences.cc @@ -18,6 +18,11 @@ */ #include +#include +#include +#include +#include + #include "externaleditorpreferences.h" #include "multilangmgr.h" #include "rtimage.h" @@ -54,11 +59,14 @@ ExternalEditorPreferences::ExternalEditorPreferences(): button_add->set_image(*add_image); button_remove->set_image(*remove_image); button_app_chooser = Gtk::make_managed(M("PREFERENCES_EXTERNALEDITOR_CHANGE")); + button_file_chooser = Gtk::manage(new Gtk::Button(M("PREFERENCES_EXTERNALEDITOR_CHANGE_FILE"))); button_app_chooser->signal_pressed().connect(sigc::mem_fun( *this, &ExternalEditorPreferences::openAppChooserDialog)); button_add->signal_pressed().connect(sigc::mem_fun( *this, &ExternalEditorPreferences::addEditor)); + button_file_chooser->signal_pressed().connect(sigc::mem_fun( + *this, &ExternalEditorPreferences::openFileChooserDialog)); button_remove->signal_pressed().connect(sigc::mem_fun( *this, &ExternalEditorPreferences::removeSelectedEditors)); @@ -69,6 +77,7 @@ ExternalEditorPreferences::ExternalEditorPreferences(): // Toolbar. toolbar.set_halign(Gtk::Align::ALIGN_END); toolbar.add(*button_app_chooser); + toolbar.add(*button_file_chooser); toolbar.add(*button_add); toolbar.add(*button_remove); @@ -204,6 +213,38 @@ void ExternalEditorPreferences::onAppChooserDialogResponse( } } +void ExternalEditorPreferences::onFileChooserDialogResponse( + int response_id, Gtk::FileChooserDialog *dialog) +{ + switch (response_id) { + case Gtk::RESPONSE_OK: { + dialog->close(); + + auto selection = list_view->get_selection()->get_selected_rows(); + for (const auto &selected : selection) { + auto row = *list_model->get_iter(selected); + row[model_columns.icon] = Glib::RefPtr(nullptr); + row[model_columns.command] = +#ifdef WIN32 + '"' + dialog->get_filename() + '"'; +#else + Glib::shell_quote(dialog->get_filename()); +#endif + } + + break; + } + + case Gtk::RESPONSE_CANCEL: + case Gtk::RESPONSE_CLOSE: + dialog->close(); + break; + + default: + break; + } +} + void ExternalEditorPreferences::openAppChooserDialog() { if (app_chooser_dialog.get()) { @@ -221,6 +262,35 @@ void ExternalEditorPreferences::openAppChooserDialog() app_chooser_dialog->show(); } +void ExternalEditorPreferences::openFileChooserDialog() +{ + if (file_chooser_dialog.get()) { + file_chooser_dialog->show(); + return; + } + + file_chooser_dialog.reset(new Gtk::FileChooserDialog(M("PREFERENCES_EXTERNALEDITOR_CHANGE_FILE"))); + + const auto exe_filter = Gtk::FileFilter::create(); + exe_filter->set_name(M("FILECHOOSER_FILTER_EXECUTABLE")); + exe_filter->add_custom(Gtk::FILE_FILTER_MIME_TYPE, [](const Gtk::FileFilter::Info &info) { + return Gio::content_type_can_be_executable(info.mime_type); + }); + const auto all_filter = Gtk::FileFilter::create(); + all_filter->set_name(M("FILECHOOSER_FILTER_ANY")); + all_filter->add_pattern("*"); + file_chooser_dialog->add_filter(exe_filter); + file_chooser_dialog->add_filter(all_filter); + + file_chooser_dialog->signal_response().connect(sigc::bind( + sigc::mem_fun(*this, &ExternalEditorPreferences::onFileChooserDialogResponse), + file_chooser_dialog.get())); + file_chooser_dialog->set_modal(); + file_chooser_dialog->add_button(M("GENERAL_CANCEL"), Gtk::RESPONSE_CANCEL); + file_chooser_dialog->add_button(M("GENERAL_OPEN"), Gtk::RESPONSE_OK); + file_chooser_dialog->show(); +} + void ExternalEditorPreferences::removeSelectedEditors() { auto selection = list_view->get_selection()->get_selected_rows(); @@ -265,6 +335,7 @@ void ExternalEditorPreferences::updateToolbarSensitivity() { bool selected = list_view->get_selection()->count_selected_rows(); button_app_chooser->set_sensitive(selected); + button_file_chooser->set_sensitive(selected); button_remove->set_sensitive(selected); } diff --git a/rtgui/externaleditorpreferences.h b/rtgui/externaleditorpreferences.h index 5761d8b63..34658d942 100644 --- a/rtgui/externaleditorpreferences.h +++ b/rtgui/externaleditorpreferences.h @@ -28,6 +28,14 @@ #include "rtappchooserdialog.h" +namespace Gtk +{ + +class FileChooserDialog; + +} + + /** * Widget for editing the external editors options. */ @@ -98,8 +106,10 @@ private: Gtk::Box toolbar; // Contains buttons for editing the list. Gtk::Button *button_app_chooser; Gtk::Button *button_add; + Gtk::Button *button_file_chooser; Gtk::Button *button_remove; std::unique_ptr app_chooser_dialog; + std::unique_ptr file_chooser_dialog; /** * Inserts a new editor entry after the current selection, or at the end if @@ -119,10 +129,19 @@ private: * Closes the dialog and updates the selected entry if an app was chosen. */ void onAppChooserDialogResponse(int responseId, RTAppChooserDialog *dialog); + /** + * Called when the user is done interacting with the file chooser dialog. + * Closes the dialog and updates the selected entry if a file was chosen. + */ + void onFileChooserDialogResponse(int responseId, Gtk::FileChooserDialog *dialog); /** * Shows the app chooser dialog. */ void openAppChooserDialog(); + /** + * Shows the file chooser dialog for picking an executable. + */ + void openFileChooserDialog(); /** * Removes all selected editors. */ From 329341f89f78cd995e6266e97e19e76f08a419b2 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 5 Mar 2022 18:36:28 -0800 Subject: [PATCH 042/170] Replace Gtk::make_managed() with Gtk::manage() Maintain compatibility with gtkmm 3.16. --- rtgui/editorpanel.cc | 2 +- rtgui/externaleditorpreferences.cc | 22 +++++++++++----------- rtgui/popupcommon.cc | 12 ++++++------ rtgui/preferences.cc | 2 +- 4 files changed, 19 insertions(+), 19 deletions(-) diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 987852891..a9797a216 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -671,7 +671,7 @@ EditorPanel::EditorPanel (FilePanel* filePanel) queueimg->set_tooltip_markup (M ("MAIN_BUTTON_PUTTOQUEUE_TOOLTIP")); setExpandAlignProperties (queueimg, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); - send_to_external = Gtk::make_managed("", false); + send_to_external = Gtk::manage(new PopUpButton("", false)); send_to_external->set_tooltip_text(M("MAIN_BUTTON_SENDTOEDITOR_TOOLTIP")); setExpandAlignProperties(send_to_external->buttonGroup, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); send_to_external->addEntry("palette-brush.png", M("GENERAL_OTHER")); diff --git a/rtgui/externaleditorpreferences.cc b/rtgui/externaleditorpreferences.cc index c6ee9b93e..58a562725 100644 --- a/rtgui/externaleditorpreferences.cc +++ b/rtgui/externaleditorpreferences.cc @@ -34,7 +34,7 @@ ExternalEditorPreferences::ExternalEditorPreferences(): toolbar(Gtk::Orientation::ORIENTATION_HORIZONTAL) { // List view. - list_view = Gtk::make_managed(); + list_view = Gtk::manage(new Gtk::TreeView()); list_view->set_model(list_model); list_view->append_column(*Gtk::manage(makeAppColumn())); list_view->append_column(*Gtk::manage(makeCommandColumn())); @@ -52,13 +52,13 @@ ExternalEditorPreferences::ExternalEditorPreferences(): list_scroll_area.add(*list_view); // Toolbar buttons. - auto add_image = Gtk::make_managed("add-small.png"); - auto remove_image = Gtk::make_managed("remove-small.png"); - button_add = Gtk::make_managed(); - button_remove = Gtk::make_managed(); + auto add_image = Gtk::manage(new RTImage("add-small.png")); + auto remove_image = Gtk::manage(new RTImage("remove-small.png")); + button_add = Gtk::manage(new Gtk::Button()); + button_remove = Gtk::manage(new Gtk::Button()); button_add->set_image(*add_image); button_remove->set_image(*remove_image); - button_app_chooser = Gtk::make_managed(M("PREFERENCES_EXTERNALEDITOR_CHANGE")); + button_app_chooser = Gtk::manage(new Gtk::Button(M("PREFERENCES_EXTERNALEDITOR_CHANGE"))); button_file_chooser = Gtk::manage(new Gtk::Button(M("PREFERENCES_EXTERNALEDITOR_CHANGE_FILE"))); button_app_chooser->signal_pressed().connect(sigc::mem_fun( @@ -159,9 +159,9 @@ void ExternalEditorPreferences::addEditor() Gtk::TreeViewColumn *ExternalEditorPreferences::makeAppColumn() { - auto name_renderer = Gtk::make_managed(); - auto icon_renderer = Gtk::make_managed(); - auto col = Gtk::make_managed(); + auto name_renderer = Gtk::manage(new Gtk::CellRendererText()); + auto icon_renderer = Gtk::manage(new Gtk::CellRendererPixbuf()); + auto col = Gtk::manage(new Gtk::TreeViewColumn()); col->set_title(M("PREFERENCES_EXTERNALEDITOR_COLUMN_NAME")); col->set_resizable(); @@ -180,8 +180,8 @@ Gtk::TreeViewColumn *ExternalEditorPreferences::makeAppColumn() Gtk::TreeViewColumn *ExternalEditorPreferences::makeCommandColumn() { - auto command_renderer = Gtk::make_managed(); - auto col = Gtk::make_managed(); + auto command_renderer = Gtk::manage(new Gtk::CellRendererText()); + auto col = Gtk::manage(new Gtk::TreeViewColumn()); col->set_title(M("PREFERENCES_EXTERNALEDITOR_COLUMN_COMMAND")); col->pack_start(*command_renderer); diff --git a/rtgui/popupcommon.cc b/rtgui/popupcommon.cc index c33ac068e..1dbde833e 100644 --- a/rtgui/popupcommon.cc +++ b/rtgui/popupcommon.cc @@ -50,14 +50,14 @@ PopUpCommon::PopUpCommon (Gtk::Button* thisButton, const Glib::ustring& label) buttonGroup->get_style_context()->add_class("image-combo"); // Create the image for the button - buttonImage = Gtk::make_managed(); + buttonImage = Gtk::manage(new RTImage()); setExpandAlignProperties(buttonImage, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); imageContainer->attach_next_to(*buttonImage, Gtk::POS_RIGHT, 1, 1); buttonImage->set_no_show_all(); // Create the button for showing the pop-up. - arrowButton = Gtk::make_managed(); - Gtk::Image *arrowImage = Gtk::make_managed(); + arrowButton = Gtk::manage(new Gtk::Button()); + Gtk::Image *arrowImage = Gtk::manage(new Gtk::Image()); arrowImage->set_from_icon_name("pan-down-symbolic", Gtk::ICON_SIZE_BUTTON); setExpandAlignProperties(arrowButton, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_FILL); arrowButton->add(*arrowImage); //menuSymbol); @@ -82,7 +82,7 @@ bool PopUpCommon::insertEntry(int position, const Glib::ustring& fileName, const { RTImage* image = nullptr; if (!fileName.empty()) { - image = Gtk::make_managed(fileName); + image = Gtk::manage(new RTImage(fileName)); } bool success = insertEntryImpl(position, fileName, Glib::RefPtr(), image, label); if (!success && image) { @@ -93,7 +93,7 @@ bool PopUpCommon::insertEntry(int position, const Glib::ustring& fileName, const bool PopUpCommon::insertEntry(int position, const Glib::RefPtr& gIcon, const Glib::ustring& label) { - RTImage* image = Gtk::make_managed(gIcon, Gtk::ICON_SIZE_BUTTON); + RTImage* image = Gtk::manage(new RTImage(gIcon, Gtk::ICON_SIZE_BUTTON)); bool success = insertEntryImpl(position, "", gIcon, image, label); if (!success) { delete image; @@ -107,7 +107,7 @@ bool PopUpCommon::insertEntryImpl(int position, const Glib::ustring& fileName, c return false; // Create the menu item and image - MyImageMenuItem *newItem = Gtk::make_managed(label, image); + MyImageMenuItem *newItem = Gtk::manage(new MyImageMenuItem(label, image)); imageIcons.insert(imageIcons.begin() + position, gIcon); imageFilenames.insert(imageFilenames.begin() + position, fileName); images.insert(images.begin() + position, newItem->getImage()); diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index a8f5c64a3..734e74e91 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -1249,7 +1249,7 @@ Gtk::Widget* Preferences::getGeneralPanel() #endif #endif - externalEditors = Gtk::make_managed(); + externalEditors = Gtk::manage(new ExternalEditorPreferences()); externalEditors->set_size_request(-1, 200); #ifdef EXT_EDITORS_RADIOS externaleditorGrid->attach_next_to(*externalEditors, *edOther, Gtk::POS_BOTTOM, 2, 1); From 793a77fc4484505645106547ee952dfd2e2d30a8 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 6 Mar 2022 11:52:09 -0800 Subject: [PATCH 043/170] Add missing include --- rtgui/extprog.h | 1 + 1 file changed, 1 insertion(+) diff --git a/rtgui/extprog.h b/rtgui/extprog.h index 86dbc1674..cdcf14e48 100644 --- a/rtgui/extprog.h +++ b/rtgui/extprog.h @@ -20,6 +20,7 @@ #include +#include #include #include "threadutils.h" From bd118a4a40cd67f6d2e48db5655bd11d3aac0ff8 Mon Sep 17 00:00:00 2001 From: Simone Gotti Date: Sat, 26 Mar 2022 11:28:05 +0100 Subject: [PATCH 044/170] dcraw: use the right black levels for linear DNGs (#6444) Linear dng (like the one created by Adobe DNG Converter) contains multiple tiff subifd with different kind of images (the Primary Image and multiple previews), these defines different kind of black levels. Currently dcraw has a global cblack array that is overwritten by the last parsed tiff ifd. With such kind of linear dng it's the last subifd. The causes the use of the wrong black levels with the image having usually a magenta color cast. The dng spec uses the NewSubFileType tag to define the primary image with tag value as 0. This patch reads also the NewSubFileType tag and populates the cblack array provided by the other tags only if it's the primary image. --- rtengine/dcraw.cc | 6 ++++++ rtengine/dcraw.h | 2 +- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 07586bc3e..0761cb272 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6404,6 +6404,9 @@ int CLASS parse_tiff_ifd (int base) case 3: case 257: case 61442: /* ImageHeight */ tiff_ifd[ifd].height = getint(type); break; + case 254: + tiff_ifd[ifd].new_sub_file_type = getint(type); + break; case 258: /* BitsPerSample */ case 61443: tiff_ifd[ifd].samples = len & 7; @@ -6737,14 +6740,17 @@ guess_cfa_pc: linear_table (len); break; case 50713: /* BlackLevelRepeatDim */ + if (tiff_ifd[ifd].new_sub_file_type != 0) continue; cblack[4] = get2(); cblack[5] = get2(); if (cblack[4] * cblack[5] > sizeof cblack / sizeof *cblack - 6) cblack[4] = cblack[5] = 1; break; case 61450: + if (tiff_ifd[ifd].new_sub_file_type != 0) continue; cblack[4] = cblack[5] = MIN(sqrt(len),64); case 50714: /* BlackLevel */ + if (tiff_ifd[ifd].new_sub_file_type != 0) continue; RT_blacklevel_from_constant = ThreeValBool::F; //----------------------------------------------------------------------------- // taken from LibRaw. diff --git a/rtengine/dcraw.h b/rtengine/dcraw.h index bc009e67c..324be3554 100644 --- a/rtengine/dcraw.h +++ b/rtengine/dcraw.h @@ -209,7 +209,7 @@ protected: } first_decode[2048], *second_decode, *free_decode; struct tiff_ifd { - int width, height, bps, comp, phint, offset, flip, samples, bytes; + int new_sub_file_type, width, height, bps, comp, phint, offset, flip, samples, bytes; int tile_width, tile_length, sample_format, predictor; float shutter; } tiff_ifd[10]; From be94d40c698369cb72b87f6beec3bc3571ba061a Mon Sep 17 00:00:00 2001 From: Simone Gotti Date: Sat, 26 Mar 2022 11:31:44 +0100 Subject: [PATCH 045/170] Handle linear DNG as other raw images (#6442) RawTherapee already handle linear DNGs as a RawImageSource but the red, green, blue RawImageSource arrays aren't populated. So operations that rely on them like Highlight recovery with color Propagation and Retinex have no effect. This patch populates the above arrays by calling nodemoasic for images that have 3 color and not a CFA. Then these channels will be used by RawImageSource::getImage like done with CFA or monochrome images --- rtengine/demosaic_algos.cc | 8 ++++++-- rtengine/rawimagesource.cc | 5 ++++- 2 files changed, 10 insertions(+), 3 deletions(-) diff --git a/rtengine/demosaic_algos.cc b/rtengine/demosaic_algos.cc index 85197d766..e5eb5a5aa 100644 --- a/rtengine/demosaic_algos.cc +++ b/rtengine/demosaic_algos.cc @@ -878,7 +878,7 @@ void RawImageSource::nodemosaic(bool bw) for (int j = 0; j < W; j++) { if (bw) { red[i][j] = green[i][j] = blue[i][j] = rawData[i][j]; - } else if(ri->getSensorType() != ST_FUJI_XTRANS) { + } else if(ri->getSensorType() == ST_BAYER) { switch( FC(i, j)) { case 0: red[i][j] = rawData[i][j]; @@ -895,7 +895,7 @@ void RawImageSource::nodemosaic(bool bw) red[i][j] = green[i][j] = 0; break; } - } else { + } else if(ri->getSensorType() == ST_FUJI_XTRANS) { switch( ri->XTRANSFC(i, j)) { case 0: red[i][j] = rawData[i][j]; @@ -912,6 +912,10 @@ void RawImageSource::nodemosaic(bool bw) red[i][j] = green[i][j] = 0; break; } + } else { + red[i][j] = rawData[i][j * 3 + 0]; + green[i][j] = rawData[i][j * 3 + 1]; + blue[i][j] = rawData[i][j * 3 + 2]; } } } diff --git a/rtengine/rawimagesource.cc b/rtengine/rawimagesource.cc index a6fe41227..57b8f632c 100644 --- a/rtengine/rawimagesource.cc +++ b/rtengine/rawimagesource.cc @@ -821,7 +821,7 @@ void RawImageSource::getImage (const ColorTemp &ctemp, int tran, Imagefloat* ima int i = sy1 + skip * ix; i = std::min(i, maxy - skip); // avoid trouble - if (ri->getSensorType() == ST_BAYER || ri->getSensorType() == ST_FUJI_XTRANS || ri->get_colors() == 1) { + if (ri->getSensorType() == ST_BAYER || ri->getSensorType() == ST_FUJI_XTRANS || ri->get_colors() == 1 || ri->get_colors() == 3) { for (int j = 0, jx = sx1; j < imwidth; j++, jx += skip) { jx = std::min(jx, maxx - skip); // avoid trouble @@ -1683,6 +1683,9 @@ void RawImageSource::demosaic(const RAWParams &raw, bool autoContrast, double &c } else if (ri->get_colors() == 1) { // Monochrome nodemosaic(true); + } else { + // RGB + nodemosaic(false); } t2.set(); From c2c7f2c862b4de940d2ff14d2832a6e4bf485c7b Mon Sep 17 00:00:00 2001 From: Bezierr <38507161+Bezierr@users.noreply.github.com> Date: Sat, 26 Mar 2022 10:34:42 +0000 Subject: [PATCH 046/170] Film Simulation ComboBox for long HaldCLUT names (#6423) * Film Simulation ComboBox for long HaldCLUT names Small change that makes the Film Simulation ComboBox look better if there are HaldCLUT names that are too long to fit into it * Ellipsize long HaldCLUT names Functionality moved to ClutComboBox constructor. * Wrapped in Gtk::manage Wrapped in Gtk::manage * Compacted. --- rtgui/filmsimulation.cc | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/rtgui/filmsimulation.cc b/rtgui/filmsimulation.cc index 6b40bb586..d19c84c6f 100644 --- a/rtgui/filmsimulation.cc +++ b/rtgui/filmsimulation.cc @@ -64,6 +64,7 @@ FilmSimulation::FilmSimulation() : FoldableToolPanel( this, "filmsimulation", M("TP_FILMSIMULATION_LABEL"), false, true ) { m_clutComboBox = Gtk::manage( new ClutComboBox(options.clutsDir) ); + int foundClutsCount = m_clutComboBox->foundClutsCount(); if ( foundClutsCount == 0 ) { @@ -218,7 +219,11 @@ ClutComboBox::ClutComboBox(const Glib::ustring &path): set_model(m_model()); if (cm->count > 0) { - pack_start(m_columns().label, false); + // Pack a CellRendererText in order to display long Clut file names properly + Gtk::CellRendererText* const renderer = Gtk::manage(new Gtk::CellRendererText); + renderer->property_ellipsize() = Pango::ELLIPSIZE_END; + pack_start(*renderer, false); + add_attribute(*renderer, "text", 0); } if (!options.multiDisplayMode) { From 30988feba39599fbf538b7c26ec35762c3348825 Mon Sep 17 00:00:00 2001 From: Thomas Orgis Date: Sat, 26 Mar 2022 11:43:21 +0100 Subject: [PATCH 047/170] Allow really tiny spots for removal (#6418) I may be a very picky person, but I want to repair really tiny specks of dust on my negative scans. I tried setting the SpotParams::minRadius to 1 and this seems to work fine. I can zoom in in the UI and still manipulate things with point and click. I guess 1 is a natural lower boundary for the radius that should be explored;-) --- rtengine/procparams.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/procparams.cc b/rtengine/procparams.cc index 891ceec40..e80e293ce 100644 --- a/rtengine/procparams.cc +++ b/rtengine/procparams.cc @@ -365,7 +365,7 @@ namespace rtengine namespace procparams { -const short SpotParams::minRadius = 5; +const short SpotParams::minRadius = 1; const short SpotParams::maxRadius = 400; From d80b3c71d1f06c7a1bdc9af24753522614b4ed8b Mon Sep 17 00:00:00 2001 From: Jonathan Bieler Date: Sat, 26 Mar 2022 11:44:09 +0100 Subject: [PATCH 048/170] Add default spot size control (#6371) * added adjuster to change default spot size in spot removal tool * added translation for default spot size * removed unnecessary adjuster methods --- rtdata/languages/Francais | 1 + rtdata/languages/default | 1 + rtgui/spot.cc | 7 ++++++- rtgui/spot.h | 2 ++ 4 files changed, 10 insertions(+), 1 deletion(-) diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index b34933e0b..786929f9c 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -2749,6 +2749,7 @@ TP_SHARPENMICRO_UNIFORMITY;Uniformité TP_SOFTLIGHT_LABEL;Lumière douce TP_SOFTLIGHT_STRENGTH;Force TP_SPOT_COUNTLABEL;%1 point(s) +TP_SPOT_DEFAULT_SIZE;Taille par défault des points TP_SPOT_ENTRYCHANGED;Modification d'un point TP_SPOT_HINT;Cliquez sur ce bouton pour pouvoir opérer sur la zone de prévisualisation.\n\nPour ajouter un spot, pressez Ctrl et le bouton gauche de la souris, tirez le cercle (la touche Ctrl peut être relâchée) vers la position source, puis relâchez le bouton de la souris.\n\nPour éditer un spot, placez le curseur au-dessus de la marque blanche situant une zone éditée, faisant apparaître la géométrie d'édition.\n\nPour déplacer le spot source ou destination, placez le curseur en son centre et tirez le.\n\nLe cercle intérieur (zone d'effet maximum) et le cercle "d'adoucicement" peuvent être redimmensionné en plaçant le curseur dessus (le cercle devient orange) et en le tirant (le cercle devient rouge).\n\nQuand les changements sont terminés, un clic droit en dehors de tout spot termine le mode d'édition, ou cliquez à nouveau sur ce bouton. TP_SPOT_LABEL;Retrait de taches diff --git a/rtdata/languages/default b/rtdata/languages/default index 141b38a55..dfa982cb7 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -3822,6 +3822,7 @@ TP_SHARPENMICRO_UNIFORMITY;Uniformity TP_SOFTLIGHT_LABEL;Soft Light TP_SOFTLIGHT_STRENGTH;Strength TP_SPOT_COUNTLABEL;%1 point(s) +TP_SPOT_DEFAULT_SIZE;Default point size TP_SPOT_ENTRYCHANGED;Point changed TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. TP_SPOT_LABEL;Spot Removal diff --git a/rtgui/spot.cc b/rtgui/spot.cc index 6e9143dbe..515884964 100644 --- a/rtgui/spot.cc +++ b/rtgui/spot.cc @@ -74,13 +74,16 @@ Spot::Spot() : reset->set_border_width (0); reset->signal_clicked().connect ( sigc::mem_fun (*this, &Spot::resetPressed) ); + spotSize = Gtk::manage(new Adjuster(M("TP_SPOT_DEFAULT_SIZE"), SpotParams::minRadius, SpotParams::maxRadius, 1, 25)); + labelBox = Gtk::manage (new Gtk::Box()); labelBox->set_spacing (2); labelBox->pack_start (*countLabel, false, false, 0); labelBox->pack_end (*edit, false, false, 0); labelBox->pack_end (*reset, false, false, 0); + labelBox->pack_end (*spotSize, false, false, 0); pack_start (*labelBox); - + sourceIcon.datum = Geometry::IMAGE; sourceIcon.setActive (false); sourceIcon.state = Geometry::ACTIVE; @@ -475,6 +478,7 @@ void Spot::addNewEntry() EditDataProvider* editProvider = getEditProvider(); // we create a new entry SpotEntry se; + se.radius = spotSize->getIntValue(); se.targetPos = editProvider->posImage; se.sourcePos = se.targetPos; spots.push_back (se); // this make a copy of se ... @@ -856,6 +860,7 @@ void Spot::switchOffEditMode () listener->refreshPreview(EvSpotEnabled); // reprocess the preview w/o creating History entry } + void Spot::tweakParams(procparams::ProcParams& pparams) { //params->raw.bayersensor.method = RAWParams::BayerSensor::getMethodString(RAWParams::BayerSensor::Method::FAST); diff --git a/rtgui/spot.h b/rtgui/spot.h index 85cefa4c2..7cdea35f7 100644 --- a/rtgui/spot.h +++ b/rtgui/spot.h @@ -23,6 +23,7 @@ #include #include "toolpanel.h" #include "editwidgets.h" +#include "adjuster.h" #include "../rtengine/procparams.h" #include "../rtengine/tweakoperator.h" @@ -90,6 +91,7 @@ protected: Gtk::Label* countLabel; Gtk::ToggleButton* edit; Gtk::Button* reset; + Adjuster* spotSize; sigc::connection editConn, editedConn; void editToggled (); From 1800fcc71f7f54d44895ed4fc6560d160617e6a8 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sat, 26 Mar 2022 11:45:00 +0100 Subject: [PATCH 049/170] Minor change for spot size control --- rtdata/languages/default | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index dfa982cb7..656345a87 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -3822,7 +3822,7 @@ TP_SHARPENMICRO_UNIFORMITY;Uniformity TP_SOFTLIGHT_LABEL;Soft Light TP_SOFTLIGHT_STRENGTH;Strength TP_SPOT_COUNTLABEL;%1 point(s) -TP_SPOT_DEFAULT_SIZE;Default point size +TP_SPOT_DEFAULT_SIZE;Default spot size TP_SPOT_ENTRYCHANGED;Point changed TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. TP_SPOT_LABEL;Spot Removal From 07ed31922c74727912cd6a5909f7833a2ea51d13 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sat, 26 Mar 2022 11:59:25 +0100 Subject: [PATCH 050/170] Incorporate changes to CR3 decoder (from ART, LibRaw): read compressed RAW (CRAW) (#6434) * Incorporate changes to CR3 decoder (from ART, LibRaw). Enables reading of compressed RAW (CRAW) files. * Fix LGTM alerts, some trailing spaces (accidentally took over another minor edit, already pushed to dev) --- rtengine/canon_cr3_decoder.cc | 636 +++++++++++++++++++++++++--------- rtengine/dcraw.cc | 17 + rtengine/dcraw.h | 9 +- 3 files changed, 496 insertions(+), 166 deletions(-) diff --git a/rtengine/canon_cr3_decoder.cc b/rtengine/canon_cr3_decoder.cc index 1132b4e01..6ad32696c 100644 --- a/rtengine/canon_cr3_decoder.cc +++ b/rtengine/canon_cr3_decoder.cc @@ -62,6 +62,7 @@ it under the terms of the one of two licenses as you choose: #include #include #include +#include #include "dcraw.h" @@ -69,17 +70,16 @@ it under the terms of the one of two licenses as you choose: void DCraw::parse_canon_cr3() { - strncpy(make, "Canon", sizeof(make)); - unsigned long long szAtomList = ifp->size; short nesting = -1; - char AtomNameStack[128]; - unsigned short nTrack = 0; + short nTrack = -1; short TrackType; + char AtomNameStack[128]; + strncpy(make, "Canon", sizeof(make)); const int err = parseCR3(0, szAtomList, nesting, AtomNameStack, nTrack, TrackType); - if (err == 0 || err == -14) { // no error, or too deep nesting + if ((err == 0 || err == -14) && nTrack >= 0) { // no error, or too deep nesting selectCRXTrack(nTrack); } } @@ -90,12 +90,13 @@ void DCraw::selectCRXTrack(unsigned short maxTrack) std::int64_t maxbitcount = 0; std::uint32_t maxjpegbytes = 0; + memset(bitcounts, 0, sizeof(bitcounts)); + for (unsigned int i = 0; i <= maxTrack && i < RT_canon_CR3_data.CRXTRACKS_MAXCOUNT; ++i) { CanonCR3Data::crx_data_header_t* const d = &RT_canon_CR3_data.crx_header[i]; if (d->MediaType == 1) { // RAW bitcounts[i] = std::int64_t(d->nBits) * std::int64_t(d->f_width) * std::int64_t(d->f_height); - if (bitcounts[i] > maxbitcount) { maxbitcount = bitcounts[i]; } @@ -122,7 +123,6 @@ void DCraw::selectCRXTrack(unsigned short maxTrack) has_framei = true; framei = i; } - framecnt++; } } @@ -142,17 +142,14 @@ void DCraw::selectCRXTrack(unsigned short maxTrack) filters = 0x94949494; break; } - case 1: { filters = 0x61616161; break; } - case 2: { filters = 0x49494949; break; } - case 3: { filters = 0x16161616; break; @@ -182,7 +179,7 @@ int DCraw::parseCR3( unsigned long long szAtomList, short& nesting, char* AtomNameStack, - unsigned short& nTrack, + short& nTrack, short& TrackType ) { @@ -502,14 +499,15 @@ int DCraw::parseCR3( } else if (!strcmp(AtomNameStack, "moovtrakmdiaminfstblstsdCRAW")) { lHdr = 82; } else if (!strcmp(AtomNameStack, "moovtrakmdiaminfstblstsdCRAWCMP1")) { + int read_size = szAtomContent > 85 ? 85 : szAtomContent; if (szAtomContent >= 40) { - fread(CMP1, 1, 36, ifp); + fread(CMP1, 1, read_size, ifp); } else { err = -7; goto fin; } - if (crxParseImageHeader(CMP1, nTrack)) { + if (crxParseImageHeader(CMP1, nTrack, read_size)) { RT_canon_CR3_data.crx_header[nTrack].MediaType = 1; } } else if (!strcmp(AtomNameStack, "moovtrakmdiaminfstblstsdCRAWJPEG")) { @@ -537,6 +535,7 @@ int DCraw::parseCR3( } if ( + nTrack >= 0 && nTrack < RT_canon_CR3_data.CRXTRACKS_MAXCOUNT && RT_canon_CR3_data.crx_header[nTrack].MediaSize && RT_canon_CR3_data.crx_header[nTrack].MediaOffset && oAtom + szAtom >= oAtomList + szAtomList @@ -733,14 +732,21 @@ struct CrxSubband { CrxBandParam* bandParam; std::uint64_t mdatOffset; std::uint8_t* bandBuf; - std::int32_t bandSize; - std::uint64_t dataSize; - bool supportsPartial; - std::int32_t quantValue; std::uint16_t width; std::uint16_t height; - std::int32_t paramK; + std::int32_t qParam; + std::int32_t kParam; + std::int32_t qStepBase; + std::uint32_t qStepMult; + bool supportsPartial; + std::int32_t bandSize; + std::uint64_t dataSize; std::int64_t dataOffset; + short rowStartAddOn; + short rowEndAddOn; + short colStartAddOn; + short colEndAddOn; + short levelShift; }; struct CrxPlaneComp { @@ -755,6 +761,12 @@ struct CrxPlaneComp { std::int8_t tileFlag; }; +struct CrxQStep { + std::uint32_t *qStepTbl; + int width; + int height; +}; + struct CrxTile { CrxPlaneComp* comps; std::int8_t tileFlag; @@ -763,6 +775,10 @@ struct CrxTile { std::int32_t tileSize; std::uint16_t width; std::uint16_t height; + bool hasQPData; + CrxQStep *qStep; + std::uint32_t mdatQPDataSize; + std::uint16_t mdatExtraSize; }; struct CrxImage { @@ -770,6 +786,7 @@ struct CrxImage { std::uint16_t planeWidth; std::uint16_t planeHeight; std::uint8_t samplePrecision; + std::uint8_t medianBits; std::uint8_t subbandCount; std::uint8_t levels; std::uint8_t nBits; @@ -791,25 +808,14 @@ enum TileFlags { E_HAS_TILES_ON_THE_TOP = 8 }; -const std::int32_t exCoefNumTbl[0x120] = { - // level 1 - 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, - 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, - 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, - 1, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, +const std::int32_t exCoefNumTbl[144] = { +1, 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 1, 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 1, 1, 0, 0, 0, +0, 1, 0, 0, 0, 0, 0, 1, 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 1, 1, 1, 1, 0, 0, 1, 0, 1, 0, +0, 0, 1, 2, 2, 1, 0, 0, 1, 1, 1, 1, 0, 0, 1, 1, 1, 1, 0, 0, 1, 0, 1, 0, 0, 0, 1, 2, 2, +1, 0, 0, 1, 1, 1, 1, 0, 0, 1, 1, 1, 1, 1, 1, 1, 0, 1, 0, 1, 0, 1, 2, 2, 2, 2, 1, 1, 1, +1, 2, 2, 1, 1, 1, 1, 2, 2, 1, 1, 0, 1, 1, 1, 1, 1, 2, 2, 1, 1, 1, 1, 1, 1, 1, 1, 1 }; - // level 2 - 1, 1, 3, 3, 1, 1, 1, 1, 0, 0, 0, 0, 1, 0, 3, 2, 1, 0, 1, 0, 0, 0, 0, 0, 1, - 2, 4, 4, 2, 1, 2, 1, 0, 0, 0, 0, 1, 1, 4, 3, 1, 1, 1, 1, 0, 0, 0, 0, 1, 1, - 3, 3, 1, 1, 1, 1, 0, 0, 0, 0, 1, 0, 3, 2, 1, 0, 1, 0, 0, 0, 0, 0, 1, 2, 4, - 4, 2, 1, 2, 1, 0, 0, 0, 0, 1, 1, 4, 3, 1, 1, 1, 1, 0, 0, 0, 0, - - // level 3 - 1, 1, 7, 7, 1, 1, 3, 3, 1, 1, 1, 1, 1, 0, 7, 6, 1, 0, 3, 2, 1, 0, 1, 0, 1, - 2, 10, 10, 2, 2, 5, 4, 2, 1, 2, 1, 1, 1, 10, 9, 1, 2, 4, 4, 2, 1, 2, 1, 1, - 1, 9, 9, 1, 2, 4, 4, 2, 1, 2, 1, 1, 0, 9, 8, 1, 1, 4, 3, 1, 1, 1, 1, 1, 2, - 8, 8, 2, 1, 4, 3, 1, 1, 1, 1, 1, 1, 8, 7, 1, 1, 3, 3, 1, 1, 1, 1 -}; +constexpr std::int32_t q_step_tbl[6] = {0x28, 0x2D, 0x33, 0x39, 0x40, 0x48}; const std::uint32_t JS[32] = { 0x0001, 0x0001, 0x0001, 0x0001, 0x0002, 0x0002, 0x0002, 0x0002, @@ -853,7 +859,6 @@ inline void crxFillBuffer(CrxBitstream* bitStrm) inline int crxBitstreamGetZeros(CrxBitstream* bitStrm) { -// std::uint32_t bitData = bitStrm->bitData; std::uint32_t nonZeroBit = 0; std::uint64_t nextData = 0; std::int32_t result = 0; @@ -942,9 +947,16 @@ inline std::uint32_t crxBitstreamGetBits(CrxBitstream* bitStrm, int bits) result = bitData >> (32 - bits); // 32-bits bitStrm->bitData = bitData << bits; bitStrm->bitsLeft = bitsLeft - bits; + return result; } +inline std::int32_t crxPrediction(std::int32_t left, std::int32_t top, std::int32_t deltaH, std::int32_t deltaV) +{ + std::int32_t symb[4] = {left + deltaH, left + deltaH, left, top}; + return symb[(((deltaV < 0) ^ (deltaH < 0)) << 1) + ((left < top) ^ (deltaH < 0))]; +} + inline std::int32_t crxPredictKParameter(std::int32_t prevK, std::int32_t bitCode, std::int32_t maxVal = 0) { const std::int32_t newKParam = @@ -1101,7 +1113,7 @@ inline void crxDecodeSymbolL1Rounded(CrxBandParam* param, bool doSym = true, boo } std::int32_t code = -(bitCode & 1) ^ (bitCode >> 1); - param->lineBuf1[1] = param->roundedBitsMask * 2 * code + (code < 0) + sym; + param->lineBuf1[1] = param->roundedBitsMask * 2 * code + (code >> 31) + sym; if (doCode) { if (param->lineBuf0[2] > param->lineBuf0[1]) { @@ -1636,11 +1648,9 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) if (!param || !bandBuf) { return false; } - if (param->curLine >= param->subbandHeight) { return false; } - if (param->curLine == 0) { const std::int32_t lineLength = param->subbandWidth + 2; @@ -1649,7 +1659,7 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) if (param->supportsPartial) { if (param->roundedBitsMask <= 0) { - param->lineBuf0 = param->paramData; + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; const std::int32_t* const lineBuf = param->lineBuf1 + 1; @@ -1668,7 +1678,7 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) } } - param->lineBuf0 = param->paramData; + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; const std::int32_t* const lineBuf = param->lineBuf1 + 1; @@ -1680,8 +1690,8 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) ++param->curLine; } } else { - param->lineBuf2 = param->nonProgrData; - param->lineBuf0 = param->paramData; + param->lineBuf2 = reinterpret_cast(param->nonProgrData); + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; const std::int32_t* const lineBuf = param->lineBuf1 + 1; @@ -1694,13 +1704,13 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) } } else if (!param->supportsPartial) { const std::int32_t lineLength = param->subbandWidth + 2; - param->lineBuf2 = param->nonProgrData; + param->lineBuf2 = reinterpret_cast(param->nonProgrData); if (param->curLine & 1) { - param->lineBuf1 = param->paramData; + param->lineBuf1 = reinterpret_cast(param->paramData); param->lineBuf0 = param->lineBuf1 + lineLength; } else { - param->lineBuf0 = param->paramData; + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; } @@ -1716,10 +1726,10 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) const std::int32_t lineLength = param->subbandWidth + 2; if (param->curLine & 1) { - param->lineBuf1 = param->paramData; + param->lineBuf1 = reinterpret_cast(param->paramData); param->lineBuf0 = param->lineBuf1 + lineLength; } else { - param->lineBuf0 = param->paramData; + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; } @@ -1735,10 +1745,10 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) const std::int32_t lineLength = param->subbandWidth + 2; if (param->curLine & 1) { - param->lineBuf1 = param->paramData; + param->lineBuf1 = reinterpret_cast(param->paramData); param->lineBuf0 = param->lineBuf1 + lineLength; } else { - param->lineBuf0 = param->paramData; + param->lineBuf0 = reinterpret_cast(param->paramData); param->lineBuf1 = param->lineBuf0 + lineLength; } @@ -1755,28 +1765,34 @@ bool crxDecodeLine(CrxBandParam* param, std::uint8_t* bandBuf) return true; } -bool crxDecodeLineWithIQuantization(CrxSubband* subband) +inline int getSubbandRow(CrxSubband *band, int row) { - constexpr std::int32_t q_step_tbl[6] = {0x28, 0x2D, 0x33, 0x39, 0x40, 0x48}; + return row < band->rowStartAddOn + ? 0 + : (row < band->height - band->rowEndAddOn ? row - band->rowEndAddOn + : band->height - band->rowEndAddOn - band->rowStartAddOn - 1); +} +bool crxDecodeLineWithIQuantization(CrxSubband* subband, CrxQStep *qStep) +{ if (!subband->dataSize) { memset(subband->bandBuf, 0, subband->bandSize); return true; } - if (subband->supportsPartial) { + if (subband->supportsPartial && !qStep) { std::uint32_t bitCode = crxBitstreamGetZeros(&subband->bandParam->bitStream); if (bitCode >= 23) { bitCode = crxBitstreamGetBits(&subband->bandParam->bitStream, 8); - } else if (subband->paramK) { - bitCode = crxBitstreamGetBits(&subband->bandParam->bitStream, subband->paramK) | (bitCode << subband->paramK); + } else if (subband->kParam) { + bitCode = crxBitstreamGetBits(&subband->bandParam->bitStream, subband->kParam) | (bitCode << subband->kParam); } - subband->quantValue += -(bitCode & 1) ^ (bitCode >> 1); // converting encoded to signed integer - subband->paramK = crxPredictKParameter(subband->paramK, bitCode); + subband->qParam += -(bitCode & 1) ^ (bitCode >> 1); // converting encoded to signed integer + subband->kParam = crxPredictKParameter(subband->kParam, bitCode); - if (subband->paramK > 7) { + if (subband->kParam > 7) { return false; } } @@ -1785,21 +1801,41 @@ bool crxDecodeLineWithIQuantization(CrxSubband* subband) return false; } - if (subband->width == 0) { + if (subband->width <= 0) { return true; } // update subband buffers std::int32_t* const bandBuf = reinterpret_cast(subband->bandBuf); - std::int32_t qScale = q_step_tbl[subband->quantValue % 6] >> (6 - subband->quantValue / 6); + if (qStep) { + // new version + std::uint32_t *qStepTblPtr = &qStep->qStepTbl[qStep->width * getSubbandRow(subband, subband->bandParam->curLine - 1)]; + for (int i = 0; i < subband->colStartAddOn; ++i) { + int32_t quantVal = subband->qStepBase + ((qStepTblPtr[0] * subband->qStepMult) >> 3); + bandBuf[i] *= rtengine::LIM(quantVal, 1, 0x168000); + } - if (subband->quantValue / 6 >= 6) { - qScale = q_step_tbl[subband->quantValue % 6] * (1 << (subband->quantValue / 6 + 26)); - } + for (int i = subband->colStartAddOn; i < subband->width - subband->colEndAddOn; ++i) { + int32_t quantVal = subband->qStepBase + ((qStepTblPtr[(i - subband->colStartAddOn) >> subband->levelShift] * subband->qStepMult) >> 3); + bandBuf[i] *= rtengine::LIM(quantVal, 1, 0x168000); + } + int lastIdx = (subband->width - subband->colEndAddOn - subband->colStartAddOn - 1) >> subband->levelShift; + for (int i = subband->width - subband->colEndAddOn; i < subband->width; ++i) + { + int32_t quantVal = subband->qStepBase + ((qStepTblPtr[lastIdx] * subband->qStepMult) >> 3); + bandBuf[i] *= rtengine::LIM(quantVal, 1, 0x168000); + } + } else { + // prev. version + std::int32_t qScale = q_step_tbl[subband->qParam % 6] >> (6 - subband->qParam / 6); + if (subband->qParam / 6 >= 6) { + qScale = q_step_tbl[subband->qParam % 6] * (1 << (subband->qParam / 6 + 26)); + } - if (qScale != 1) { - for (std::int32_t i = 0; i < subband->width; ++i) { - bandBuf[i] *= qScale; + if (qScale != 1) { + for (std::int32_t i = 0; i < subband->width; ++i) { + bandBuf[i] *= qScale; + } } } @@ -1885,41 +1921,42 @@ std::int32_t* crxIdwt53FilterGetLine(CrxPlaneComp* comp, std::int32_t level) return result; } -bool crxIdwt53FilterDecode(CrxPlaneComp* comp, std::int32_t level) +bool crxIdwt53FilterDecode(CrxPlaneComp* comp, std::int32_t level, CrxQStep *qStep) { if (comp->waveletTransform[level].curH) { return true; } CrxSubband* const sband = comp->subBands + 3 * level; + CrxQStep* qStepLevel = qStep ? qStep + level : 0; if (comp->waveletTransform[level].height - 3 <= comp->waveletTransform[level].curLine && !(comp->tileFlag & E_HAS_TILES_ON_THE_BOTTOM)) { if (comp->waveletTransform[level].height & 1) { if (level) { - if (!crxIdwt53FilterDecode(comp, level - 1)) { + if (!crxIdwt53FilterDecode(comp, level - 1, qStep)) { return false; } - } else if (!crxDecodeLineWithIQuantization(sband)) { + } else if (!crxDecodeLineWithIQuantization(sband, qStepLevel)) { return false; } - if (!crxDecodeLineWithIQuantization(sband + 1)) { + if (!crxDecodeLineWithIQuantization(sband + 1, qStepLevel)) { return false; } } } else { if (level) { - if (!crxIdwt53FilterDecode(comp, level - 1)) { + if (!crxIdwt53FilterDecode(comp, level - 1, qStep)) { return false; } - } else if (!crxDecodeLineWithIQuantization(sband)) { // LL band + } else if (!crxDecodeLineWithIQuantization(sband, qStepLevel)) { // LL band return false; } if ( - !crxDecodeLineWithIQuantization(sband + 1) // HL band - || !crxDecodeLineWithIQuantization(sband + 2) // LH band - || !crxDecodeLineWithIQuantization(sband + 3) // HH band + !crxDecodeLineWithIQuantization(sband + 1, qStepLevel) // HL band + || !crxDecodeLineWithIQuantization(sband + 2, qStepLevel) // LH band + || !crxDecodeLineWithIQuantization(sband + 3, qStepLevel) // HH band ) { return false; } @@ -2135,18 +2172,19 @@ bool crxIdwt53FilterTransform(CrxPlaneComp* comp, std::uint32_t level) return true; } -bool crxIdwt53FilterInitialize(CrxPlaneComp* comp, std::int32_t prevLevel) +bool crxIdwt53FilterInitialize(CrxPlaneComp* comp, std::int32_t prevLevel, CrxQStep *qStep) { - if (prevLevel < 0) { + if (prevLevel == 0) { return true; } - for (int curLevel = 0, curBand = 0; curLevel < prevLevel + 1; ++curLevel, curBand += 3) { + for (int curLevel = 0, curBand = 0; curLevel < prevLevel; curLevel++, curBand += 3) { + CrxQStep* qStepLevel = qStep ? qStep + curLevel : 0; CrxWaveletTransform* const wavelet = comp->waveletTransform + curLevel; if (curLevel) { wavelet[0].subband0Buf = crxIdwt53FilterGetLine(comp, curLevel - 1); - } else if (!crxDecodeLineWithIQuantization(comp->subBands + curBand)) { + } else if (!crxDecodeLineWithIQuantization(comp->subBands + curBand, qStepLevel)) { return false; } @@ -2154,9 +2192,9 @@ bool crxIdwt53FilterInitialize(CrxPlaneComp* comp, std::int32_t prevLevel) if (wavelet->height > 1) { if ( - !crxDecodeLineWithIQuantization(comp->subBands + curBand + 1) - || !crxDecodeLineWithIQuantization(comp->subBands + curBand + 2) - || !crxDecodeLineWithIQuantization(comp->subBands + curBand + 3) + !crxDecodeLineWithIQuantization(comp->subBands + curBand + 1, qStepLevel) + || !crxDecodeLineWithIQuantization(comp->subBands + curBand + 2, qStepLevel) + || !crxDecodeLineWithIQuantization(comp->subBands + curBand + 3, qStepLevel) ) { return false; } @@ -2168,7 +2206,7 @@ bool crxIdwt53FilterInitialize(CrxPlaneComp* comp, std::int32_t prevLevel) if (comp->tileFlag & E_HAS_TILES_ON_THE_TOP) { crxHorizontal53(lineBufL0, wavelet->lineBuf[1], wavelet, comp->tileFlag); - if (!crxDecodeLineWithIQuantization(comp->subBands + curBand + 3)|| !crxDecodeLineWithIQuantization(comp->subBands + curBand + 2)) { + if (!crxDecodeLineWithIQuantization(comp->subBands + curBand + 3, qStepLevel)|| !crxDecodeLineWithIQuantization(comp->subBands + curBand + 2, qStepLevel)) { return false; } @@ -2227,11 +2265,11 @@ bool crxIdwt53FilterInitialize(CrxPlaneComp* comp, std::int32_t prevLevel) } } - if (!crxIdwt53FilterDecode(comp, curLevel) || !crxIdwt53FilterTransform(comp, curLevel)) { + if (!crxIdwt53FilterDecode(comp, curLevel, qStep) || !crxIdwt53FilterTransform(comp, curLevel)) { return false; } } else { - if (!crxDecodeLineWithIQuantization(comp->subBands + curBand + 1)) { + if (!crxDecodeLineWithIQuantization(comp->subBands + curBand + 1, qStepLevel)) { return false; } @@ -2355,8 +2393,8 @@ void crxConvertPlaneLine( const std::int16_t* const plane2 = plane1 + planeSize; const std::int16_t* const plane3 = plane2 + planeSize; - const std::int32_t median = 1 << (img->nBits - 1) << 10; - const std::int32_t maxVal = (1 << img->nBits) - 1; + const std::int32_t median = 1 << (img->medianBits - 1) << 10; + const std::int32_t maxVal = (1 << img->medianBits) - 1; const std::uint32_t rawLineOffset = 4 * img->planeWidth * imageRow; // for this stage - all except imageRow is ignored @@ -2577,7 +2615,7 @@ bool DCraw::crxDecodePlane(void* p, std::uint32_t planeNumber) for (int tCol = 0; tCol < img->tileCols; ++tCol) { const CrxTile* const tile = img->tiles + tRow * img->tileRows + tCol; CrxPlaneComp* const planeComp = tile->comps + planeNumber; - const std::uint64_t tileMdatOffset = tile->dataOffset + planeComp->dataOffset; + const std::uint64_t tileMdatOffset = tile->dataOffset + tile->mdatQPDataSize + tile->mdatExtraSize + planeComp->dataOffset; // decode single tile if (!crxSetupSubbandData(img, planeComp, tile, tileMdatOffset)) { @@ -2585,12 +2623,12 @@ bool DCraw::crxDecodePlane(void* p, std::uint32_t planeNumber) } if (img->levels) { - if (!crxIdwt53FilterInitialize(planeComp, img->levels - 1)) { + if (!crxIdwt53FilterInitialize(planeComp, img->levels, tile->qStep)) { return false; } for (int i = 0; i < tile->height; ++i) { - if (!crxIdwt53FilterDecode(planeComp, img->levels - 1) || !crxIdwt53FilterTransform(planeComp, img->levels - 1)) { + if (!crxIdwt53FilterDecode(planeComp, img->levels - 1, tile->qStep) || !crxIdwt53FilterTransform(planeComp, img->levels - 1)) { return false; } @@ -2617,9 +2655,8 @@ bool DCraw::crxDecodePlane(void* p, std::uint32_t planeNumber) imageCol += tile->width; } - imageRow += img->tiles[tRow * img->tileRows].height; + imageRow += img->tiles[tRow * img->tileCols].height; } - return true; } @@ -2628,12 +2665,164 @@ namespace using crx_data_header_t = DCraw::CanonCR3Data::crx_data_header_t; -bool crxReadSubbandHeaders( +std::uint32_t crxReadQP(CrxBitstream *bitStrm, std::int32_t kParam) +{ + std::uint32_t qp = crxBitstreamGetZeros(bitStrm); + if (qp >= 23) + qp = crxBitstreamGetBits(bitStrm, 8); + else if (kParam) + qp = crxBitstreamGetBits(bitStrm, kParam) | (qp << kParam); + return qp; +} + +void crxDecodeGolombTop(CrxBitstream *bitStrm, std::int32_t width, std::int32_t *lineBuf, std::int32_t *kParam) +{ + lineBuf[0] = 0; + while (width-- > 0) + { + lineBuf[1] = lineBuf[0]; + std::uint32_t qp = crxReadQP(bitStrm, *kParam); + lineBuf[1] += -(qp & 1) ^ (qp >> 1); + *kParam = crxPredictKParameter(*kParam, qp, 7); + ++lineBuf; + } + lineBuf[1] = lineBuf[0] + 1; +} + +void crxDecodeGolombNormal(CrxBitstream *bitStrm, std::int32_t width, std::int32_t *lineBuf0, std::int32_t *lineBuf1, std::int32_t *kParam) +{ + lineBuf1[0] = lineBuf0[1]; + std::int32_t deltaH = lineBuf0[1] - lineBuf0[0]; + while (width-- > 0) + { + lineBuf1[1] = crxPrediction(lineBuf1[0], lineBuf0[1], deltaH, lineBuf0[0] - lineBuf1[0]); + std::uint32_t qp = crxReadQP(bitStrm, *kParam); + lineBuf1[1] += -(qp & 1) ^ (qp >> 1); + if (width) { + deltaH = lineBuf0[2] - lineBuf0[1]; + *kParam = crxPredictKParameter(*kParam, (qp + 2 * std::abs(deltaH)) >> 1, 7); + ++lineBuf0; + } else { + *kParam = crxPredictKParameter(*kParam, qp, 7); + } + ++lineBuf1; + } + lineBuf1[1] = lineBuf1[0] + 1; +} + +bool crxMakeQStep(CrxImage *img, CrxTile *tile, std::int32_t *qpTable, std::uint32_t totalQP) +{ + if (img->levels > 3 || img->levels < 1) { + return false; + } + int qpWidth = (tile->width >> 3) + ((tile->width & 7) != 0); + int qpHeight = (tile->height >> 1) + (tile->height & 1); + int qpHeight4 = (tile->height >> 2) + ((tile->height & 3) != 0); + int qpHeight8 = (tile->height >> 3) + ((tile->height & 7) != 0); + std::size_t totalHeight = qpHeight; + if (img->levels > 1) { + totalHeight += qpHeight4; + } + if (img->levels > 2) { + totalHeight += qpHeight8; + } + + tile->qStep = static_cast( + malloc(totalHeight * qpWidth * sizeof(std::uint32_t) + img->levels * sizeof(CrxQStep)) + ); + + if (!tile->qStep) { + return false; + } + std::uint32_t *qStepTbl = (std::uint32_t *)(tile->qStep + img->levels); + CrxQStep *qStep = tile->qStep; + switch (img->levels) { + case 3: + qStep->qStepTbl = qStepTbl; + qStep->width = qpWidth; + qStep->height = qpHeight8; + for (int qpRow = 0; qpRow < qpHeight8; ++qpRow) { + int row0Idx = qpWidth * std::min(4 * qpRow, qpHeight - 1); + int row1Idx = qpWidth * std::min(4 * qpRow + 1, qpHeight - 1); + int row2Idx = qpWidth * std::min(4 * qpRow + 2, qpHeight - 1); + int row3Idx = qpWidth * std::min(4 * qpRow + 3, qpHeight - 1); + + for (int qpCol = 0; qpCol < qpWidth; ++qpCol, ++qStepTbl) { + std::int32_t quantVal = qpTable[row0Idx++] + qpTable[row1Idx++] + qpTable[row2Idx++] + qpTable[row3Idx++]; + // not sure about this nonsense - why is it not just avg like with 2 levels? + quantVal = ((quantVal < 0) * 3 + quantVal) >> 2; + if (quantVal / 6 >= 6) + *qStepTbl = q_step_tbl[quantVal % 6] * (1 << (quantVal / 6 + 26)); + else + *qStepTbl = q_step_tbl[quantVal % 6] >> (6 - quantVal / 6); + } + } + // continue to the next level - we always decode all levels + ++qStep; + case 2: + qStep->qStepTbl = qStepTbl; + qStep->width = qpWidth; + qStep->height = qpHeight4; + for (int qpRow = 0; qpRow < qpHeight4; ++qpRow) { + int row0Idx = qpWidth * std::min(2 * qpRow, qpHeight - 1); + int row1Idx = qpWidth * std::min(2 * qpRow + 1, qpHeight - 1); + + for (int qpCol = 0; qpCol < qpWidth; ++qpCol, ++qStepTbl) { + std::int32_t quantVal = (qpTable[row0Idx++] + qpTable[row1Idx++]) / 2; + if (quantVal / 6 >= 6) + *qStepTbl = q_step_tbl[quantVal % 6] * (1 << (quantVal / 6 + 26)); + else + *qStepTbl = q_step_tbl[quantVal % 6] >> (6 - quantVal / 6); + } + } + // continue to the next level - we always decode all levels + ++qStep; + case 1: + qStep->qStepTbl = qStepTbl; + qStep->width = qpWidth; + qStep->height = qpHeight; + for (int qpRow = 0; qpRow < qpHeight; ++qpRow) { + for (int qpCol = 0; qpCol < qpWidth; ++qpCol, ++qStepTbl, ++qpTable) { + if (*qpTable / 6 >= 6) + *qStepTbl = q_step_tbl[*qpTable % 6] * (1 << (*qpTable / 6 + 26)); + else + *qStepTbl = q_step_tbl[*qpTable % 6] >> (6 - *qpTable / 6); + } + } + break; + } + return true; +} + +inline void crxSetupSubbandIdx(crx_data_header_t *hdr, CrxImage *img, CrxSubband *band, int level, + short colStartIdx, short bandWidthExCoef, short rowStartIdx, + short bandHeightExCoef) +{ + if (hdr->version == 0x200) + { + band->rowStartAddOn = rowStartIdx; + band->rowEndAddOn = bandHeightExCoef; + band->colStartAddOn = colStartIdx; + band->colEndAddOn = bandWidthExCoef; + band->levelShift = 3 - level; + } + else + { + band->rowStartAddOn = 0; + band->rowEndAddOn = 0; + band->colStartAddOn = 0; + band->colEndAddOn = 0; + band->levelShift = 0; + } +} + +bool crxReadSubbandHeaders( // Combined with crxProcessSubbands function + crx_data_header_t* hdr, CrxImage* img, CrxTile* tile, CrxPlaneComp* comp, std::uint8_t** subbandMdatPtr, - std::uint32_t* mdatSize + std::int32_t* mdatSize ) { CrxSubband* band = comp->subBands + img->subbandCount - 1; // set to last band @@ -2648,8 +2837,8 @@ bool crxReadSubbandHeaders( // Coefficient structure is a bit unclear and convoluted: // 3 levels max - 8 groups (for tile width rounded to 8 bytes) // of 3 band per level 4 sets of coefficients for each - const std::int32_t* rowExCoef = exCoefNumTbl + 0x60 * (img->levels - 1) + 12 * (tile->width & 7); - const std::int32_t* colExCoef = exCoefNumTbl + 0x60 * (img->levels - 1) + 12 * (tile->height & 7); + const std::int32_t* rowExCoef = exCoefNumTbl + 0x30 * (img->levels - 1) + 6 * (tile->width & 7); + const std::int32_t* colExCoef = exCoefNumTbl + 0x30 * (img->levels - 1) + 6 * (tile->height & 7); for (int level = 0; level < img->levels; ++level) { const std::int32_t widthOddPixel = bandWidth & 1; @@ -2661,36 +2850,41 @@ bool crxReadSubbandHeaders( std::int32_t bandWidthExCoef1 = 0; std::int32_t bandHeightExCoef0 = 0; std::int32_t bandHeightExCoef1 = 0; + std::int32_t colStartIdx = 0; + std::int32_t rowStartIdx = 0; if (tile->tileFlag & E_HAS_TILES_ON_THE_RIGHT) { - bandWidthExCoef0 = rowExCoef[0]; - bandWidthExCoef1 = rowExCoef[1]; + bandWidthExCoef0 = rowExCoef[2 * level]; + bandWidthExCoef1 = rowExCoef[2 * level + 1]; } if (tile->tileFlag & E_HAS_TILES_ON_THE_LEFT) { ++bandWidthExCoef0; + colStartIdx = 1; } if (tile->tileFlag & E_HAS_TILES_ON_THE_BOTTOM) { - bandHeightExCoef0 = colExCoef[0]; - bandHeightExCoef1 = colExCoef[1]; + bandHeightExCoef0 = colExCoef[2 * level]; + bandHeightExCoef1 = colExCoef[2 * level + 1]; } if (tile->tileFlag & E_HAS_TILES_ON_THE_TOP) { ++bandHeightExCoef0; + rowStartIdx = 1; } band[0].width = bandWidth + bandWidthExCoef0 - widthOddPixel; band[0].height = bandHeight + bandHeightExCoef0 - heightOddPixel; + crxSetupSubbandIdx(hdr, img, band, level + 1, colStartIdx, bandWidthExCoef0 - colStartIdx, rowStartIdx, bandHeightExCoef0 - rowStartIdx); band[-1].width = bandWidth + bandWidthExCoef1; band[-1].height = bandHeight + bandHeightExCoef0 - heightOddPixel; + crxSetupSubbandIdx(hdr, img, band - 1, level + 1, 0, bandWidthExCoef1, rowStartIdx, bandHeightExCoef0 - rowStartIdx); band[-2].width = bandWidth + bandWidthExCoef0 - widthOddPixel; band[-2].height = bandHeight + bandHeightExCoef1; + crxSetupSubbandIdx(hdr, img, band - 2, level + 1, colStartIdx, bandWidthExCoef0 - colStartIdx, 0, bandHeightExCoef1); - rowExCoef += 4; - colExCoef += 4; band -= 3; } @@ -2698,17 +2892,23 @@ bool crxReadSubbandHeaders( bandHeightExCoef = 0; if (tile->tileFlag & E_HAS_TILES_ON_THE_RIGHT) { - bandWidthExCoef = exCoefNumTbl[0x60 * (img->levels - 1) + 12 * (tile->width & 7) + 4 * (img->levels - 1) + 1]; + bandWidthExCoef = rowExCoef[2 * img->levels - 1]; } if (tile->tileFlag & E_HAS_TILES_ON_THE_BOTTOM) { - bandHeightExCoef = exCoefNumTbl[0x60 * (img->levels - 1) + 12 * (tile->height & 7) + 4 * (img->levels - 1) + 1]; + bandHeightExCoef = colExCoef[2 * img->levels - 1]; } } band->width = bandWidthExCoef + bandWidth; band->height = bandHeightExCoef + bandHeight; + if (img->levels) { + crxSetupSubbandIdx(hdr, img, band, img->levels, 0, bandWidthExCoef, 0, bandHeightExCoef); + } + // End of crxProcessSubbands + + // Begin of crxReadSubbandHeaders if (!img->subbandCount) { return true; } @@ -2717,35 +2917,61 @@ bool crxReadSubbandHeaders( band = comp->subBands; for (unsigned int curSubband = 0; curSubband < img->subbandCount; curSubband++, band++) { - if (*mdatSize < 0xC) { + if (*mdatSize < 4) { return false; } - if (sgetn(2, *subbandMdatPtr) != 0xFF03) { + int hdrSign = sgetn(2, *subbandMdatPtr); + int hdrSize = sgetn(2, *subbandMdatPtr + 2); + + if (*mdatSize < hdrSize + 4) { + return false; + } + if ((hdrSign != 0xFF03 || hdrSize != 8) && (hdrSign != 0xFF13 || hdrSize != 16)) { return false; } - const std::uint32_t bitData = sgetn(4, *subbandMdatPtr + 8); const std::uint32_t subbandSize = sgetn(4, *subbandMdatPtr + 4); - - if (curSubband != bitData >> 28) { + if (curSubband != ((*subbandMdatPtr)[8] & 0xF0) >> 4) { band->dataSize = subbandSize; return false; } - band->dataSize = subbandSize - (bitData & 0x7FF); - band->supportsPartial = bitData & 0x8000; band->dataOffset = subbandOffset; - band->quantValue = (bitData >> 19) & 0xFF; - band->paramK = 0; - band->bandParam = nullptr; - band->bandBuf = nullptr; + band->kParam = 0; + band->bandParam = 0; + band->bandBuf = 0; band->bandSize = 0; + if (hdrSign == 0xFF03) { + // old header + std::uint32_t bitData = sgetn(4, *subbandMdatPtr + 8); + band->dataSize = subbandSize - (bitData & 0x7FFFF); + band->supportsPartial = bitData & 0x8000000; + band->qParam = (bitData >> 19) & 0xFF; + band->qStepBase = 0; + band->qStepMult = 0; + } else { + // new header + if (sgetn(2, *subbandMdatPtr + 8) & 0xFFF) { + // partial and qParam are not supported + return false; + } + if (sgetn(2, *subbandMdatPtr + 18)) { + // new header terminated by 2 zero bytes + return false; + } + band->supportsPartial = false; + band->qParam = 0; + band->dataSize = subbandSize - sgetn(2, *subbandMdatPtr + 16); + band->qStepBase = sgetn(4, *subbandMdatPtr + 12); + band->qStepMult = sgetn(2, *subbandMdatPtr + 10); + } + subbandOffset += subbandSize; - *subbandMdatPtr += 0xC; - *mdatSize -= 0xC; + *subbandMdatPtr += hdrSize + 4; + *mdatSize -= hdrSize + 4; } return true; @@ -2755,7 +2981,7 @@ bool crxReadImageHeaders( crx_data_header_t* hdr, CrxImage* img, std::uint8_t* mdatPtr, - std::uint32_t mdatSize + std::uint32_t mdatHdrSize ) { const unsigned int nTiles = img->tileRows * img->tileCols; @@ -2844,7 +3070,7 @@ bool crxReadImageHeaders( if (img->subbandCount) { for (int curBand = 0; curBand < img->subbandCount; curBand++, band++) { band->supportsPartial = false; - band->quantValue = 4; + band->qParam = 4; band->bandParam = nullptr; band->dataSize = 0; } @@ -2855,32 +3081,53 @@ bool crxReadImageHeaders( } std::uint32_t tileOffset = 0; - std::uint32_t dataSize = mdatSize; + std::int32_t dataSize = mdatHdrSize; std::uint8_t* dataPtr = mdatPtr; CrxTile* tile = img->tiles; for (unsigned int curTile = 0; curTile < nTiles; curTile++, tile++) { - if (dataSize < 0xC) { + if (dataSize < 4) { return false; } - if (sgetn(2, dataPtr) != 0xFF01) { + int hdrSign = sgetn(2, dataPtr); + int hdrSize = sgetn(2, dataPtr + 2); + if ((hdrSign != 0xFF01 || hdrSize != 8) && (hdrSign != 0xFF11 || (hdrSize != 8 && hdrSize != 16))) { + return false; + } + if (dataSize < hdrSize + 4) { + return false; + } + int tailSign = sgetn(2, dataPtr + 10); + if ((hdrSize == 8 && tailSign) || (hdrSize == 16 && tailSign != 0x4000)) { + return false; + } + if (sgetn(2, dataPtr + 8) != static_cast(curTile)) { return false; } - if (sgetn(2, dataPtr + 8) != curTile) { - return false; - } - - dataSize -= 0xC; + dataSize -= hdrSize + 4; tile->tileSize = sgetn(4, dataPtr + 4); tile->dataOffset = tileOffset; + tile->qStep = 0; - const std::int32_t hdrExtraBytes = sgetn(2, dataPtr + 2) - 8; + if (hdrSize == 16) { + // extended header data - terminated by 0 bytes + if (sgetn(2, dataPtr + 18) != 0) { + return false; + } + tile->hasQPData = true; + tile->mdatQPDataSize = sgetn(4, dataPtr + 12); + tile->mdatExtraSize = sgetn(2, dataPtr + 16); + } else { + tile->hasQPData = false; + tile->mdatQPDataSize = 0; + tile->mdatExtraSize = 0; + } + + dataPtr += hdrSize + 4; tileOffset += tile->tileSize; - dataPtr += hdrExtraBytes + 0xC; - dataSize -= hdrExtraBytes; std::uint32_t compOffset = 0; CrxPlaneComp* comp = tile->comps; @@ -2890,13 +3137,17 @@ bool crxReadImageHeaders( return false; } - if (sgetn(2, dataPtr) != 0xFF02) { + hdrSign = sgetn(2, dataPtr); + hdrSize = sgetn(2, dataPtr + 2); + if ((hdrSign != 0xFF02 && hdrSign != 0xFF12) || hdrSize != 8) { return false; } - if (compNum != dataPtr[8] >> 4) { return false; } + if (sgetn(3, dataPtr + 9) != 0) { + return false; + } comp->compSize = sgetn(4, dataPtr + 4); @@ -2920,7 +3171,60 @@ bool crxReadImageHeaders( comp->roundedBitsMask = 1 << (compHdrRoundedBits - 1); } - if (!crxReadSubbandHeaders(img, tile, comp, &dataPtr, &dataSize)) { + if (!crxReadSubbandHeaders(hdr, img, tile, comp, &dataPtr, &dataSize)) { + return false; + } + } + } + + if (hdr->version != 0x200) { + return true; + } + + tile = img->tiles; + for (unsigned int curTile = 0; curTile < nTiles; ++curTile, ++tile) { + if (tile->hasQPData) { + CrxBitstream bitStrm; + bitStrm.bitData = 0; + bitStrm.bitsLeft = 0; + bitStrm.curPos = 0; + bitStrm.curBufSize = 0; + bitStrm.mdatSize = tile->mdatQPDataSize; + bitStrm.curBufOffset = img->mdatOffset + tile->dataOffset; + bitStrm.input = img->input; + + crxFillBuffer(&bitStrm); + + unsigned int qpWidth = (tile->width >> 3) + ((tile->width & 7) != 0); + unsigned int qpHeight = (tile->height >> 1) + (tile->height & 1); + unsigned long totalQP = static_cast(qpHeight) * qpWidth; + + try { + std::vector qpTable(totalQP + 2 * (qpWidth + 2)); + std::int32_t *qpCurElem = qpTable.data(); + // 2 lines padded with extra pixels at the start and at the end + std::int32_t *qpLineBuf = qpTable.data() + totalQP; + std::int32_t kParam = 0; + for (unsigned qpRow = 0; qpRow < qpHeight; ++qpRow) { + std::int32_t *qpLine0 = qpRow & 1 ? qpLineBuf + qpWidth + 2 : qpLineBuf; + std::int32_t *qpLine1 = qpRow & 1 ? qpLineBuf : qpLineBuf + qpWidth + 2; + + if (qpRow) { + crxDecodeGolombNormal(&bitStrm, qpWidth, qpLine0, qpLine1, &kParam); + } else { + crxDecodeGolombTop(&bitStrm, qpWidth, qpLine1, &kParam); + } + + for (unsigned qpCol = 0; qpCol < qpWidth; ++qpCol) { + *qpCurElem++ = qpLine1[qpCol + 1] + 4; + } + } + + // now we read QP data - build tile QStep + if (!crxMakeQStep(img, tile, qpTable.data(), totalQP)) { + return false; + } + } catch (...) { return false; } } @@ -2935,12 +3239,12 @@ bool crxSetupImageData( std::int16_t* outBuf, std::uint64_t mdatOffset, std::uint32_t mdatSize, - std::uint8_t* mdatHdrPtr + std::uint8_t* mdatHdrPtr, + std::int32_t mdatHdrSize ) { - constexpr bool IncrBitTable[32] = { - false, false, false, false, false, false, false, false, false, true, true, false, false, false, true, false, - false, false, true, false, false, true, true, true, false, true, true, true, false, false, false, false + constexpr bool IncrBitTable[16] = { + false, false, false, false, false, false, false, false, false, true, true, false, false, false, true, false }; img->planeWidth = hdr->f_width; @@ -2958,7 +3262,10 @@ bool crxSetupImageData( img->tileCols = (img->planeWidth + hdr->tileWidth - 1) / hdr->tileWidth; img->tileRows = (img->planeHeight + hdr->tileHeight - 1) / hdr->tileHeight; - if (img->planeWidth - hdr->tileWidth * (img->tileCols - 1) < 0x16 || img->planeHeight - hdr->tileHeight * (img->tileRows - 1) < 0x16) { + if ( + img->planeWidth - hdr->tileWidth * (img->tileCols - 1) < 0x16 || + img->planeHeight - hdr->tileHeight * (img->tileRows - 1) < 0x16 + ) { return false; } @@ -2973,6 +3280,7 @@ bool crxSetupImageData( img->mdatSize = mdatSize; img->planeBuf = nullptr; img->outBufs[0] = img->outBufs[1] = img->outBufs[2] = img->outBufs[3] = nullptr; + img->medianBits = hdr->medianBits; // The encoding type 3 needs all 4 planes to be decoded to generate row of // RGGB values. It seems to be using some other colour space for raw encoding @@ -2982,7 +3290,7 @@ bool crxSetupImageData( // left as is. if (img->encType == 3 && img->nPlanes == 4 && img->nBits > 8) { img->planeBuf = static_cast( - malloc(img->planeHeight * img->planeWidth * img->nPlanes * ((img->samplePrecision + 7) >> 3)) + malloc(static_cast(img->planeHeight) * img->planeWidth * img->nPlanes * ((img->samplePrecision + 7) >> 3)) ); if (!img->planeBuf) { @@ -3039,7 +3347,7 @@ bool crxSetupImageData( } // read header - return crxReadImageHeaders(hdr, img, mdatHdrPtr, mdatSize); + return crxReadImageHeaders(hdr, img, mdatHdrPtr, mdatHdrSize); } void crxFreeImageData(CrxImage* img) @@ -3054,6 +3362,9 @@ void crxFreeImageData(CrxImage* img) crxFreeSubbandData(img, tile[curTile].comps + curPlane); } } + if (tile[curTile].qStep) { + free(tile[curTile].qStep); + } } free(img->tiles); @@ -3115,13 +3426,14 @@ void DCraw::crxLoadRaw() { CrxImage img; - if (RT_canon_CR3_data.crx_track_selected >= RT_canon_CR3_data.CRXTRACKS_MAXCOUNT) { + if (RT_canon_CR3_data.crx_track_selected < 0 || + RT_canon_CR3_data.crx_track_selected >= RT_canon_CR3_data.CRXTRACKS_MAXCOUNT) { derror(); } crx_data_header_t hdr = RT_canon_CR3_data.crx_header[RT_canon_CR3_data.crx_track_selected]; - LibRaw_abstract_datastream input = {ifp}; + LibRaw_abstract_datastream input = { ifp }; img.input = &input; // libraw_internal_data.internal_data.input; // update sizes for the planes @@ -3135,7 +3447,7 @@ void DCraw::crxLoadRaw() // /*imgdata.color.*/maximum = (1 << hdr.nBits) - 1; tiff_bps = hdr.nBits; - std::uint8_t* const hdrBuf = static_cast(malloc(hdr.mdatHdrSize)); + std::uint8_t* const hdrBuf = static_cast(malloc(hdr.mdatHdrSize * 2)); // read image header #ifdef _OPENMP @@ -3153,7 +3465,7 @@ void DCraw::crxLoadRaw() } // parse and setup the image data - if (!crxSetupImageData(&hdr, &img, reinterpret_cast(raw_image), hdr.MediaOffset /*data_offset*/, hdr.MediaSize /*RT_canon_CR3_data.data_size*/, hdrBuf)) { + if (!crxSetupImageData(&hdr, &img, reinterpret_cast(raw_image), hdr.MediaOffset /*data_offset*/, hdr.MediaSize /*RT_canon_CR3_data.data_size*/, hdrBuf, hdr.mdatHdrSize*2)) { derror(); } @@ -3168,9 +3480,9 @@ void DCraw::crxLoadRaw() crxFreeImageData(&img); } -bool DCraw::crxParseImageHeader(uchar* cmp1TagData, unsigned int nTrack) +bool DCraw::crxParseImageHeader(uchar* cmp1TagData, int nTrack, int size) { - if (nTrack >= RT_canon_CR3_data.CRXTRACKS_MAXCOUNT) { + if (nTrack < 0 || nTrack >= RT_canon_CR3_data.CRXTRACKS_MAXCOUNT) { return false; } @@ -3193,9 +3505,18 @@ bool DCraw::crxParseImageHeader(uchar* cmp1TagData, unsigned int nTrack) hdr->hasTileCols = cmp1TagData[27] >> 7; hdr->hasTileRows = (cmp1TagData[27] >> 6) & 1; hdr->mdatHdrSize = sgetn(4, cmp1TagData + 28); + int extHeader = cmp1TagData[32] >> 7; + int useMedianBits = 0; + hdr->medianBits = hdr->nBits; + + if (extHeader && size >= 56 && hdr->nPlanes == 4) + useMedianBits = cmp1TagData[56] >> 6 & 1; + + if (useMedianBits && size >= 84) + hdr->medianBits = cmp1TagData[84]; // validation - if (hdr->version != 0x100 || !hdr->mdatHdrSize) { + if ((hdr->version != 0x100 && hdr->version != 0x200) || !hdr->mdatHdrSize) { return false; } @@ -3214,25 +3535,16 @@ bool DCraw::crxParseImageHeader(uchar* cmp1TagData, unsigned int nTrack) } if (hdr->nPlanes == 1) { - if (hdr->cfaLayout || hdr->encType) { - return false; - } - - if (hdr->nBits != 8) { + if (hdr->cfaLayout || hdr->encType || hdr->nBits != 8) { return false; } } else if ( hdr->nPlanes != 4 - || (hdr->f_width & 1) - || (hdr->f_height & 1) - || (hdr->tileWidth & 1) - || (hdr->tileHeight & 1) + || hdr->f_width & 1 + || hdr->f_height & 1 + || hdr->tileWidth & 1 + || hdr->tileHeight & 1 || hdr->cfaLayout > 3 - || ( - hdr->encType - && hdr->encType != 1 - && hdr->encType != 3 - ) || hdr->nBits == 8 ) { return false; diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 0761cb272..39e527598 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6061,6 +6061,23 @@ get2_256: offsetChannelBlackLevel2 = save1 + (0x0149 << 1); offsetWhiteLevels = save1 + (0x031c << 1); break; + case 2024: // 1D X Mark III, ColorDataSubVer 32 + // imCanon.ColorDataVer = 10; + imCanon.ColorDataSubVer = get2(); + fseek(ifp, save1 + (0x0055 << 1), SEEK_SET); + FORC4 cam_mul[c ^ (c >> 1)/*RGGB_2_RGBG(c)*/] = (float)get2(); + // get2(); + // FORC4 icWBC[LIBRAW_WBI_Auto][RGGB_2_RGBG(c)] = get2(); + // get2(); + // FORC4 icWBC[LIBRAW_WBI_Measured][RGGB_2_RGBG(c)] = get2(); + // fseek(ifp, save1 + (0x0096 << 1), SEEK_SET); + // Canon_WBpresets(2, 12); + // fseek(ifp, save1 + (0x0118 << 1), SEEK_SET); + // Canon_WBCTpresets(0); + offsetChannelBlackLevel = save1 + (0x0326 << 1); + offsetChannelBlackLevel2 = save1 + (0x0157 << 1); + offsetWhiteLevels = save1 + (0x032a << 1); + break; } if (offsetChannelBlackLevel) diff --git a/rtengine/dcraw.h b/rtengine/dcraw.h index 324be3554..7b103ea93 100644 --- a/rtengine/dcraw.h +++ b/rtengine/dcraw.h @@ -182,14 +182,15 @@ public: int32_t hasTileCols; int32_t hasTileRows; int32_t mdatHdrSize; + int32_t medianBits; // Not from header, but from datastream uint32_t MediaSize; int64_t MediaOffset; uint32_t MediaType; /* 1 -> /C/RAW, 2-> JPEG */ }; - static constexpr size_t CRXTRACKS_MAXCOUNT = 16; + static constexpr int CRXTRACKS_MAXCOUNT = 16; crx_data_header_t crx_header[CRXTRACKS_MAXCOUNT]; - unsigned int crx_track_selected; + int crx_track_selected; short CR3_CTMDtag; }; protected: @@ -565,13 +566,13 @@ void parse_canon_cr3(); void selectCRXTrack(unsigned short maxTrack); int parseCR3(unsigned long long oAtomList, unsigned long long szAtomList, short &nesting, - char *AtomNameStack, unsigned short &nTrack, short &TrackType); + char *AtomNameStack, short &nTrack, short &TrackType); bool crxDecodePlane(void *p, uint32_t planeNumber); void crxLoadDecodeLoop(void *img, int nPlanes); void crxConvertPlaneLineDf(void *p, int imageRow); void crxLoadFinalizeLoopE3(void *p, int planeHeight); void crxLoadRaw(); -bool crxParseImageHeader(uchar *cmp1TagData, unsigned int nTrack); +bool crxParseImageHeader(uchar *cmp1TagData, int nTrack, int size); //----------------------------------------------------------------------------- }; From 784625b5cc8fe6b78424a0b8e8116161027159f8 Mon Sep 17 00:00:00 2001 From: Bezierr <38507161+Bezierr@users.noreply.github.com> Date: Sat, 26 Mar 2022 11:02:50 +0000 Subject: [PATCH 051/170] Fix so E-Mount lens names are retrieved (#6437) --- rtengine/imagedata.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/imagedata.cc b/rtengine/imagedata.cc index 5ecfa8414..3c10e7dc0 100644 --- a/rtengine/imagedata.cc +++ b/rtengine/imagedata.cc @@ -557,7 +557,7 @@ FrameData::FrameData(rtexif::TagDirectory* frameRootDir_, rtexif::TagDirectory* } else if (!make.compare (0, 4, "SONY") || !make.compare (0, 6, "KONICA")) { if (mnote->getTag ("LensID")) { lens = validateUft8(mnote->getTag("LensID")->valueToString()); - if (lens == "Unknown") { + if (!lens.compare (0, 7, "Unknown")) { lens_from_make_and_model(); } } From c45a6105f72cacd467af3a751ff8a2ba9248e839 Mon Sep 17 00:00:00 2001 From: Desmis Date: Sat, 26 Mar 2022 12:04:21 +0100 Subject: [PATCH 052/170] Improvments to LA Sigmoid - LA Log encoding Cam16 and ICC profile creator (#6410) * Improvment to sigmoid Cam16 and Jz * Change default parameters contrast sigmoid * Log encoding Q added to Sigmoid Q - Cam16 * Change DR evaluation for sigmoid * Change default log encoding cam16 and change tool position options * DCI-P3 added to Iccprofilecreator --- rtdata/languages/default | 15 +++- rtengine/iplocallab.cc | 86 +++++++++++++++------ rtengine/procevents.h | 2 + rtengine/procparams.cc | 10 ++- rtengine/procparams.h | 2 + rtengine/refreshmap.cc | 4 +- rtengine/settings.h | 1 + rtgui/iccprofilecreator.cc | 38 +++++++-- rtgui/locallabtools.h | 6 +- rtgui/locallabtools2.cc | 154 ++++++++++++++++++++++++++++++++++--- rtgui/options.cc | 9 +++ rtgui/paramsedited.cc | 14 ++++ rtgui/paramsedited.h | 2 + 13 files changed, 299 insertions(+), 44 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 656345a87..a3e99cfc2 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1331,7 +1331,7 @@ HISTORY_MSG_1078;Local - Red and skin protection HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold HISTORY_MSG_1081;Local - CIECAM Sigmoid blend -HISTORY_MSG_1082;Local - CIECAM Sigmoid Q J +HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv HISTORY_MSG_1083;Local - CIECAM Hue HISTORY_MSG_1084;Local - Uses Black Ev - White Ev HISTORY_MSG_1085;Local - Jz lightness @@ -1409,6 +1409,8 @@ HISTORY_MSG_1145;Local - Jz Log encoding HISTORY_MSG_1146;Local - Jz Log encoding target gray HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv HISTORY_MSG_1148;Local - Jz Sigmoid +HISTORY_MSG_1149;Local - Q Sigmoid +HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q HISTORY_MSG_BLSHAPE;Blur by level HISTORY_MSG_BLURCWAV;Blur chroma HISTORY_MSG_BLURWAV;Blur luminance @@ -1575,6 +1577,7 @@ ICCPROFCREATOR_ILL_41;D41 ICCPROFCREATOR_ILL_50;D50 ICCPROFCREATOR_ILL_55;D55 ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater ICCPROFCREATOR_ILL_65;D65 ICCPROFCREATOR_ILL_80;D80 ICCPROFCREATOR_ILL_DEF;Default @@ -1589,6 +1592,7 @@ ICCPROFCREATOR_PRIM_BETA;BetaRGB ICCPROFCREATOR_PRIM_BLUX;Blue X ICCPROFCREATOR_PRIM_BLUY;Blue Y ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 ICCPROFCREATOR_PRIM_GREX;Green X ICCPROFCREATOR_PRIM_GREY;Green Y ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -3010,6 +3014,7 @@ TP_LOCALLAB_JZHFRA;Curves Hz TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) TP_LOCALLAB_JZHUECIE;Hue Rotation TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. TP_LOCALLAB_JZSAT;Saturation TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) @@ -3065,6 +3070,8 @@ TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action o TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. TP_LOCALLAB_LOGCONQL;Contrast (Q) TP_LOCALLAB_LOGCONTL;Contrast (J) @@ -3373,13 +3380,13 @@ TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer TP_LOCALLAB_SIGMAWAV;Attenuation response -TP_LOCALLAB_SIGFRA;Sigmoid J & Q +TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q TP_LOCALLAB_SIGJZFRA;Sigmoid Jz TP_LOCALLAB_SIGMOIDLAMBDA;Contrast TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) TP_LOCALLAB_SIGMOIDBL;Blend -TP_LOCALLAB_SIGMOIDQJ;Use Q instead of J -TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' and 'Sigmoid' function.\nThree sliders: a) Strength acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Slope TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index eee9b57e1..b3618bfb3 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -2582,6 +2582,8 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L bool jabcie = false;//always disabled bool islogjz = params->locallab.spots.at(sp).forcebw; bool issigjz = params->locallab.spots.at(sp).sigjz; + bool issigq = params->locallab.spots.at(sp).sigq; + bool islogq = params->locallab.spots.at(sp).logcie; //sigmoid J Q variables const float sigmoidlambda = params->locallab.spots.at(sp).sigmoidldacie; @@ -2630,8 +2632,8 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L const float ath = sigmoidth - 1.f; const float bth = 1; - float sila = pow_F(sigmoidlambda, 0.25f); - const float sigm = 1.4f + 25.f *(1.f - sila);//with sigmoidlambda = 0 e^16 = 9000000 e^20=485000000 e^23.5 = 16000000000 e^26.4 = 291000000000 + float sila = pow_F(sigmoidlambda, 0.5f); + const float sigm = 3.3f + 7.1f *(1.f - sila);//e^10.4 = 32860 => sigm vary from 3.3 to 10.4 const float bl = sigmoidbl; //end sigmoid @@ -3049,6 +3051,13 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L const float pow1n = pow_F(1.64f - pow_F(0.29f, nj), 0.73f); const float coe = pow_F(fl, 0.25f); const float QproFactor = (0.4f / c) * (aw + 4.0f) ; + const double shadows_range = params->locallab.spots.at(sp).blackEvjz; + const double targetgray = params->locallab.spots.at(sp).targetjz; + double targetgraycor = 0.15; + double dynamic_range = std::max(params->locallab.spots.at(sp).whiteEvjz - shadows_range, 0.5); + const double noise = pow(2., -16.6);//16.6 instead of 16 a little less than others, but we work in double + const double log2 = xlog(2.); + const float log2f = xlogf(2.f); if((mocam == 0 || mocam ==2) && call == 0) {//Jz az bz ==> Jz Cz Hz before Ciecam16 double mini = 1000.; @@ -3169,9 +3178,9 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L const float btjz = sigmoidthjz; const float athjz = sigmoidthjz - 1.f; - const float bthjz = 1; - float powsig = pow_F(sigmoidlambdajz, 0.25f); - const float sigmjz = 1.4f + 25.f *(1.f - powsig);// e^26.4 = 291000000000 + const float bthjz = 1.f; + float powsig = pow_F(sigmoidlambdajz, 0.5f); + const float sigmjz = 3.3f + 7.1f *(1.f - powsig);// e^10.4 = 32860 const float bljz = sigmoidbljz; double contreal = 0.2 * params->locallab.spots.at(sp).contjzcie; @@ -3217,12 +3226,14 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L //log encoding Jz double gray = 0.15; + /* const double shadows_range = params->locallab.spots.at(sp).blackEvjz; const double targetgray = params->locallab.spots.at(sp).targetjz; double targetgraycor = 0.15; double dynamic_range = std::max(params->locallab.spots.at(sp).whiteEvjz - shadows_range, 0.5); const double noise = pow(2., -16.6);//16.6 instead of 16 a little less than others, but we work in double const double log2 = xlog(2.); + */ double base = 10.; double linbase = 10.; if(logjz) {//with brightness Jz @@ -3539,7 +3550,7 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L if(issigjz && iscie) {//sigmoid Jz float val = Jz; if(islogjz) { - val = std::max((xlog(Jz) / log2 - shadows_range) / dynamic_range, noise);//in range EV + val = std::max((xlog(Jz) / log2 - shadows_range) / (dynamic_range + 1.5), noise);//in range EV } if(sigmoidthjz >= 1.f) { thjz = athjz * val + bthjz;//threshold @@ -3685,6 +3696,8 @@ if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 if(lp.logena && !(params->locallab.spots.at(sp).expcie && mocam == 1)) {//Log encoding only, but enable for log encoding if we use Cam16 module both with log encoding plum = 100.f; } + + #ifdef _OPENMP #pragma omp parallel for reduction(min:minicam) reduction(max:maxicam) reduction(min:minicamq) reduction(max:maxicamq) reduction(min:minisat) reduction(max:maxisat) reduction(min:miniM) reduction(max:maxiM) reduction(+:sumcam) reduction(+:sumcamq) reduction(+:sumsat) reduction(+:sumM)if(multiThread) @@ -3750,6 +3763,36 @@ if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 printf("Cam16 Scene Saturati-s Colorfulln_M- minSat=%3.1f maxSat=%3.1f meanSat=%3.1f minM=%3.1f maxM=%3.1f meanM=%3.1f\n", (double) minisat, (double) maxisat, (double) sumsat, (double) miniM, (double) maxiM, (double) sumM); } + float base = 10.; + float linbase = 10.; + float gray = 15.; + if(islogq) {//with brightness Jz + gray = 0.01f * (float) params->locallab.spots.at(sp).sourceGraycie; + gray = pow_F(gray, 1.2f);//or 1.15 => modification to increase sensitivity gain, only on defaults, of course we can change this value manually...take into account suuround and Yb Cam16 + const float targetgraycie = params->locallab.spots.at(sp).targetGraycie; + float targetgraycor = pow_F(0.01f * targetgraycie, 1.15f); + base = targetgraycie > 1.f && targetgraycie < 100.f && (float) dynamic_range > 0.f ? find_gray(std::abs((float) shadows_range) / (float) dynamic_range,(targetgraycor)) : 0.f; + linbase = std::max(base, 2.f);//2. minimal base log to avoid very bad results + if (settings->verbose) { + printf("Base logarithm encoding Q=%5.1f\n", (double) linbase); + } + } + + const auto applytoq = + [ = ](float x) -> float { + + x = rtengine::max(x, (float) noise); + x = rtengine::max(x / gray, (float) noise);//gray = gain - before log conversion + x = rtengine::max((xlogf(x) / log2f - (float) shadows_range) / (float) dynamic_range, (float) noise);//x in range EV + assert(x == x); + + if (linbase > 0.f)//apply log base in function of targetgray blackEvjz and Dynamic Range + { + x = xlog2lin(x, linbase); + } + return x; + }; + //Ciecam "old" code not change except sigmoid added @@ -3878,8 +3921,21 @@ if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 Qpro = CAMBrightCurveQ[(float)(Qpro * coefQ)] / coefQ; //brightness and contrast - if(sigmoidlambda > 0.f && iscie && sigmoidqj == true) {//sigmoid Q only with ciecam module + if(islogq && issigq) { + float val = Qpro * coefq;; + if (val > (float) noise) { + float mm = applytoq(val); + float f = mm / val; + Qpro *= f; + } + } + + + if(issigq && iscie && !islogq) {//sigmoid Q only with ciecam module float val = Qpro * coefq; + if(sigmoidqj == true) { + val = std::max((xlog(val) / log2 - shadows_range) / (dynamic_range + 1.5), noise);//in range EV + } if(sigmoidth >= 1.f) { th = ath * val + bth; } else { @@ -3890,6 +3946,7 @@ if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 Qpro = std::max(bl * Qpro + bl2 * val / coefq, 0.f); } + float Mp, sres; Mp = Mpro / 100.0f; Ciecam02::curvecolorfloat(mchr, Mp, sres, 2.5f); @@ -3907,21 +3964,6 @@ if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 } Jpro = CAMBrightCurveJ[(float)(Jpro * 327.68f)]; //lightness CIECAM02 + contrast - - if(sigmoidlambda > 0.f && iscie && sigmoidqj == false) {//sigmoid J only with ciecam module - float val = Jpro / 100.f; - if(sigmoidth >= 1.f) { - th = ath * val + bth; - } else { - th = at * val + bt; - } - sigmoidla (val, th, sigm); - Jpro = 100.f * LIM01(bl * 0.01f * Jpro + val); - if (Jpro > 99.9f) { - Jpro = 99.9f; - } - } - float Sp = spro / 100.0f; Ciecam02::curvecolorfloat(schr, Sp, sres, 1.5f); dred = 100.f; // in C mode diff --git a/rtengine/procevents.h b/rtengine/procevents.h index 3ff061df8..8ebf26bcf 100644 --- a/rtengine/procevents.h +++ b/rtengine/procevents.h @@ -1180,6 +1180,8 @@ enum ProcEventCode { Evlocallabtargetjz = 1145, Evlocallabforcebw = 1146, Evlocallabsigjz = 1147, + Evlocallabsigq = 1148, + Evlocallablogcie = 1149, NUMOFEVENTS }; diff --git a/rtengine/procparams.cc b/rtengine/procparams.cc index e80e293ce..9a9e4fef1 100644 --- a/rtengine/procparams.cc +++ b/rtengine/procparams.cc @@ -4283,8 +4283,10 @@ LocallabParams::LocallabSpot::LocallabSpot() : qtoj(false), jabcie(true), sigmoidqjcie(false), + logcie(false), logjz(false), sigjz(false), + sigq(false), chjzcie(true), sourceGraycie(18.), sourceabscie(2000.), @@ -4453,7 +4455,7 @@ LocallabParams::LocallabSpot::LocallabSpot() : blackEvjz(-5.0), whiteEvjz(10.0), targetjz(18.0), - sigmoidldacie(0.), + sigmoidldacie(0.5), sigmoidthcie(1.), sigmoidblcie(1.), sigmoidldajzcie(0.5), @@ -5159,8 +5161,10 @@ bool LocallabParams::LocallabSpot::operator ==(const LocallabSpot& other) const && qtoj == other.qtoj && jabcie == other.jabcie && sigmoidqjcie == other.sigmoidqjcie + && logcie == other.logcie && logjz == other.logjz && sigjz == other.sigjz + && sigq == other.sigq && chjzcie == other.chjzcie && sourceGraycie == other.sourceGraycie && sourceabscie == other.sourceabscie @@ -6947,8 +6951,10 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || spot_edited->qtoj, "Locallab", "Qtoj_" + index_str, spot.qtoj, keyFile); saveToKeyfile(!pedited || spot_edited->jabcie, "Locallab", "jabcie_" + index_str, spot.jabcie, keyFile); saveToKeyfile(!pedited || spot_edited->sigmoidqjcie, "Locallab", "sigmoidqjcie_" + index_str, spot.sigmoidqjcie, keyFile); + saveToKeyfile(!pedited || spot_edited->logcie, "Locallab", "logcie_" + index_str, spot.logcie, keyFile); saveToKeyfile(!pedited || spot_edited->logjz, "Locallab", "Logjz_" + index_str, spot.logjz, keyFile); saveToKeyfile(!pedited || spot_edited->sigjz, "Locallab", "Sigjz_" + index_str, spot.sigjz, keyFile); + saveToKeyfile(!pedited || spot_edited->sigq, "Locallab", "Sigq_" + index_str, spot.sigq, keyFile); saveToKeyfile(!pedited || spot_edited->chjzcie, "Locallab", "chjzcie_" + index_str, spot.chjzcie, keyFile); saveToKeyfile(!pedited || spot_edited->sourceGraycie, "Locallab", "SourceGraycie_" + index_str, spot.sourceGraycie, keyFile); saveToKeyfile(!pedited || spot_edited->sourceabscie, "Locallab", "Sourceabscie_" + index_str, spot.sourceabscie, keyFile); @@ -9113,8 +9119,10 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Locallab", "Qtoj_" + index_str, pedited, spot.qtoj, spotEdited.qtoj); assignFromKeyfile(keyFile, "Locallab", "jabcie_" + index_str, pedited, spot.jabcie, spotEdited.jabcie); assignFromKeyfile(keyFile, "Locallab", "sigmoidqjcie_" + index_str, pedited, spot.sigmoidqjcie, spotEdited.sigmoidqjcie); + assignFromKeyfile(keyFile, "Locallab", "logcie_" + index_str, pedited, spot.logcie, spotEdited.logcie); assignFromKeyfile(keyFile, "Locallab", "Logjz_" + index_str, pedited, spot.logjz, spotEdited.logjz); assignFromKeyfile(keyFile, "Locallab", "Sigjz_" + index_str, pedited, spot.sigjz, spotEdited.sigjz); + assignFromKeyfile(keyFile, "Locallab", "Sigq_" + index_str, pedited, spot.sigq, spotEdited.sigq); assignFromKeyfile(keyFile, "Locallab", "chjzcie_" + index_str, pedited, spot.chjzcie, spotEdited.chjzcie); assignFromKeyfile(keyFile, "Locallab", "SourceGraycie_" + index_str, pedited, spot.sourceGraycie, spotEdited.sourceGraycie); assignFromKeyfile(keyFile, "Locallab", "Sourceabscie_" + index_str, pedited, spot.sourceabscie, spotEdited.sourceabscie); diff --git a/rtengine/procparams.h b/rtengine/procparams.h index c517adf9f..04229867b 100644 --- a/rtengine/procparams.h +++ b/rtengine/procparams.h @@ -1605,8 +1605,10 @@ struct LocallabParams { bool qtoj; bool jabcie; bool sigmoidqjcie; + bool logcie; bool logjz; bool sigjz; + bool sigq; bool chjzcie; double sourceGraycie; double sourceabscie; diff --git a/rtengine/refreshmap.cc b/rtengine/refreshmap.cc index a1fc5b418..fe730c203 100644 --- a/rtengine/refreshmap.cc +++ b/rtengine/refreshmap.cc @@ -1184,7 +1184,9 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP, //Evlocallablogjz AUTOEXP, //Evlocallabtargetjz AUTOEXP, //Evlocallabforcebw - AUTOEXP //Evlocallabsigjz + AUTOEXP, //Evlocallabsigjz + AUTOEXP, //Evlocallabsigq + AUTOEXP //Evlocallablogcie }; diff --git a/rtengine/settings.h b/rtengine/settings.h index fc512e9ff..bc49a2281 100644 --- a/rtengine/settings.h +++ b/rtengine/settings.h @@ -59,6 +59,7 @@ public: Glib::ustring rec2020; // filename of Rec2020 profile (default to the bundled one) Glib::ustring ACESp0; // filename of ACES P0 profile (default to the bundled one) Glib::ustring ACESp1; // filename of ACES P1 profile (default to the bundled one) + Glib::ustring DCIP3; // filename of DCIP3 profile (default to the bundled one) bool gamutICC; // no longer used bool gamutLch; diff --git a/rtgui/iccprofilecreator.cc b/rtgui/iccprofilecreator.cc index b7e6bc20e..446dda3fb 100644 --- a/rtgui/iccprofilecreator.cc +++ b/rtgui/iccprofilecreator.cc @@ -79,6 +79,7 @@ ICCProfileCreator::ICCProfileCreator(RTWindow *rtwindow) primaries->append(M("ICCPROFCREATOR_PRIM_BEST")); primaries->append(M("ICCPROFCREATOR_PRIM_BETA")); primaries->append(M("ICCPROFCREATOR_PRIM_BRUCE")); + primaries->append(M("ICCPROFCREATOR_PRIM_DCIP3")); primaries->set_tooltip_text(M("ICCPROFCREATOR_PRIM_TOOLTIP")); mainGrid->attach(*primaries, 1, 0, 1, 1); @@ -176,6 +177,7 @@ ICCProfileCreator::ICCProfileCreator(RTWindow *rtwindow) cIlluminant->append(M("ICCPROFCREATOR_ILL_50")); cIlluminant->append(M("ICCPROFCREATOR_ILL_55")); cIlluminant->append(M("ICCPROFCREATOR_ILL_60")); + cIlluminant->append(M("ICCPROFCREATOR_ILL_63")); cIlluminant->append(M("ICCPROFCREATOR_ILL_65")); cIlluminant->append(M("ICCPROFCREATOR_ILL_80")); cIlluminant->append(M("ICCPROFCREATOR_ILL_INC")); @@ -265,6 +267,8 @@ ICCProfileCreator::ICCProfileCreator(RTWindow *rtwindow) primaries->set_active_text(M("ICCPROFCREATOR_PRIM_BETA")); } else if (primariesPreset == "BruceRGB") { primaries->set_active_text(M("ICCPROFCREATOR_PRIM_BRUCE")); + } else if (primariesPreset == "DCIP3") { + primaries->set_active_text(M("ICCPROFCREATOR_PRIM_DCIP3")); } trcPresets->set_active(0); @@ -296,6 +300,8 @@ ICCProfileCreator::ICCProfileCreator(RTWindow *rtwindow) cIlluminant->set_active_text(M("ICCPROFCREATOR_ILL_55")); } else if (illuminant == "D60") { cIlluminant->set_active_text(M("ICCPROFCREATOR_ILL_60")); + } else if (illuminant == "D63") { + cIlluminant->set_active_text(M("ICCPROFCREATOR_ILL_63")); } else if (illuminant == "D65") { cIlluminant->set_active_text(M("ICCPROFCREATOR_ILL_65")); } else if (illuminant == "D80") { @@ -437,6 +443,8 @@ void ICCProfileCreator::storeValues() options.ICCPC_illuminant = illuminant = "D55"; } else if (cIlluminant->get_active_text() == M("ICCPROFCREATOR_ILL_60")) { options.ICCPC_illuminant = illuminant = "D60"; + } else if (cIlluminant->get_active_text() == M("ICCPROFCREATOR_ILL_63")) { + options.ICCPC_illuminant = illuminant = "D63"; } else if (cIlluminant->get_active_text() == M("ICCPROFCREATOR_ILL_65")) { options.ICCPC_illuminant = illuminant = "D65"; } else if (cIlluminant->get_active_text() == M("ICCPROFCREATOR_ILL_80")) { @@ -482,6 +490,8 @@ Glib::ustring ICCProfileCreator::getPrimariesPresetName(const Glib::ustring &pre return Glib::ustring("BetaRGB"); } else if (primaries->get_active_text() == M("ICCPROFCREATOR_PRIM_BRUCE")) { return Glib::ustring("BruceRGB"); + } else if (primaries->get_active_text() == M("ICCPROFCREATOR_PRIM_DCIP3")) { + return Glib::ustring("DCIP3"); } else if (primaries->get_active_text() == M("ICCPROFCREATOR_CUSTOM")) { return Glib::ustring("custom"); } else { @@ -570,6 +580,13 @@ void ICCProfileCreator::getPrimaries(const Glib::ustring &preset, double *p, Col p[3] = 0.8404; p[4] = 0.0366; p[5] = 0.0001; + } else if (preset == "DCIP3") { + p[0] = 0.68; // DCIP3 primaries + p[1] = 0.32; + p[2] = 0.265; + p[3] = 0.69; + p[4] = 0.15; + p[5] = 0.06; } else if (preset == "custom") { p[0] = redPrimaryX; p[1] = redPrimaryY; @@ -655,7 +672,7 @@ void ICCProfileCreator::savePressed() // -------------------------------------------- Compute the default file name // -----------------setmedia white point for monitor profile sRGB or AdobeRGB in case of profile used for monitor--------------------- //instead of calculations made by LCMS..small differences - bool isD65 = (primariesPreset == "sRGB" || primariesPreset == "Adobe" || primariesPreset == "Rec2020" || primariesPreset == "BruceRGB"); + bool isD65 = (primariesPreset == "sRGB" || primariesPreset == "Adobe" || primariesPreset == "Rec2020" || primariesPreset == "BruceRGB" || primariesPreset == "DCIP3"); bool isD60 = (primariesPreset == "ACES-AP1" || primariesPreset == "ACES-AP0"); bool isD50 = (primariesPreset == "ProPhoto" || primariesPreset == "Widegamut" || primariesPreset == "BestRGB" || primariesPreset == "BetaRGB"); // v2except = (profileVersion == "v2" && (primariesPreset == "sRGB" || primariesPreset == "Adobe" || primariesPreset == "Rec2020" || primariesPreset == "BruceRGB" || primariesPreset == "ACES-AP1" || primariesPreset == "ACES-AP0") && illuminant == "DEF"); @@ -693,23 +710,23 @@ void ICCProfileCreator::savePressed() if (options.rtSettings.widegamut.substr(0, 4) == "RTv4") { options.rtSettings.widegamut = "RTv2_Wide"; } - sNewProfile = options.rtSettings.widegamut; - sPrimariesPreset = "Wide"; + } else if (primariesPreset == "DCIP3") {//only at the request of the user + sNewProfile = options.rtSettings.DCIP3; + sPrimariesPreset = "DCIP3"; } else if (primariesPreset == "BestRGB" && rtengine::ICCStore::getInstance()->outputProfileExist(options.rtSettings.best)) { if (options.rtSettings.best.substr(0, 4) == "RTv4") { options.rtSettings.best = "RTv2_Best"; } - sNewProfile = options.rtSettings.best; sPrimariesPreset = "Best"; } else if (primariesPreset == "BetaRGB" && rtengine::ICCStore::getInstance()->outputProfileExist(options.rtSettings.beta)) { - sNewProfile = options.rtSettings.beta; if (options.rtSettings.beta.substr(0, 4) == "RTv4") { options.rtSettings.widegamut = "RTv2_Beta"; } + sNewProfile = options.rtSettings.beta; sPrimariesPreset = "Beta"; } else if (primariesPreset == "BruceRGB" && rtengine::ICCStore::getInstance()->outputProfileExist(options.rtSettings.bruce)) { @@ -750,6 +767,8 @@ void ICCProfileCreator::savePressed() sPrimariesPreset = "Best"; } else if (primariesPreset == "BetaRGB") { sPrimariesPreset = "Beta"; + } else if (primariesPreset == "DCIP3") { + sPrimariesPreset = "DCIP3"; } else if (primariesPreset == "custom") { sPrimariesPreset = "Custom"; } @@ -1012,6 +1031,8 @@ void ICCProfileCreator::savePressed() tempv4 = 5500.; } else if (illuminant == "D60") { tempv4 = 6004.; + } else if (illuminant == "D63") { + tempv4 = 6300.; } else if (illuminant == "D65") { tempv4 = 6504.; } else if (illuminant == "D80") { @@ -1030,6 +1051,10 @@ void ICCProfileCreator::savePressed() xyD = {0.32168, 0.33767, 1.0}; } + if (illuminant == "D63") { + xyD = {0.314, 0.351, 1.0}; + } + if (illuminant == "D50") { xyD = {0.3457, 0.3585, 1.0};//white D50 near LCMS values but not perfect...it's a compromise!! } @@ -1077,6 +1102,9 @@ void ICCProfileCreator::savePressed() } else if (illuminant == "D60") { Wx = 0.952646075; Wz = 1.008825184; + } else if (illuminant == "D63") { + Wx = 0.894587; + Wz = 0.954416; } else if (illuminant == "D41") { Wx = 0.991488263; Wz = 0.631604625; diff --git a/rtgui/locallabtools.h b/rtgui/locallabtools.h index 041fac431..e7fcfc1d0 100644 --- a/rtgui/locallabtools.h +++ b/rtgui/locallabtools.h @@ -1580,10 +1580,12 @@ private: Gtk::CheckButton* const forcebw; Gtk::Frame* const sigmoidFrame; + Gtk::CheckButton* const sigq; Adjuster* const sigmoidldacie; Adjuster* const sigmoidthcie; Adjuster* const sigmoidblcie; Gtk::CheckButton* const sigmoidqjcie; + Gtk::CheckButton* const logcie; Gtk::Frame* const sigmoidjzFrame; Gtk::CheckButton* const sigjz; Adjuster* const sigmoidldajzcie; @@ -1668,7 +1670,7 @@ private: CurveEditorGroup* const mask2cieCurveEditorG; DiagonalCurveEditor* const Lmaskcieshape; - sigc::connection AutograycieConn, forcejzConn, forcebwConn, qtojConn, showmaskcieMethodConn, enacieMaskConn, jabcieConn, sursourcieconn, surroundcieconn, modecieconn, modecamconn, sigmoidqjcieconn, logjzconn, sigjzconn, chjzcieconn, toneMethodcieConn, toneMethodcieConn2; + sigc::connection AutograycieConn, forcejzConn, forcebwConn, qtojConn, showmaskcieMethodConn, enacieMaskConn, jabcieConn, sursourcieconn, surroundcieconn, modecieconn, modecamconn, sigmoidqjcieconn, logcieconn, logjzconn, sigjzconn, sigqconn, chjzcieconn, toneMethodcieConn, toneMethodcieConn2; public: Locallabcie(); ~Locallabcie(); @@ -1713,8 +1715,10 @@ private: void qtojChanged(); void jabcieChanged(); void sigmoidqjcieChanged(); + void logcieChanged(); void logjzChanged(); void sigjzChanged(); + void sigqChanged(); void chjzcieChanged(); void updatecieGUI(); void updateMaskBackground(const double normChromar, const double normLumar, const double normHuer, const double normHuerjz) override; diff --git a/rtgui/locallabtools2.cc b/rtgui/locallabtools2.cc index 4dc5deb43..3358a61ef 100644 --- a/rtgui/locallabtools2.cc +++ b/rtgui/locallabtools2.cc @@ -7444,10 +7444,12 @@ Locallabcie::Locallabcie(): forcebw(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_BWFORCE")))), sigmoidFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SIGFRA")))), - sigmoidldacie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDLAMBDA"), 0., 1.0, 0.01, 0.))), + sigq(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SIGFRA")))), + sigmoidldacie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDLAMBDA"), 0.0, 1., 0.01, 0.5))), sigmoidthcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDTH"), 0.1, 4., 0.01, 1., Gtk::manage(new RTImage("circle-black-small.png")), Gtk::manage(new RTImage("circle-white-small.png"))))), sigmoidblcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDBL"), 0.5, 1.5, 0.01, 1.))), sigmoidqjcie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SIGMOIDQJ")))), + logcie(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_LOGCIE")))), sigmoidjzFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SIGJZFRA")))), sigjz(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SIGJZFRA")))), sigmoidldajzcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SIGMOIDLAMBDA"), 0., 1.0, 0.01, 0.5))), @@ -7562,7 +7564,7 @@ Locallabcie::Locallabcie(): modecie->append (M ("TP_LOCALLAB_CIEMODE_TM")); modecie->append (M ("TP_LOCALLAB_CIEMODE_WAV")); modecie->append (M ("TP_LOCALLAB_CIEMODE_DR")); - modecie->append (M ("TP_LOCALLAB_CIEMODE_LOG")); +// modecie->append (M ("TP_LOCALLAB_CIEMODE_LOG")); modecie->set_active (0); modeHBoxcie->pack_start (*modecie); modecieconn = modecie->signal_changed().connect ( sigc::mem_fun (*this, &Locallabcie::modecieChanged) ); @@ -7611,6 +7613,21 @@ Locallabcie::Locallabcie(): bevwevFrame->add(*bevwevBox); cieFBox->pack_start (*bevwevFrame); + sigmoidFrame->set_label_align(0.025, 0.5); + sigmoidFrame->set_label_widget(*sigq); + ToolParamBlock* const sigBox = Gtk::manage(new ToolParamBlock()); + Gtk::Separator* const separatorsig = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)); + + sigBox->pack_start(*sigmoidldacie); + sigBox->pack_start(*sigmoidthcie); + sigBox->pack_start(*sigmoidblcie); + sigBox->pack_start(*sigmoidqjcie); + sigBox->pack_start(*separatorsig); + sigBox->pack_start(*logcie); + sigmoidFrame->add(*sigBox); + cieFBox->pack_start(*sigmoidFrame); + + sigmoidjzFrame->set_label_align(0.025, 0.5); sigmoidjzFrame->set_label_widget(*sigjz); ToolParamBlock* const sigjzBox = Gtk::manage(new ToolParamBlock()); @@ -7814,8 +7831,10 @@ Locallabcie::Locallabcie(): jabcieConn = jabcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::jabcieChanged)); AutograycieConn = Autograycie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::AutograycieChanged)); sigmoidqjcieconn = sigmoidqjcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::sigmoidqjcieChanged)); + logcieconn = logcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::logcieChanged)); logjzconn = logjz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::logjzChanged)); sigjzconn = sigjz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::sigjzChanged)); + sigqconn = sigq->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::sigqChanged)); forcejzConn = forcejz->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::forcejzChanged)); qtojConn = qtoj->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::qtojChanged)); chjzcieconn = chjzcie->signal_toggled().connect(sigc::mem_fun(*this, &Locallabcie::chjzcieChanged)); @@ -7984,7 +8003,7 @@ Locallabcie::Locallabcie(): cieP1Box->pack_start(*cie1colorFrame); // pack_start(*blackEvjz); // pack_start(*whiteEvjz); - +/* sigmoidFrame->set_label_align(0.025, 0.5); ToolParamBlock* const sigBox = Gtk::manage(new ToolParamBlock()); @@ -7994,6 +8013,7 @@ Locallabcie::Locallabcie(): sigBox->pack_start(*sigmoidqjcie); sigmoidFrame->add(*sigBox); cieP1Box->pack_start(*sigmoidFrame); + */ ToolParamBlock* const cieP11Box = Gtk::manage(new ToolParamBlock()); cieP11Box->pack_start(*cieCurveEditorG); cieP11Box->pack_start(*cieCurveEditorG2); @@ -8160,6 +8180,7 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) cieFrame->set_tooltip_text(M("TP_LOCALLAB_LOGSCENE_TOOLTIP")); PQFrame->set_tooltip_text(M("TP_LOCALLAB_JZPQFRA_TOOLTIP")); qtoj->set_tooltip_text(M("TP_LOCALLAB_JZQTOJ_TOOLTIP")); + logcie->set_tooltip_text(M("TP_LOCALLAB_LOGCIE_TOOLTIP")); modecam->set_tooltip_text(M("TP_LOCALLAB_JZMODECAM_TOOLTIP")); adapjzcie->set_tooltip_text(M("TP_LOCALLAB_JABADAP_TOOLTIP")); jz100->set_tooltip_text(M("TP_LOCALLAB_JZ100_TOOLTIP")); @@ -8168,8 +8189,8 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) Autograycie->set_tooltip_text(M("TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP")); sigmalcjz->set_tooltip_text(M("TP_LOCALLAB_WAT_SIGMALC_TOOLTIP")); logjzFrame->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); - blackEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); - whiteEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); + blackEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWBS_TOOLTIP")); + whiteEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWBS_TOOLTIP")); clariFramejz->set_tooltip_markup(M("TP_LOCALLAB_CLARIJZ_TOOLTIP")); clarilresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP")); claricresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP")); @@ -8182,6 +8203,7 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) sourceabscie->set_tooltip_text(M("TP_COLORAPP_ADAPSCEN_TOOLTIP")); cie1Frame->set_tooltip_text(M("TP_LOCALLAB_LOGIMAGE_TOOLTIP")); sigmoidFrame->set_tooltip_text(M("TP_LOCALLAB_SIGMOID_TOOLTIP")); + sigmoidjzFrame->set_tooltip_text(M("TP_LOCALLAB_SIGMOID_TOOLTIP")); contlcie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTL_TOOLTIP")); contqcie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTQ_TOOLTIP")); contthrescie->set_tooltip_text(M("TP_LOCALLAB_LOGCONTTHRES_TOOLTIP")); @@ -8215,6 +8237,7 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) PQFrame->set_tooltip_text(""); modecam->set_tooltip_text(""); qtoj->set_tooltip_text(""); + logcie->set_tooltip_text(""); jabcie->set_tooltip_text(""); adapjzcie->set_tooltip_text(""); jz100->set_tooltip_text(""); @@ -8229,6 +8252,7 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) sourceabscie->set_tooltip_text(""); cie1Frame->set_tooltip_text(""); sigmoidFrame->set_tooltip_text(""); + sigmoidjzFrame->set_tooltip_text(""); contlcie->set_tooltip_text(""); contqcie->set_tooltip_text(""); contthrescie->set_tooltip_text(""); @@ -8273,8 +8297,10 @@ void Locallabcie::disableListener() qtojConn.block(true); jabcieConn.block(true); sigmoidqjcieconn.block(true); + logcieconn.block(true); logjzconn.block(true); sigjzconn.block(true); + sigqconn.block(true); chjzcieconn.block(true); sursourcieconn.block (true); surroundcieconn.block (true); @@ -8295,8 +8321,10 @@ void Locallabcie::enableListener() qtojConn.block(false); jabcieConn.block(false); sigmoidqjcieconn.block(false); + logcieconn.block(false); logjzconn.block(false); sigjzconn.block(false); + sigqconn.block(false); chjzcieconn.block(false); sursourcieconn.block (false); surroundcieconn.block (false); @@ -8385,8 +8413,8 @@ void Locallabcie::read(const rtengine::procparams::ProcParams* pp, const ParamsE modecie->set_active (2); } else if (spot.modecie == "dr") { modecie->set_active (3); - } else if (spot.modecie == "log") { - modecie->set_active (4); +// } else if (spot.modecie == "log") { +// modecie->set_active (4); } if (spot.toneMethodcie == "one") { @@ -8409,14 +8437,29 @@ void Locallabcie::read(const rtengine::procparams::ProcParams* pp, const ParamsE qtoj->set_active(spot.qtoj); sourceGraycie->setValue(spot.sourceGraycie); sigmoidqjcie->set_active(spot.sigmoidqjcie); + logcie->set_active(spot.logcie); logjz->set_active(spot.logjz); sigjz->set_active(spot.sigjz); + sigq->set_active(spot.sigq); // chjzcie->set_active(spot.chjzcie); chjzcie->set_active(true);//force to true to avoid other mode sourceabscie->setValue(spot.sourceabscie); jabcie->set_active(spot.jabcie); jabcieChanged(); modecamChanged(); + + if(logcie->get_active()) { + sigmoidldacie->set_sensitive(false); + sigmoidthcie->set_sensitive(false); + sigmoidblcie->set_sensitive(false); + sigmoidqjcie->set_sensitive(false); + } else { + sigmoidldacie->set_sensitive(true); + sigmoidthcie->set_sensitive(true); + sigmoidblcie->set_sensitive(true); + sigmoidqjcie->set_sensitive(true); + } + if (spot.sursourcie == "Average") { sursourcie->set_active (0); } else if (spot.sursourcie == "Dim") { @@ -8556,8 +8599,8 @@ void Locallabcie::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedi spot.modecie = "wav"; } else if (modecie->get_active_row_number() == 3) { spot.modecie = "dr"; - } else if (modecie->get_active_row_number() == 4) { - spot.modecie = "log"; +// } else if (modecie->get_active_row_number() == 4) { +// spot.modecie = "log"; } if (toneMethodcie->get_active_row_number() == 0) { @@ -8582,9 +8625,11 @@ void Locallabcie::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedi spot.sourceGraycie = sourceGraycie->getValue(); spot.sourceabscie = sourceabscie->getValue(); spot.sigmoidqjcie = sigmoidqjcie->get_active(); + spot.logcie = logcie->get_active(); spot.logjz = logjz->get_active(); spot.sigjz = sigjz->get_active(); spot.chjzcie = chjzcie->get_active(); + spot.sigq = sigq->get_active(); if(sursourcie->get_active_row_number() == 0) { spot.sursourcie = "Average"; @@ -8873,6 +8918,34 @@ void Locallabcie::sigmoidqjcieChanged() } } +void Locallabcie::logcieChanged() +{ + + if(logcie->get_active()) { + sigmoidldacie->set_sensitive(false); + sigmoidthcie->set_sensitive(false); + sigmoidblcie->set_sensitive(false); + sigmoidqjcie->set_sensitive(false); + } else { + sigmoidldacie->set_sensitive(true); + sigmoidthcie->set_sensitive(true); + sigmoidblcie->set_sensitive(true); + sigmoidqjcie->set_sensitive(true); + } + + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (logcie->get_active()) { + listener->panelChanged(Evlocallablogcie, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallablogcie, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + void Locallabcie::logjzChanged() { if (isLocActivated && exp->getEnabled()) { @@ -8903,6 +8976,21 @@ void Locallabcie::sigjzChanged() } } +void Locallabcie::sigqChanged() +{ + if (isLocActivated && exp->getEnabled()) { + if (listener) { + if (sigq->get_active()) { + listener->panelChanged(Evlocallabsigq, + M("GENERAL_ENABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } else { + listener->panelChanged(Evlocallabsigq, + M("GENERAL_DISABLED") + " (" + escapeHtmlChars(getSpotName()) + ")"); + } + } + } +} + void Locallabcie::chjzcieChanged() { if (chjzcie->get_active()) { @@ -8938,6 +9026,7 @@ void Locallabcie::modecamChanged() logjzFrame->show(); bevwevFrame->show(); sigmoidjzFrame->show(); + sigmoidFrame->hide(); forcejz->hide(); } else { @@ -8950,7 +9039,10 @@ void Locallabcie::modecamChanged() jabcie->hide(); PQFrame->hide(); logjzFrame->hide(); - bevwevFrame->hide(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); + } sigmoidjzFrame->hide(); forcejz->hide(); catadcie->show(); @@ -9021,7 +9113,13 @@ void Locallabcie::modecamChanged() PQFrame->hide(); logjzFrame->hide(); sigmoidjzFrame->hide(); + sigmoidFrame->hide(); bevwevFrame->hide(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); + } + forcejz->hide(); pqremapcam16->show(); catadcie->show(); @@ -9039,6 +9137,11 @@ void Locallabcie::modecamChanged() } else { cieFrame->show(); cie2Frame->show(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidjzFrame->hide(); + + } if (modecam->get_active_row_number() == 1) { targetGraycie->hide(); targabscie->hide(); @@ -9048,6 +9151,7 @@ void Locallabcie::modecamChanged() PQFrame->show(); logjzFrame->show(); sigmoidjzFrame->show(); + sigmoidFrame->hide(); bevwevFrame->show(); catadcie->hide(); cie2Frame->hide(); @@ -9208,6 +9312,11 @@ void Locallabcie::updateGUIToMode(const modeType new_type) logjzFrame->hide(); sigmoidjzFrame->hide(); bevwevFrame->hide(); + sigmoidFrame->hide(); + } + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); } if (modecam->get_active_row_number() == 1) { @@ -9220,6 +9329,7 @@ void Locallabcie::updateGUIToMode(const modeType new_type) logjzFrame->hide(); bevwevFrame->hide(); sigmoidjzFrame->hide(); + sigmoidFrame->hide(); catadcie->hide(); cie2Frame->hide(); maskusablecie->hide(); @@ -9292,6 +9402,10 @@ void Locallabcie::updateGUIToMode(const modeType new_type) maskusablecie->hide(); maskunusablecie->show(); } + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); + } if (modecam->get_active_row_number() == 2) { PQFrame->hide(); @@ -9310,6 +9424,7 @@ void Locallabcie::updateGUIToMode(const modeType new_type) logjzFrame->hide(); sigmoidjzFrame->hide(); bevwevFrame->hide(); + sigmoidFrame->hide(); catadcie->hide(); cie2Frame->hide(); exprecovcie->hide(); @@ -9379,6 +9494,9 @@ void Locallabcie::updateGUIToMode(const modeType new_type) maskusablecie->hide(); maskunusablecie->show(); } + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + } if (modecam->get_active_row_number() == 1 || modecam->get_active_row_number() == 2) { jabcie->show(); @@ -9391,6 +9509,7 @@ void Locallabcie::updateGUIToMode(const modeType new_type) logjzFrame->show(); bevwevFrame->show(); sigmoidjzFrame->show(); + sigmoidFrame->hide(); forcejz->hide(); } @@ -9406,6 +9525,11 @@ void Locallabcie::updateGUIToMode(const modeType new_type) logjzFrame->hide(); sigmoidjzFrame->hide(); bevwevFrame->hide(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); + } + } if (modecam->get_active_row_number() == 2) { PQFrame->show(); @@ -9423,6 +9547,7 @@ void Locallabcie::updateGUIToMode(const modeType new_type) PQFrame->show(); logjzFrame->show(); sigmoidjzFrame->show(); + sigmoidFrame->hide(); bevwevFrame->show(); catadcie->hide(); cie2Frame->hide(); @@ -9483,6 +9608,9 @@ void Locallabcie::updatecieGUI() cie1Frame->show(); cie2Frame->show(); expcam16->show(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + } if (modecam->get_active_row_number() == 2 && mode == Expert) { PQFrame->show(); @@ -9514,6 +9642,7 @@ void Locallabcie::updatecieGUI() logjzFrame->show(); sigmoidjzFrame->show(); bevwevFrame->show(); + sigmoidFrame->hide(); catadcie->hide(); cie2Frame->hide(); if(mode != Expert) { @@ -9524,7 +9653,12 @@ void Locallabcie::updatecieGUI() PQFrame->hide(); logjzFrame->hide(); sigmoidjzFrame->hide(); + sigmoidFrame->hide(); bevwevFrame->hide(); + if (modecam->get_active_row_number() == 0){ + bevwevFrame->show(); + sigmoidFrame->show(); + } exprecovcie->hide(); expmaskcie->hide(); maskusablecie->hide(); diff --git a/rtgui/options.cc b/rtgui/options.cc index 026d76e4e..fc543709f 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -595,6 +595,7 @@ void Options::setDefaults() rtSettings.adobe = "RTv2_Medium"; // put the name of yours profiles (here windows) rtSettings.prophoto = "RTv2_Large"; // these names appear in the menu "output profile" rtSettings.widegamut = "RTv2_Wide"; + rtSettings.DCIP3 = "RTv2_DCIP3"; rtSettings.srgb = "RTv4_sRGB"; rtSettings.bruce = "RTv2_Bruce"; rtSettings.beta = "RTv2_Beta"; @@ -1682,6 +1683,13 @@ void Options::readFromFile(Glib::ustring fname) } } + if (keyFile.has_key("Color Management", "DCIP3")) { + rtSettings.DCIP3 = keyFile.get_string("Color Management", "DCIP3"); + if (rtSettings.DCIP3 == "RTv4_DCIP3") { + rtSettings.DCIP3 = "RTv2_DCIP3"; + } + } + if (keyFile.has_key("Color Management", "sRGB")) { rtSettings.srgb = keyFile.get_string("Color Management", "sRGB"); if (rtSettings.srgb == "RT_sRGB" || rtSettings.srgb == "RTv2_sRGB") { @@ -2369,6 +2377,7 @@ void Options::saveToFile(Glib::ustring fname) keyFile.set_string("Color Management", "AdobeRGB", rtSettings.adobe); keyFile.set_string("Color Management", "ProPhoto", rtSettings.prophoto); keyFile.set_string("Color Management", "WideGamut", rtSettings.widegamut); + keyFile.set_string("Color Management", "DCIP3", rtSettings.DCIP3); keyFile.set_string("Color Management", "sRGB", rtSettings.srgb); keyFile.set_string("Color Management", "Beta", rtSettings.beta); keyFile.set_string("Color Management", "Best", rtSettings.best); diff --git a/rtgui/paramsedited.cc b/rtgui/paramsedited.cc index 7bdedb723..529d57da6 100644 --- a/rtgui/paramsedited.cc +++ b/rtgui/paramsedited.cc @@ -1685,8 +1685,10 @@ void ParamsEdited::initFrom(const std::vector& locallab.spots.at(j).qtoj = locallab.spots.at(j).qtoj && pSpot.qtoj == otherSpot.qtoj; locallab.spots.at(j).jabcie = locallab.spots.at(j).jabcie && pSpot.jabcie == otherSpot.jabcie; locallab.spots.at(j).sigmoidqjcie = locallab.spots.at(j).sigmoidqjcie && pSpot.sigmoidqjcie == otherSpot.sigmoidqjcie; + locallab.spots.at(j).logcie = locallab.spots.at(j).logcie && pSpot.logcie == otherSpot.logcie; locallab.spots.at(j).logjz = locallab.spots.at(j).logjz && pSpot.logjz == otherSpot.logjz; locallab.spots.at(j).sigjz = locallab.spots.at(j).sigjz && pSpot.sigjz == otherSpot.sigjz; + locallab.spots.at(j).sigq = locallab.spots.at(j).sigq && pSpot.sigq == otherSpot.sigq; locallab.spots.at(j).chjzcie = locallab.spots.at(j).chjzcie && pSpot.chjzcie == otherSpot.chjzcie; locallab.spots.at(j).sourceGraycie = locallab.spots.at(j).sourceGraycie && pSpot.sourceGraycie == otherSpot.sourceGraycie; locallab.spots.at(j).sourceabscie = locallab.spots.at(j).sourceabscie && pSpot.sourceabscie == otherSpot.sourceabscie; @@ -5736,6 +5738,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).sigmoidqjcie = mods.locallab.spots.at(i).sigmoidqjcie; } + if (locallab.spots.at(i).logcie) { + toEdit.locallab.spots.at(i).logcie = mods.locallab.spots.at(i).logcie; + } + if (locallab.spots.at(i).logjz) { toEdit.locallab.spots.at(i).logjz = mods.locallab.spots.at(i).logjz; } @@ -5744,6 +5750,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.locallab.spots.at(i).sigjz = mods.locallab.spots.at(i).sigjz; } + if (locallab.spots.at(i).sigq) { + toEdit.locallab.spots.at(i).sigq = mods.locallab.spots.at(i).sigq; + } + if (locallab.spots.at(i).chjzcie) { toEdit.locallab.spots.at(i).chjzcie = mods.locallab.spots.at(i).chjzcie; } @@ -7978,8 +7988,10 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : qtoj(v), jabcie(v), sigmoidqjcie(v), + logcie(v), logjz(v), sigjz(v), + sigq(v), chjzcie(v), sourceGraycie(v), sourceabscie(v), @@ -8675,8 +8687,10 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) qtoj = v; jabcie = v; sigmoidqjcie = v; + logcie = v; logjz = v; sigjz = v; + sigq = v; chjzcie = v; sourceGraycie = v; sourceabscie = v; diff --git a/rtgui/paramsedited.h b/rtgui/paramsedited.h index 2950d1b6c..94abed470 100644 --- a/rtgui/paramsedited.h +++ b/rtgui/paramsedited.h @@ -987,8 +987,10 @@ public: bool qtoj; bool jabcie; bool sigmoidqjcie; + bool logcie; bool logjz; bool sigjz; + bool sigq; bool chjzcie; bool sourceGraycie; bool sourceabscie; From ba906af841a47438512ff3f67202b0760b3a6b0e Mon Sep 17 00:00:00 2001 From: Simone Gotti Date: Fri, 25 Mar 2022 15:47:40 +0100 Subject: [PATCH 053/170] dcraw: increase linear table parsing to 65536 values The dcraw linear_table method limits the max values to 4096. But 16 bit per channel linear DNGs can provide a LinearizationTable with 65536 entries. This patch changes the dcraw linear_table method to accept 65536 entries. --- rtengine/dcraw.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 39e527598..95df2d21b 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6292,11 +6292,11 @@ void CLASS parse_mos (int offset) void CLASS linear_table (unsigned len) { int i; - if (len > 0x1000) len = 0x1000; + if (len > 0x10000) len = 0x10000; read_shorts (curve, len); - for (i=len; i < 0x1000; i++) + for (i=len; i < 0x10000; i++) curve[i] = curve[i-1]; - maximum = curve[0xfff]; + maximum = curve[0xffff]; } void CLASS parse_kodak_ifd (int base) From 59a36d8f8a79918749a9da298bf559a0cedc4cf8 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 28 Mar 2022 21:34:29 -0700 Subject: [PATCH 054/170] Fix CR3 decoding crash Fix buffer size. Closes #6450. --- rtengine/canon_cr3_decoder.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/canon_cr3_decoder.cc b/rtengine/canon_cr3_decoder.cc index 6ad32696c..b5f04a1c8 100644 --- a/rtengine/canon_cr3_decoder.cc +++ b/rtengine/canon_cr3_decoder.cc @@ -306,7 +306,7 @@ int DCraw::parseCR3( unsigned long long lHdr; char UIID[16]; - uchar CMP1[36]; + uchar CMP1[85]; char HandlerType[5]; char MediaFormatID[5]; // unsigned int ImageWidth, ImageHeight; From cdeddd83372fed1a3a1bd91cb108094b647fb563 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sun, 10 Apr 2022 10:48:52 +0200 Subject: [PATCH 055/170] Logo fixes (#6446) * Update logo to fix geometry issues. Propagate changes to all necessary files. Remove obsolete xcf. --- rtdata/CMakeLists.txt | 2 +- rtdata/images/png/rawtherapee-logo-128.png | Bin 12444 -> 14996 bytes rtdata/images/png/rawtherapee-logo-16.png | Bin 843 -> 1303 bytes rtdata/images/png/rawtherapee-logo-24.png | Bin 1464 -> 1932 bytes rtdata/images/png/rawtherapee-logo-256.png | Bin 29728 -> 28230 bytes rtdata/images/png/rawtherapee-logo-32.png | Bin 2125 -> 2662 bytes rtdata/images/png/rawtherapee-logo-48.png | Bin 3728 -> 4255 bytes rtdata/images/png/rawtherapee-logo-64.png | Bin 5240 -> 6205 bytes rtdata/images/rawtherapee.ico | Bin 129208 -> 132751 bytes rtdata/images/rawtherapee_ico.xcf | Bin 59443 -> 0 bytes rtdata/images/rt-logo-text-black.svg | 1151 ++++++++++++ rtdata/images/rt-logo-text-white.svg | 1151 ++++++++++++ rtdata/images/rt-logo.svg | 655 +++++++ rtdata/images/svg/rt-logo.svg | 609 ------ rtdata/images/svg/splash.svg | 1943 ++++++++++++-------- rtdata/images/svg/splash_template.svg | 1790 ++++++++++-------- 16 files changed, 5101 insertions(+), 2200 deletions(-) delete mode 100644 rtdata/images/rawtherapee_ico.xcf create mode 100644 rtdata/images/rt-logo-text-black.svg create mode 100644 rtdata/images/rt-logo-text-white.svg create mode 100644 rtdata/images/rt-logo.svg delete mode 100644 rtdata/images/svg/rt-logo.svg diff --git a/rtdata/CMakeLists.txt b/rtdata/CMakeLists.txt index 00a32c0cc..eb4b5e934 100644 --- a/rtdata/CMakeLists.txt +++ b/rtdata/CMakeLists.txt @@ -34,7 +34,7 @@ if(UNIX) install(FILES "${CMAKE_CURRENT_SOURCE_DIR}/images/png/rawtherapee-logo-64.png" DESTINATION "${ICONSDIR}/hicolor/64x64/apps" RENAME rawtherapee.png) install(FILES "${CMAKE_CURRENT_SOURCE_DIR}/images/png/rawtherapee-logo-128.png" DESTINATION "${ICONSDIR}/hicolor/128x128/apps" RENAME rawtherapee.png) install(FILES "${CMAKE_CURRENT_SOURCE_DIR}/images/png/rawtherapee-logo-256.png" DESTINATION "${ICONSDIR}/hicolor/256x256/apps" RENAME rawtherapee.png) - install(FILES "${CMAKE_CURRENT_SOURCE_DIR}/images/svg/rt-logo.svg" DESTINATION "${ICONSDIR}/hicolor/scalable/apps" RENAME rawtherapee.svg) + install(FILES "${CMAKE_CURRENT_SOURCE_DIR}/images/rt-logo.svg" DESTINATION "${ICONSDIR}/hicolor/scalable/apps" RENAME rawtherapee.svg) endif() install(FILES ${LANGUAGEFILES} DESTINATION "${DATADIR}/languages") diff --git a/rtdata/images/png/rawtherapee-logo-128.png b/rtdata/images/png/rawtherapee-logo-128.png index d479e15f136d30fe7bf4fea33e48cde8b5d92367..2929a62b6a363dc13d426c53ec69c72107460a31 100644 GIT binary patch literal 14996 zcmWk#byU?&6aL)*E`8~SOLs~4B~-elq(MTu8!jD635awkB}j{uw9*aIaOqS)r0aXX zJ!f{$*?;z&d1hv3XP%AM)_jhSLyZFf0KST{lJ0*i>i+`6{BQ1+wHgKhP?V#hqPB{n zBEsF%&Cb#J6##IghNQ|U_abS3Sm>2-kzq;2`3`93@x&#FtCGF3ENUb(@eyeGhnp?T z!pWBu;ndxo{Nr=vn}%wF>IlRYXk%~d(;gG+13zbD+$p-5;rNftpH+~;#~%F#C$P52 zu<{QZYte69nC9#Kut1_14naMwPZUBYv=)~qr{{b_4ejIi5;qy`gFu0@bia2m(<&l= zq0xKnwvW-^9qESGhDRiy^4);X!nWAh(^!mrswYn>0yf}vMn{${k;a4C@n!MM37>U3 zQhbcp+kY5;nK3%dzl-i}Z+f>QIV!MWqySclOVLrJA~TAc`kZRb^z>Gc@UeDN>zx{# zA=O)2+;WBJt*h=wwBI*7tJhN+I6qN;D3%^5F~Due2G^yv{-zaa(A{`f#;*%Qnyw@E z{qrVr2{2|;_?yEfwqsDHRM$irAJseNYe$@D@JZ;iwR8xkTX=`aw{O2>H5pKNK3{_& zw6tKGr$gqK{(f5aZjbqn=a-O}O3xa}P@~@eV8M1*HueGlT;l%=Xlf<&?!QeeZxxNF zSUV6JY&txVz|BDbKmaOA^7{UZzeD`|Z4Co1k7ah>x9I6V_xZ~GrO9FY{7{k|RRO7Hfg>%Zq0?L9#|Q)8@~L$?LoV~^NC znRXf=41@xeAaBqfFabs271E=&eMnG{u8W(fIU4{I^e^aM0Hr?|^aw?z?LGJajDS5z zoTh8v{20>`hJ?o3rYJ*|yZE7aOnXWQM!-%$h*qFpm9h72qqTaiE~j0IY4I*V3#!HH zng&7%(Nu&S(Rx`ga}xmg>d^`&S{2|2yR(71F&P_0IV)!WS$T0p@rENLd2wYq*E5M3 zD~b%J(V4`h@K+44g_vEJlqE&qHAP0*Fz<>}4s4(3GbODIvc%LI|C17Zo>5Pw9AxPa z>w*CJ(3I1@fdZfw@6r*}40Kh3OmPc8>Rctd_G;Pxa%lcs1fqK%Ju8bl8Uq3&;t-lA zZ>Uhcc$jcrQg`vRpW1w}K_6}A^Ap$IMaMrHzpzA8qAVcIBwaT2lvi4ScwH&T2p5eB zxFIZ8xE3s(zx@8`<3eHWZhrX-z&TcLjgn2XarAFXbwK}H;xj_a zvB&`qL97)`{ou6`ViqML(~4}Xlqdv}83|T}>tbMy)2gAdlIi+u!sMcQKl&zxuK~?u zT{7$>a7}W6GXKftCA779Zf|C-afiCS_5Q~^+!Q0RJPK`I01o%`BupCW(Ho^tCHvqq zA8obumpD3D#cZw7Nm@cC>4uT zhNK><&3EOgi6k7P}QkNH2m#4w`RLS70HGuwtCr<7)02{Zx zB?Zl0Q0DDO&2^C1ybdG!Wi*;H3zJ)*Ld0g#{kXozdU|wAJ~fEgIECs~7>FlD=|Xo% zrXlg9P{B_-2+BBwzFwpyB0STG$~*3SA{xcw8BeJ031M7*WbI}|pD0tyg-A!#+;6}y zE_NI6?nt{v0pIT_?|X5vQJ4S&aI#9UVEUL;J-2~RXJ`{*DZ*l9SKJF~_)UsKVza+h zuHKha;vh|JlyRq%BJNT>kazpk+^nJmEu=TIy7krH;bq9s zasNgZPbrTB#Sgyn12)5WfE0ia;{GQ2?Ux#u1*5C!qiC+#+RMCIE#g&!A(gVU`0$yl z0g&%T1)Dezz|>u}*w9HkB{9{+q&1;J(gcY8@1Psk)V(`u67w0IP7^uEk>~eN%fd?Lo zKq$Z&(>+K2=G@ICDDV2m7qRsp>u2j}&oD*@r?+X@GwEpQ>8{MUeqB0?%L$sRCHR1e zu!4$=N0{AZob!wOc_EKwCbiC9Hua|AMo=*8$f_evCy}4^*+O+G;#`I-%eMIww*vk zFO-=ul`DdMZT+|ABeUiwcYC63i(@FQ-_7#?$MYdRUnHN(%Ge%z!6aOa3)qw-R(W_~ zQ`%c5KXyL^pOY@Dv&AVYlHZWn=sF zjw|r`(KCo7lLlZz(O@^9_jF0%TgYw}oE}^_S*bKcouuuEQ5;=e?VTKN*u>I1HR=sg z3t<0cYKDS82;7fDASzZB-9&?v6ZNu_&jd$)*OM#hi{7#)tC^c2VV|Zzt6~m_Y=+YJ zDT%0^NO*PqUig37$ZaVhvUkC?Iqo(ZJ?&l|mI>=l8?K<>VFwfd*9GDkvV~FPT|M2-iUuXuW?N#qIq5rN3%`LQuS?THrY4`J07hTH0M&exI;9r z^{@deU`<%L^MTpyI8*HMLB`-^Wx}6tx;_bK(R=d)lNNTH_fpxGQahjC7VzzIW6KUc z40)1gX9-nF=vA zwT7v$2Thc|=k0O-m_7~-XcK7v04(E+32uMFK;oj76iEXIcLQBZ{c1w6 zz*BOGj15D!&tmDRlp7O!6Qp{l7^d-pB>}5(0+M>9(sH&^nHZs z0|?5xOZ&Y4!Ag!T*XrPNMy>bCIa8}agrlSQZ7!Q|j7H$rWcQ!o{BfxJoNk0ACujmd zU!ckZ2G=g`Mz64>*6gpMwDenZaH3E5wAbh~1O3C&Dp#hZ|1Hh%-RVNJu50fO zLBu%r`vEg?$a7;0w*4y;915 zb8i^*YT)hmQ6nt61Oo{l+08L_*s?fLFVNEh7&E?J?HAFCMhVTJ&*X{anNb5plkt#U zi>Qm6Ku-EV@8UK~o9|c=cmL&SkS+?5skMLM)3U6q?WZdOpR~lMK9B3&q1Gl3VepnC zq__K{pGbzvFRj6V?C1$x`^RdVv46&6tAYwoYCi!+%+Fg4-P}84b__1;Fb46u1}S)? zWy&WED9V~p81kz4TD0(vy}(gKi;ovfmSJzbe(ZfZREE9{|N`Yhn8%cXUw)M4nHLYftG zw|Mfcmf#1)%?2zE&UW4z?eN%O41Fv)5h!c(75Nwxlkynv8XvijHlHqsj_@Wby##i-J@-Zl^c)3k1 zHn@Pol1n-YK~j3wj@WwttiOVphT@imh3aX9h6I?R_m4d&3Gu?{SP4ht`o)Fv2;9Iy zK{)$8E?BIb6m}qf_Eu8*bmqfqSi3tX$^t}btO7&Z5-8dSfU07w=Q z>ihNTpx}Td0zfJDsem?w+Id}FJ6$qJGwR;UM-V(EqDMztRN{&2_A9ooyPV(eu~mup zGgQr*NLe@9Rm%FCxQh}`muf@oPh-(pcBRC1eoqigAtW*>ktVYFF?@YODOU^YgoKA_ zR-KPn_^~kcbm!9TnmuqZdk#su(zfc=SHC$a<@=EBd9C1*s)WaQqanQY@2O=xI)HkpB<%h238Czk;(th*LW44zmOqC{ zUBAsbrX}S($G$k6`lSzt7>wONr)Q9ol$=+h?<8fFlniM98wbNwP>WqO<>*@5Gzj*PZN4<+k`@)3GBU_(FK<&X=_E1kn>HO}MEv7*F zZ?F&`_|#ueg1xK{6wk~=S!Ie~tGPhvyUSGI{d7f1Nz*z)6Eri5E9(Bo;EU@AE{2x#lspba~zUF%#(+xHmx zMF366iACnucCM4m?+oFbU+UZ5*jZ0n90$znCjHgOxi%lu+d%T5Y-Vm=5-?ND*A!$Zi zdoNQcewar*Bo*oB2i#u#aNHf6F#tLN0qHek896n|<_dWyxAvmTXIJMY0+582^wIWu z+)mjO#4c{MwoY+omfvcm*7l>nu{3-m^m~O*8QycCXlP4%eEL*K%}+@j%jnH`IX2P9 zl>rUA6WDkiubKsSa)mW*^%NVnzI2(qgc+?zLSIdlkv3FAr-xMj8C3il`6oZ5FMu!I zoD^sO3XLUZJZ@-99h{?>Fc( zuaZ9ZMr_@i=-u*BC845C)P-x`-BVZ?3rA;Bvyn3_rF%pvH7hGA>%&|A(v|``*Rncq zFBK~^eeF9C>%>6`T`!V#2w)bpl1m*|n^uUM2>U!P7D zvuCrp_u}X6?F(uE3}+60JwWq2B*k~@`?d-CW$kCdIT?X>^B2xVma(6SbL>En3=-Y& zzDN_jLp}=Vfs#>}3PnO7`U~^R=3BoE`IH~d=KA)R8P-Lg<((lHjZn-)-ry%8Y-(a%Q*K(iPPyAi6 z;WMjMZs0n5E&XTOpmhj2r!ZCmf@4?uRe}nrx)U!{Yms9S=5@?RN5k&$imn3oyngNh5!b!7Q7Pws`U3k zM~J)1G0$b^mzTYgQV{>MoVj%yhNS>(AwEp^M{A%Em?Le-|W|FHTMu z|D#8U(@*IC5G$UFVZ_It|1|q5^jVqkM(HbYT?mtb+_FF zY`FSPSH`w4pbKr~?QoEIZ~#|8xOUq8mT0#p>1DD-OZC%-g+u;wGp~KN&R^5kNRm~> za$RJh|0eyqj3p}lwNE@@%!lBD%c>vPBFy3J$t_Vi&8v*?8PS`-jJa8Su%N+ z)1y68hW(KLDj6?UPxiDj}_>e`k^P05=1GvXbop@_%itjCVs%rP%F2KfVWOy59GJ@)$g7|<5wyh!#2gN!fY@dPr?{<0op zc45VOs8CC@C3sjSB4LRm0`v7*yYbm=>4Ho+SwHI`S3Q+l)3?MpYHsloTo^P`GW2g6 z^E1AF8+wWlVgMNEnAZymo%YFjAa4~=rR}K7m+6oZNmZU1$xPV>%AaV?0-F^>N;CXl zkZ|GoPk%um`KNQW;LWzf`w5y5%iegrJXt+@C?hOu z@)15buk4k?mM^K-@~Dh+hYS@5Hd=yh?2Zib?O2-&S(9 z70*rjF>3Zh%E zEAQ;R{6a%v@q|wV5;ELQjWFfzN2_^|W7qaoU!!UipEc(Xfu)3qK9DO}Rtw;&jr1}Z zrSn!a2{OKXeV_JPoahtj)%EzTEmIM(`yAM6a!J*Y8z)Pyk(_k7o)3*<59 zm>0pd+7ucO6%?8)FXjhW2vSJy#;$(XxowACPqN@xbm3H&)J)+>V08v;AYGXle|wF$ zAtsK5qK(AEhhN=P9fiJkC`x$6{&v&}0#_jQ36H^Kpbr*^fMDrb0Twl+klB<#J|rE5 zx9M(6$ig8`-O-7IXqt=h>jpPjSujc)P5X!D(P};Rx=k)G=AJB<_WbfFJ&`};oFZN; zWIy&}w0b^wg!qT=AA4q{a@gVe7abLs%>~{2@#OYA61q3tt$ZFUK4z$w`~ioi)s|rQ z0Ho+af>Fz4;bc`7;i&Js3Jp3g zE+@YDK2k5qVMdaa=yg<%->>7I-kUTn7swG_f6Ui%`uaj<)a7xU-5&~I361}iIb8}f zK#$06ZdJ7#Q)-=!J_f%07e*f<`a_y|y$&U780Ah)fe5->7bfKt;1rO^ZNLg_b!co` zLhvh;kC#HCKzGOP{lmfSHzsF=Gm2Q8^csjXOU+~g+C!m2_{r9j(bpG~csE^4|DvNv zekAuleCIE|=mc@=OTMbhMZDkoeXqE1XzpoV-ob_-cRM^Av11(l#0#f95?@^W6-vB` zlKFt}Du4Qo_@OLcb>cXz;LCrxUj z@VzniHadYF8qSsWJmsh`QA}ZFAa#d?sH;Xkl)_;#Io^0E@G`T z)PukGno%>c_0H7&B+c#7d*h*!zq}=ISkfk@Q0qr}Sp}D)lAfL4(-EYgVA__>-zB!| z+_xtZU*VrKR<0SqLU66QVpj2ee*{=kQhjDFjXd$Mg!>x}bqER*t-j*G9#&iVRziSV zMAXw6j9g)~Awi4z7k?6Az>E|xgN0ufFa7$-3vrGN# zm&0-=DAOGNEm8Wg-(>OA{9o2(%wgzTie&5*&$1? zm)S!8t9J1V$P!=VTX+=jOP;P#a&!C|Q4dbQ0HSbHb>a9^z9_{Js_B23p(3!;{X~nU zfWUD3m@<9^k7Fwj_&3rDPlbe8|dBWxGkEUor|b z#@3EOQn_m=c_yNCLj|M;?<-iIANO)LVe7G;9WrdU`6w03h>@Bb543~1RZ(rg3 zgM@S-js(3{aWE;5fWSHJ)>K#9YzQM? zSc`Rq!P>kfNw8%F#OtSW`>_j|R!v@3l7R#qcb!;s5iG(C!XHZ&me{R#x)N5~)4<{~ z{t3g6DnK8JIDL*~)!qZ`h)9NogE4Wd=E*;a&-!3|CTymLDO{Mqts(jM03d5p4i1$2 z6Zd8vsRq>P97$FEynxH-?|Mtv6uiV0owsSU^S zuD{KD8GGDlnmB{b6L0wi@WegPRl0BgdXrn|Y`8gqog)ObjgA4&26A`2-xe#;7SN`~ z_Rc^?duP)D{gt3XLT#=*NwD1u-!HCL{lJJKXAZ?PN~ICDzn|sbkhcbRD}2vtI2^_N zWt&n0hZ75k0;6VznApeYVsb4xQ`uM3R$I;>E_K63NJ&0+V$12KZwZS;GQQ!odQ%G^g15;$GpwbrZHa+;4r5kR9F#Ds_jG>D1&=R{ zUN%ge$Bs$5001a6|IY;w8Le}9IYtvstj$*Jo5ObWj5nudI&!E?L>?z1MZ~-*C#R!t zNF(jVkXq~u0DB?^*Sp%{mOzQ{ftLS>Y2wF7s7-HR`+2=u;pjS)7(pq}oQM}&K_D+s zpIahc7WD&rE2T&v7sLN~bbd+7tnT~y;jVlc&g5xkGkic4wL4wW?Q(r25d82$ub?ce z)iL|N$;EF>pqC12m-kLn<`vGUE`JnDx`ikQ=Ss0ikC5nx&+v9yC=^TrS=U524x7Jy zPLPLn!dylP@P*F$G+S@}#Q3Wk0cAw~SAbr#idyk$$z|Cg#m-0MoxuW8zN zNmJ{Sli-+GFQB$fzl;k51+k3Hd*dz{@KzOsR4VRhspRwVw;%jgYpoJMh8!Vi=!Ac2 zr2EA7o;1q)n*lVSGJ`FC*mbZ&72Y-cVf&rn_MasA-S)-)Hu^hgajZrBQ|Gu7u;YW> z__Mo}bGN99ybl<^!3s?3U-3S_iWU`cep@b1B`vQ)_8j7DwEBe0FL`mNbWs(fwuV3Q zAv6{w9r^BSMh4F|=eE*s^#h}5l6Vg7=_ds7xqmB^t5>p=zj$G?YknhILpOfv{oI7! z6=f@F$!L-GKW}Y$EV(t7lcWIF30hn%2ZNC=v?W0ua6m^9b=<4o14x%eH`SQ?a_LtyeBmAT8W zOjE6@E*5$F4)xvdo!58-au4F4(b8F%$?et5#b@JK27 z(r`6)pRfFVDAtoT>>&|_((LYqB7Yu=kd1f`|AsJYQGgVXPS>DE3+`Uuw6B@;W~Zd+ zrp(y-&zf}7=;cOQzJO^qgcp7;=V(cyn(+~x+;;0E2s|MvH`)w+C;Yt$li_jTu}6)+ zrP-N3k?dSrQFz9mI|!qTc&qVPN}TA=A-BM?u1CZBI4j`NoiSev|Mw*hof=ZLHof+s zR|3S59c?*1R>6h%pd$9+G_c0@prz*hzv9jgqNz*15wjg%)*Nye`ny;tOl;L%=F@*s z%Sa*oZo%`GVZM$zdQyk4i^3Nr=+xnFs%si6H zi?c-qde2{sb2?Wgq7QI$3J(n}=e#hFdN#{-0gveH?aFTU$GZ^kX|*+8a5$XF3L+n9 zRYexFHxOQBxj(pDFpmE9G8UeE_8SOI3P_LlYKX+yKm79IrLDuLC^D^@15VsJu50uB zqQSakIu}|Aj&Ot)Fu;_NMN1Uxu9f(uoDOGH)Y&F{KZ`aC(~x@_8*E`yghFJo#x$rJ@*dY%H2YXioqq-#!0pFik3(6euVqH zil!sR#$tH9()o8T(FVF>CfDZrg$eh4x5@u`!JG5C#|%YE4-=k(gwM>c-^*TH7<|yI z#j!R3$@^$(ZwJaJ%w03LkF6Q(uS6gUzeMguP|OuouWwUIhsthjLJ)X75I7!_=}ZUc zF<_-_KeFaA#ldt%t*?h!Hb`WT%DNm0`VrSi34?!u!lLk7*zl)@ng)XIPFXsxeh`gq zpS(&>kIo_l0JOON!xsUF-Tl5{#HXDDurBg!&SYV|V^aMIU6rPLb~Kvx$2(voI3)Ed z99DxH*td(LvTb%uh-%8^-Oqh9$4nUrv9{S|7PJZ?8UvFT*z$s+l+oM2X-=YtEwmop zd!JYA=E^beSDyYeP&cl}NkhUT12Rb(vtY!$4Vp+FMfm#8)T@xm7A%*lJLvYDcO7X)+yB>2I~>gexCAI|8d-2=~d5-Q%AX zs^#D_kGIKZ$v`lTkS+75-LnOtr;W5D^=-5gE0~e{`~FAP)&z>&B7` zl*tb?-w;o-0=K31Af_mz6NRDPusv8Im3$*}-1(l8{q4e5`!Ow4GAPb_xNVkcvJ#$O z87c3qrCSMR+MV-kGa`U%_i_wa*xg7FY}(7cSsx(EhK%>N47+#srGhT{#fb$5B#qIFPrrXuFone zcL~8cVu{lRGib?o10S&z_vEMEaC6nfNOiB!S7N$WsFP?DYubGH=@WjV+w%04Fk1I{m5io*iYKY+Ken!KHo!R>o(_QLm!aW^|t zTUz~A!M97yR}Yt)0RRKE*8bvTWBK=-WvJ~*M-8Ktr~A9B>ORuq{|r93wYsDXE6ncl zH1h}cvRA@fEK_^+uNCKTZkYtu0^_fSK2NzV8M;(-n%38)CAs7BjCa6_5>I(MKP}NS#a!zl6ah`j^_Xio`Fii?ozcaeyK z2jMJ?6FvYd6AYkop0^5nRU-x+ z8k&{w-rN;KXI76dlBj^E&yg06fc2Z3B3!&pytHTc;BHmxvDou*0Zl9+QkLj$J~{9k zFlaVWzDY!X=wa=iFFrZ!PMjF~fe7_dFxdxo_Wz7dY1|qUn*rg z`Z9b{ng+*x`Cx;jgZ%*>{v z8C?60@rmqm0K>Mc9?(5Pn-fBm2&)l?ld0_SuLiPBgH-GNak%tNeJe-ZW z%|a~2H;f%~gO+`Pyf^~Og*LrF%9pyJmvaZvJ>wxPT%&X?m{{Z`l7{`V~CP>HCk0gx4$OPu`7Bh)tEV&sKb79=FMH>C_y`q*3iNdPC~rabHE ze4UXm;mwhyR{G^hgZt3;Lw7fS?eoUKCt*LSq~)gFN~eVdpf?6|DdLQ2-2EwK`@+QO zFkaAq&gBYeWY>__uyQwphf~QTMK)6^At(WEZP$BWK&yI+R9JtZugf)_G zJ)^M|EvDV@Kj{{CZ9k=CW4i(Y$FXfkxWo8>f6@%QxXkJ2zSQqUtzLYw25Z{Z)L;`1 zbj?Doq{zcvc!Z6VWWlc|<$;D@!*|Z|*k5Dr=%qZGL+IbD{YTTsSTm4&#oBFDo@){3 zPzzd2EiEh(Xl9H;A$ajyWO4syx}gDdS2)k=S$^+)L%%EzIuL-o!S~~9N(75Ec zV3V|+$qV7M6%fY;$Wc|eH%_A7ENnQZMLjo7vwA{df~qUv>W_*#6Ml-wi$1ezye(j{ zP>-jav6)h$6CRt|TWGIGS|0AshxA}6_8K-N>15EQe*WuwH z6!85skWV3{n~?owH$2!*kdX?}q|r$W%U?AXlO>JT9WpB9{8qa#p8uO8zdl^*KCPF1 zYMob`iPR)`OAp}fyZuHv2`3KxkNHaDt%#eruP~cwN6t!2Ap3Z|d9@?Pjx%y4j#_dD zN3(Cmj}uB`?=;PvbxNf{7;#)BuxuTGI_BU1;T~R`ys>~$DTDm_|wZRT*1R3 zimz!!gYSAaKSisDg#?B0Nx_GA{x%VwX%yIvSdhkjr<%Cr=_)1Ja3Wj5^#7u{P-sp} zZ!Y<3+$p%|G;GhTzY=WsQE4GxSAk4_W%N;6{9z$1!DwH2?RQIHCJSyL=UlBVu#6!U zW@kMG2keVgEsAKUXB|1bX8P@?*r~=!Y*gpZgRx8@&3G*r$uKsq z+;lt0bpU!z)K|SlKC)#>=bGI9(cY(ga>l8ByD3dUE=}j^W-g}B-j%-gzZ(XtE2l21 zt&H!SsgxAeraj=MCVOEimcxe8k#P4?l0ZK;ma{f2yCB0U}kN?}=d!oNP0I!wC`_m|A% zCVj)gYfklPPoU2QA1%&{1>oR3D|^aZs^s2L)ww7Rc^y)2b(BXlw^$~InZuG=h_jK5 zM|M(EaNKV%E3~!cc~#ec@jNrzX!z?}K?vGV`?KJEpW8Q9!rz%iLgO*NCIDqFGHjOn zn9h!}r{9EKSR`oeOXf`*sW^Nk3K_1njadUyJ;SmU!jxv7wrI{Wy+0yh15d|%PChOJ4#k-`EPy} zEV^E`wpmphZ~i3cOD|-WpL$(^En4L=!kF>q)rRq#$`=FKFATL4eyj*i9KU|A{>N}# zP&=*~N4JoY;sgI71^l8Z=KcDd%idQ0Ps;{P7H)ePskdt~@46Dhya2zo49$ifxgN90 zG-Ey{-b)2LtS(-FF%I`x?(M?{~5*6ectTGvDU$y`*!7SiIi9 zow8T%^`TIGhQdQf@V3QU5e=spIz33TvYS@QVATw6IfgqiLDtMah#jA)`+yQ{{|(d>F@42p zglJ+G#=&$|`|Yz+W5!}6!#;-H)!T*nX0ZM`R8qhyr|y2!KV_wqyj6QYCU|#ns3_ji zKNx=M1r$JQarw~~{_JY&Pgh8AA7RC6ue6dU|51d6#~fBi&Q3$7&W)c!*#6MII?b|! z36O9bRC(I8{MTu-+C6f=F_O&E{6rE^hD^vvHpT!!Rr5Q6E;eFp&R0Vz)WM7eanZ9h$dOKPqv5+%+$wRkOzpL-oV`PV-v>F@r)Fnt#S?4-fy zGl0HJMf>r}wzAz3+)UhcEAO4Pcktw}x&?Dxtb-_AXzYYolWQ4rByNqS>(z94zVxZB zrSCT$2q}N6U!JNuT(6h)Eo_JzsT5^Q?r9Q0)S|v?mxfTo<|jk5(BVnv^^y3!-Dqk1 zNhDL{>7M!e9t+i08#nVsjvPn_uQN3-@bQH?&y zM4!DF@#B~lzjMY3da%b!-K|$9ESILl0+vB&-{uk*twoJmt>}&6AGeLbf8R1BfjO{| z;(BfM7Xt0QD(LI#^5})vT}K!4PE*T1IFh6L`ybA*w5uC1@knEE2Iz(v=L&lJWJm_& z(v%)jMxzDCdNnd1S(jf(EXiE*7U0MoRs4#=ifI5$LFgxdeK@>Oa;lF@{@ELlQyN3K z7g)f6CM5=iry5u2ZJ`M6A=Q&Zf%P@zUy_MiecKx3TbCVq*?i1g856*DY;hTkvm~vZi*1?4E~yTK{Z0F1LVNHy{v7Qk>0{{R^Q9(xQA0qw>80x>=BmQ>eAE25m%gg-3 zf8$oVJ@_A>yC@jC1AuVme*ubOAo~7q63s(VRTga%g7JcnQ>&nA1pp`kMVVJRK1)Y| z-npdmX;0U>-sJc|q)!9?)`> zqYF}SnVQJLp|&T6|gfA5)qa?lLm0&yXV8WMaCyza*X<3e$P4G5>h zS9SOX6juOY1qg$_LTq`E5_2a+ph=94XxBp?lUqgbw^no1T4E&XW+T-#Y8IDp-=5CI z*G0$Dg~}%WSXJFj+7M)PG@b$&02N|T2||6O=D+3{&~~zr#)!Un7U_)|<~rUwc)QDp z=m1PWwGhc`MKEie0Vo%BLj^bh2KO-F79PI3jSn<@jeO*~jkC=3>S5(ebe}Bl654Rh zDamoL81OgoV|;eWPohuQ^969HFIBWK!9E1Ye5@mv6u>Hd3uq!j=KNp~@D(1-cN8!6 ziocUPqK+*Y?j zKdk!~v^yV&n`UFW0>Qv33=xtFWgK%`2XBZ0%phcm!9x7VQ<+_dzoA7&M-{hKFgijI zNN~A$o3FZV+NgoU$UiOUnM?u)#Q~_2<^TlyQeLk4gzVrU%E;s(_FWriT;C3`VnLM3 zfX*4u2@nD;-(8k#2lXmezWs_lD)rU#G_a}=MHlthOoQ}NeT4)*_ph}}pV-+5z%<4Q zi=~CmQvtA7X0(zrW}{$w!|u#wpST159)#aB&P}2``w4igYezd5uWKZA`U> zVo`)tiCE@_2O$E)<-(bZ_S&T}Wm@8=e%R=Oz?)wD$D-lW>t7Bl92O3hpxm4t8yBtq-pKvH7UZm~ znm^R31dp4hRz($&J3oULySK!{kx1Hhc$a}A3nxa~KsoIKydJCIX7~to$SHtSW$Dy< z3i+(8FJxKDL~`?;R-souAtBz&h-OVZM6jk>?Hj+-d{g^Q;9rTHTUiucDVU^I$IRT| zmqzMP=0-XrjNnkm})4aCJe7sn2hD2Y(W<|@?_k~~DA9%M$jnXgK5T#+C#$GeU*u}+tWh}oanMBj8p zG4r~bYO~H-62;EUVr#foUqXE;w;2-F{WI}lS-Jh`YcQ+R0`v)Gqp`~i%nQC@Mpy$a zftSrW5|gJ_y3e#1X(ws__yuWU#Kk2Xszu)6_(b=BAs&bjnSHS^0=tCAd~+YXa~fUV zUXG-LdPF{L=ovYyOoecmfp$fTbXg`THg{u~D?9PerK3dBpsoFrLt^gELk?iYx%ROp z0VsvE5Fi?djOm_&dM4)BJuAyc1deZt{Y&>kG}kAUlTVQ$!mt!OxX}FUgjmkKH6PUZRAc9N?)B*a^lC=&S7s{)k6{;#*naf?>n^drvZtRKT&XD z#180hGoDkPcQOI&uQzbR0DR^U=$g1Zzif7NYWnK`Suj)D2QSf2-h}At*#AcwW}F^w zG#(K>PPb%Il5axDtI%g@6xo{QXhWU|ueywj#i z%_R{4XlD2qNhyNV{R2-G7Owv!OR^!fLEma|X)~R{oPa*0g%o(OyuECE`gU`kb6DRX zIm0d+so~~`*kqRGQ-sJL!qpzBj zE*y~*(W?_Vr8;UsIFuG(Fffh)}kW~6;%1-^S?lofPik;@kY0{ z(`ygi>8Lq{Vhyhebx_T@3v&6sJ-P1K5o563Kdbr~ZWkvh9QX%bCs(OKY7AAK2% z-6~uZRf<#-uzts|$$zF)gQdA&q?ZUy%c6IL^jPVz!k1g>+RCb?2m*h{JklcEfkV^{ zi76N*rsei>B3K}$zSC#WBPY`D+oLV>dH6ThTcl0B-c)2#4`5czb|j! zlPjHHWX*#FKXOH82#9_2lHQUXTlBK=8{KJJzuw79e&~8fDONfko7Fu&hpK(8z_~~N z*jDlvwLlom)5`rRg3*p~(1GEX-r09ee1|I&d(W2hU#M}lmL=_Ofobup=l7lHfDN#~ zN0D8y0;L45K2zA$ALaNDLZ>svv#PnMVv z_mbA9b%p;`EBfg*zz#y>OgvtepYL-xkz}O!MWkcGnNsIktI_1|uU0=X^hZ@Rgm6?f z6AD8O$@CoC6AO$+uBzrnq(8})4IVrUa6d0z4lH7y!p|w-8x*@dh)`e@6B&#E`~ z*Q=Ofq}78*XO)9>LH+*FFzT_^o5?TOFB>`=#*DWv2p+lluj&1alhY2a=_vIbXu-5k;jwD z#~K^W_d{Uv>26F9Pgw`I*lm2oH@Dh@u~R&Q}dS4?SD>@n6y&(n`;epRBCTZJxl+zRLTb}t$PU-S^?+%DSqpy z0Z)o{+qq-%J~kcp+Noy6UuiLf{x3gK3wj3IGuHY%zm;%$ z-L&>L`6Z$PbL{>ze1i;_!-YL{+)jBqX*c?E*E^3UhF==&+SG`ReoB_13;9WzC3dYu zMjZ7#Gqyyc?6@=rr&xl8Dc^{IM3R@8mn@pLB;nhEVVOA!T$X$3ljc9-FQ_+mF>UxF z_xO{H$*2+!w~bikn?v{WRoq{%C1}!^9zJ7&s(?3&IU-sE8?8;=kJnK3y?B`_{>yAL`jNcei;j-T!iIi(1bhJcXzmLz zSFp;(rxxNpyLtpmhkZ#6_^Z+YfzRx1+j^e3R9r2|c+ahXED*h?*A#Xp&27_frI>T< z$E5H#;DB-r?CI-%d&P4_tE|*EFf!S!>$+9iUl=1qUCvZubTrR&xGJ}(R+aM}I;n#C z$$q=i;wBU3Qa+>=M?B#$ZRsCbSg7~sY|Q@csk_X9_{yL>ekbo~5|Jdd!YKKq?cEsj zW|R7a=c5I?Gy(&u4`g=w46~``*suK%x7#Nf#X9(T=I<>w8m>lwszkT4jZjBr>R05# zNv3Jbjf(qOFiDEwt=Q)vlEx)a2-wLjjp{RU3|h!)(3wxLuD_|sN_6H$5*nVro$ko^ zTGSo=!w|x#l9e4rKf{|vh8-i9e^X@2{R>>f9*%lL2^ck2y%KNUTVl7Y!r5{p`z+Nzv+K@!P&4A)M~h6_9|Q1nZt|+!N(8&v7+G8CJf7R=xcLpJplh% z>9gO)CmF?7C?4N(y~xWW5XZgz9HLI4+i3l-)|k#m>Qrx~ovR|QA!cvVN;CC!^H%f9 zx;+3qax96)6Lov~8(zrGqCQNXZuS9DrigFIAHs`v&G`^aOTS>}{yLvQFDv&S)#4HO z*!;zL%%wf*4X?YURW{3+4Gyk{(r^1vwu~9?S-o;N;#|`#&7&1I89DPy#kk>aK-tpz z)5^-~M`;nc%kVFQPzhzob55vx4VhK>&MWP(Jo;{jj*nxR0!Ye*exXZ2-inZ4exg>T zAv@SuX(@>{+B+-f4Vi@~<&FA*YsO%MRr;-J5%nWphc*@^)fGlPc8H{M1;0UhoBF$L zY6~q)Nk*ZctJ59L)ton#jHlDr(0Yfq=FD^Dhbe!PxXU2`tj&QE)HbIKe~ zBX0p`G?#aE6h?8zC>tH@?r9$P>0yM1v{4@xal(eC3gu0LTC&ko{`mQl-)Kv!qlp)l zxgUuNJ&xbNQh^=Xg-iCqj=654Q(oxRwPd^E9XqzAC(E}5?e6`;DJdfcIbc#Ly z&cZLkVYpb#o(|IUQI%9%?w0H2?n8$&w;(c&1vGZW)H{fyaCy22b0MLh(nr`8QdGUH zxm^Qj$!n^EFBDbhY2=*xD}5na$*+I81FZQHmrV)S^V!)eBwm4z!H|V+xEs7Qix3LK%OgJiKF4h0Y$)|>m&3k}<&V&mSQLq6F;)i* z6+bLWr~*IE(A+MZt(=Qfo65qubWZG|b?|8Z$^TG4|Li>ygYjf|`7Eqw$%6;>%@4QU%wQ6!?Vw{_mEE<}{@CPG>+8os%>Q2I( zh?(pWhT)$mxoAL6HoK>;;p-z(urL%V2!*x{VAE3-ScBg1-te;A?7e$X@sw~XQ+=jT zsIpN+UAB%Fcvp4~F%2Fm8p`NQyk$G^`t9F^{-$}iEiX~**6&6rx%I~Y(`{|$qNr;ZbG z>mQ#hAerJP;eD^*Weri6!`GBU8Q8QuQ2^0d#?#GXn+L&F)_@X16?jf9)#0v*A9XfC z87i(2i}jGFZ;Xho~&GKTBKMyfezGb*Mkzb8j~^lXD6X#0NjI(W04 zZH{)x%>DG7AvJPaju`Ky9bSk}u#-l$y-{a}q~3!glp6#Cnx5QD3~lJBAG z--1+&Tu1I&;RP6FaQ4h3sjDRZYS-wY;G(*pCWYwU|D<_|ELH4*`*2ze1_J-TOzh4WUQp{#W=GkcA6*k7y8y zZ~f7~$eim>j^?idZJwmb1ZMOGvHBvtFxDhx_xU4m6!=$*uRDdQy|c+&%<3=;-g0e} zbLB+aX5gCNssv|^$szi$SXeL{zlUnge##hSzpnX67JC9CRXj|Fhe;Plq#|API5>cy z^!NFA0nD(V4^fu`{mu{8DGWG21=GyJCA@k9JMSZKw|H)O=06Mugc>g)W^k`rVrfiD zXyzzqX)9y~Pa;DrQR?_JigUY$tWY*&%DI(?q>*soi{qoDte%S$Ahk0zb!PS;{$u~C z7v6+cVtcfy#oCf+7sN3=AjoNg8^DbEH^2yiJoWp1>xhOg;xur^_LrnNe!XQ!@^DrQ zF(&>oM(~&A{GEYkfRq!?@e_X4qA5%v3x>ylY>L0>4`u3De|G8@n=T1X>vi zg@%g#n%05Bu5FULX0lxiR6)?Bm{uzyk9P)RXdY!zrzg!Nf|3x=aFLf>>eVSvH2lXv zic#3pb(m1^`8wv}{ZW4Wiu<)dcBf)rIYJSIO>lGx;9(%ORE1K$;{&qe9E|2KdP2A1 zppJ}OEj{1dCA|hV3+66bu*xIa?2ixneryC-?WJ?qgz2x~x?#njIFXk`rmVla)fB3Q z+0j0R>hj>`@YCkv3kZ@fHw@$)uD-{YIriuNb2=|h{51K;%af^>71CCDKbZS_6h2)* ze~7T{Q$Ln%zvjEX?ZIEgk4zuLR8~=j zshQnJ&!2<=v`%~&1g12qsmQQu%2cH3iwO%%k?=3$GuFeHSPXVVQH80BM$cYJ#@ zrr$yP-7+?@o3xqJT?ZoL=*KP@O&#AG`g5pdz-5WP#Hwze8XPXETn7Duf*8(LMIkgm z9q5o<_|h7lX+Hql_v$}rE``0V2<2_cQ}(0D`0dwiiDJpnBl=RsE0H4l#OFCfX23)G z8H2cQ){atC#Aq>nlvzUi5Ggs@G%=;jH0_4flD7<|e4y=+HDYnJI32a($25g2O&Wh5 zV+=6PsOHgKVJP7$_km1aKz+)&#-07M&_HSWDYF$KojR8ji93VZOK6l%1B~P?# zQ@b@A2R(rqpol;fofQW6XP==x0%iKo zba)8H;ONOqnY~nw*3S;f(4R{Su<*IyP&lA2Hh?B*id^lJ@>?T@CCY0m(E&L+Mj!II zir;1P(qy{t|BXPW_F;{jiBw@Ima#a!8yL}9tbkb|d2DFUpGq4Iz>F_7nV2}9F}CpX zENtZz;7g&c6?5-z?WZP36Xi6km#%zPAgF~HuvhotBN){oF5_En7stO~Ni)w{*%^|0 z;fi%h4e5U3@=6TI(M4MstADMQ!+bBg3P2?@exgX{b>Q~!VS2$oLQSozc&at8-3~2; zZe*%G_Le|~{^hymwfE0n2X4)&dqUEKl|sf^#m@)@?*+>}D6W)r0vCrRM1>Rt!uy*C>Ky^>{!wei>{tek@_t;`4!OO)ml@x-pmdU(_0wPF zbo%Z$Ci|(*LvAl@6q>LIvoRJr*$BpadG$Y^??r(spQ(IvsMeN;)ioHYBl8XdQbhG&%W*StU8f`5L*Gr&Qek9^<8wn9bFDwz#Dl28z6 zp@OI~2KAIuZ}H4uOzxOmrs^71xKGf*jn};eb2%}QFLzmSqNW^Dbs@qD=G7x+X%0d185?i z`^(BCf4@I<=myl@wClAFuXDHU$tDB%?j%THts}tKp5_qV3r)2xdPb%LVt`Up%YpDH z8({-B$*7DIxjSKa!^t~>OnzY~wg;p9It`opa?*=rxJ zY(krD7)4E!wSr@7;g^Dq4(i=B4*q*x^tOoSB%cSw%ho>-8cg(lCcZZ;HsP3JwZN!f zZ^`K2W8b({hc&!Kic-xz-kSDR+qT0a-~Pg+ijlZCMB_6v=~h}(6a{iVn>e;Eez=OP zlKX=tVbZCBQVS0$Hr>ytL`(bGxxUhu?k>)zz0-WDZj6g-V&eIAuw)yWiWX#Sjx3@1)~A)X8$ zlmEvDy8OlQHtWiek;5}@=-_W zzps4CKR5i)IiOkcgKxbJ+vd%UuNjEJ=ue;P7U8Z4VPG7)=9tFX2L?(T6E z>sVe@N?qH*zObINVby+4$~s&eQ|oUX+a$@3@3=I_LnXt(bdGHw4D4*0wtEZ zImSWD3H>KA5r2P%+2E%-TL8Gh2X0KCEI5BkaC4QQXf+`k0wbhwhgdVJVDs!xOCH%~ z``Nbqm(gnO2Q$7P1BW>F`$>YksnvFN*#Q8T>_0C6 z{m|04^8U_NR9+(<8=xRre>$bX2LWA>Q*+I8nCxH|Xu+($wWM)<)tjoJ?e}xDGOW0Z(}hWv z>$TSqMRPm1=&$Jt?=YE4KYFt96-ST$q}$B4ZN84C8=q4I*I{z2=8aIU_hv@UdwpXk zZ{0EZdpi_W$Z%bF;n`xX*nfwy9@YHDgRZ05ozHWax!B{4jaU)Chm#SZWIHqJ_*wL8 z<|ouuzyR~d5@U2d3^#LfGflTWe}ZpWo3rEI{R+{_r z>UffFy0d)jMnBfOyn`*~WYmO@C3?cu^%xCQBI2g!Wn!z0SnHdu*f^9YG}Ny+ie&un zaz|)3yr$b+Z zuFlxDa^jzGxsy2`{y}4v^)AM#f;b-CM^(8q}K_0!R=Obm47) z*}IdDCpXK!;bsphJtm&pV!zGXVdPpMdUvaxJx>IjK0q);LDJF~pKXr3ZXpXSf#We6 zl%Oc-pMf@FdQ!ml70(p9Ay0}=6cGvafZ+(LrT{am#rN;7HBf=N6_#Ct3ooiFcsU(bY3 z@KRa8Nk5IP(X_2NYUhPXrf-=J3*nK19c#vyRv6Fuyf2opbv(Z?J zQyN03rG%f3>NNjy;1L(u;wWw^=E-;0U()zS+#;=iPhwJh|RdQ$57WmOm( zC7gUK5|TXu?AZvu>(Cj|*^_I#EOnST3U%SEj{UiF~G|GYKIq(5(7fg-qiJn#TI zE+5OvUzOKQDb$+VE|mVc{JL{Ei4=PkgL!C!^dSaXvtt?a&14NFre7TWP?E^GCs6)g z+^50qUOZ#%LyX$k*{rRnQV#fF_EcEYfDZOS4coJK@iHw}YuBWUPQ8CAz^9|Rxx+$m zN-`NCKH(M#yK3h|!;H#`kr{9jp!_aJ`T9=oJ57+k-rziC$Zq-mPZr{(&uH4C;I_;x z*miq|nTWAF3I*Un_Nc4ZLngE5WM(ZgpC(F5^N&;d-O6+lg4mx*w}}9}Q7S>^d%K+z zh_6r*5RB%|%brLl<%x@Y1~ghsNWi~{p1Wme={inuKcnN6*JqG531oYoNYDE35~*C# ze*6A&)2CVAp&g&+>FUB%9(L6m(ttE^@i}QP6q!Ir&bf-~#weE%Llil`oq{O;o0Pp0 z5$Y-8EpxYaHZC278N0P?cO9ViHo}4uKs%MTm_tYF^x9+bLlTb6f-SWj$n=913|Q%d zmw@MQbj1P;wT%{8AEb5+nsKO|n1>*YE(sV5cNRpf@}g#KSIz@p9-Dfy)gm zH@y3|U^}r>g>>*ms1Wnt^+#Ln+*`rRc$ytj`mcM)vO^h`S6}ajAnWM0AWV`K&X$U_P_#@C<>$ zOmbKAX6>+E(Q<_K$Sifxb)j_N>KpF9|8gJN^-Fa(0YrWJIEVM}4^Bi42=Gwv zinZ1h@@9SQW_3(UOM7vge0H4N!X9422yv!|q=Z6hgG!rpq}4}1QKgV3l<@yigdWr_ zf%L2|13fQ)EZo_@qp`9QS0nRYmFPTq-?iK|?~}3)$;<%1JbwiML_7*EsKD$K@{P&z zr!CGJW6dnkqs~IhcZZ7O@|bDcQHp0W9|xX8wM?fAM9rB{12m}>v#p*Psn(LklDRl} zYOgcsH!fA^F1~^Jj8i#v^>p1A>60r>oIVgBu`)~Fmz~T0Bavlh@#FzUc8jj>x85%y zJZG2MRs=ynk|MuITlq)wC||}&k?hIV+R+$TI>XW7ViFphw|Y5D2oj;N&JT zFPiiK)6lxas*)1zy@1m?zU|AAed{>BD07pigre6ckIBTZXw^%?ASl|sR?Zxv8N3s^ zeT44Ezx?)_S!`K9U}k3#vrEQImmA6PH|rP}GgoNDtq`1BksMU z7L2ul-gF3PLoC~(Cy07Y3svJ>Pt=3C3!1*lvni*~CsDtkrOvXnR4mh{(c~%F?4TFo{SC)=ob?@z}Aah3mc8-a7<91mcZto)|RX5>3ayYRZ@!{`b-COJJ z!}XOlVxeHy*ddJXiA z*I_UK@3r%toyC?vyXg>fZXas{K}<+YQTH0xz+?y>`R2E0y*;1y9bQas3CZ2R$0C+p zUs8etsiUJkM=w0xl;e4f542ueN|#J{Km+_P>e}V5{{CKCyU2d{^7Gfj*%zon6^a!y%xdb%~gZ?$PkRb=N^D0xSdyk>9`TgY|t;tEe(YYe41jp}cXcLH9l zj!=0dhsh!O*ZJ2gFVtFPQ5D9CCQ3zq;Z=8B+{ZxH{erKPWptDW{7s-P_|}XYr}HX^ zuRcHkxXfx70Pgp-XSZ{L>wBBdW~@2&R(K+t?jrV{bVH?;?@~Ir#I_Tz`z|Mad|1Dr zk)e~_0G-gT5nRq-AWvO8%i)S}J7%T;&2I9E7qwzwXZ<~45r`XWn4-$O1GTq;J)7l|A z-Ikbe5c9whp0ILPwsxG{Gxg6)5&m;|J#o{L;bJoe*xM0;AkzSP7Sl}TijwUd=XZ7a zZB2@Hj^oN73Je0GH%AY1W%z3(5Rc=<&+8di(l9!`g9AL)8$yb@ZY-U<(r2dIWTov} zuONV2LNmo*pXZS?mA~4PlwRe3c(1%}QFA-IW5gPp!LOv7r_j z*-mQpgKpii=&$08-dx-AJ)e}qm81L!x`$#a+t(J@SCh@&q4bP98_d;GM$;k&vD z65ZJPAC}x+bLP;LxOgs<@JSRXA#N^1E5SN`B1041_n#R(KPL|gTQpr8l5UcjOPaCD z7S)er?y1yuz?Sd(D7(3V5v-iI;?HDDq#N&(p3Qbf>gZnLzkVc!Y3z#30=7K7vQ<-8 zz(0Te`$H7M?=Dl{6{_4}lrK`qEX>4Tx04R}tkv&MmKpe$iQ>7{u2Rn#% z$WWauh>AE$6^me@v=v%)FuC*#nlvOSE{=k0!NHHks)LKOt`4q(Aou~|=;Wm6A|?JW zDYS_3;J6>}?mh0_0Yam~RI_UWP&La)#baVNw<-o+;l~Ji5r2j#F;h>Z7c=l2U-$6w z^)AY@ywCkP`jx!N0G~)a$8^IY-XNaYv~M{K$3L|nWrS;tqs!_g>by?xO#aXS?SnHnrg~7bGlIA+iFydH30!fIF zQ9~IOScuZ9k$++$Mf))i|FGjvl1nC68H^kYs6vJ0_`(0+ceiF?YSK*##(?e@+x{2@ z0=q!7Zrk6-w%t4d{LjFZ*7jE$!0adK^|lr{0tU8$i|e)~?*W%Pz|fN}8ImLUX$pk` z@P0<$lmiBDfxb1jx7I#RAAk&XwR{5{90FrS%3k+)cYjZ3Z~vZY_4fmYt8%Y8eptf* z000SaNLh0L01FZT01FZU(%pXi00007bV*G`2j&AC2_7rET?JtP00SmTL_t(I%XL#< zY*Td<{?7URZf^_iXqj8LZgp8*ycL~s8-X!d3`90E0#P4$k+gZ^Qk)gbDqw3@_i@Y$;n6fcX9gJ z)Y$OGo4bNSJp%w0xP{ryrRniA^Iro{>&dhpWRk~5MqB$bE$(V!!^6{_R=p-c1Q@#G z?v3#8(G7)jxuwHLj$c3D(1=EJV&JpX8<8C+aewDhq+VJS(zKyheqvY_sTXR1y(}V+ zs^KjMdJerb*tBr!Y-tVv7y#aRF|#N3)GHrd`R#Iz*XqKD5EOU+ZM8>NXx0F?BJ|nI z_0gU3VDg%)B*Fj)}bLl77}T zz%oTAb0VGY8{=YZ>+VUjsQwV_)>%3djFayDgZnD!Y~zB__wHwZd}tr^qy#syE80Dm ztMlIQ&e|?XzG&ihy(r4;5rjfWRda=f@qg?;e>-xtlwHaOa!o$hAlrjNnS-IW1Vd;b z=D&z5e!~A2yXye}hIG8uylBy#TC2(RxUL?@nhjd~q+gv#J>lZpDfEYoy1_0vYL!Si zx>vcU=DFy8IYR?su7)h(kS$TOLBo9$l=-~BA%1s)`oquDgp>g3N^*-Qs6D{5-+w)r zCIH;~{;k^!*RLf^hlTfY!d6?Nen8#z zbJ}y=m!gBo9h>7VVa++``EZK^GJrrZ>~4*>qt}ZRu6$K~^JwbMssBu4W7d{V@7uKP u%x-R8?j`^*y+X&um6`M7rAYwZdh(w?@=>tB|MMXL0000BMm~ly73B$7^w{j(u5|2m5o>+Bwer}NW9_|7A07a2!A28o*B;xS6Q^9+B

lCGot*D{i|;`gej*jR9tI$P6bdGQ&Y?gwXy@0b9a%rMEWB%U?s|>kd^7+c zJDF$G4MlHXc4rPX?tOY`ID*nwbMKvskki;_KBBVTw-j`5D*zyua8FhQA?Me~WJtSG zzw}lUfII-OKY!2a)x|GP!=)9y$@?m|IhQp4ANd5GLCte&YgcQv?p3cJ&pg$CVgRsz z=H(5J3@vXpziFlt6~%G{6dDge6_~~as)`tuYmf^A(z8shW~{#Y=8aiv`w6JBtZvtn zR67N!7>+WvnNHP~tT*MS9 z(&nBsgY7zTC4FX3Oa3TwKBKG;mD_=mAg^SQf*}0Az?1=eu2BE;yD+Lpf{Ov(F%W?< zJM+~a18|3HuILs{r?qfQF00000NkvXXu0mjfevETr diff --git a/rtdata/images/png/rawtherapee-logo-24.png b/rtdata/images/png/rawtherapee-logo-24.png index 9ba43bc2f94b3f1a2b3409dee9ff8a5b051d632f..c93bc44d97abd54b5a0c446132a7f41059fa8442 100644 GIT binary patch delta 1918 zcmV-^2Z8vw3ycqtBYy#eX+uL$Nkc;*aB^>EX>4Tx04R}tkv&MmKpe$iQ>7{u2Rn#% z$WWauh>AE$6^me@v=v%)FuC*#nlvOSE{=k0!NHHks)LKOt`4q(Aou~|=;Wm6A|?JW zDYS_3;J6>}?mh0_0Yam~RI_UWP&La)#baVNw<-o+;l~Ji5r2j#F;h>Z7c=l2U-$6w z^)AY@ywCkP`jx!N0G~)a$8^IY-XNaYv~M{K$3L|nWrS;tqs!_g>by?xO#aXS?SnHnrg~7bGlIA+iFydH30!fIF zQ9~IOScuZ9k$++$Mf))i|FGjvl1nC68H^kYs6vJ0_`(0+ceiF?YSK*##(?e@+x{2@ z0=q!7Zrk6-w%t4d{LjFZ*7jE$!0adK^|lr{0tU8$i|e)~?*W%Pz|fN}8ImLUX$pk` z@P0<$lmiBDfxb1jx7I#RAAk&XwR{5{90FrS%3k+)cYjZ3Z~vZY_4fmYt8%Y8eptf* z000SaNLh0L01FZT01FZU(%pXi00007bV*G`2j&AC2_7AE=aBdS00o;#L_t(Y$DLMN zY*g13UFUJ{TtBX7jB9&5wx<)!U|Tl9SPBIKwuBlYAmx!LY9b|(B2}u|68@5aP*6Td zBOz64aet`FPZ2L6C4A5Xu#|-I$OoyZi2)aEClK4j@yx`pnXzZ?y>lM@nAn&g9_^O4 zj&#o6XYIX@_FjkJ(c+JC-nPB==gof3LjaJHVzgs;=z6~p7Xc(6=1d-R5THfN4!7*y zvDhx(5+N6~&%4DSME;O-xK&&Xwz{-G?VNn|&wp3nPdTdRaRICYjep#`DfIL_&L_W(R^N^OC`l_2%Cp4zgQebzV8wf=>38v#tt+R^!u|NZIC(@TSG z&3}phkBAo^Gz?fUU_sF;06sNmSwxhsHUOIeHiy1FVv>X1WL>MZr1M16831$H&PBDW z<-ng-S8v>U@a8{FE8}`KT5tv*xb}g=qK3*zs)zCctuiH|K28_`C;=FOsGM=VshAag zW?`tNt{`yg)L7?S1{N)8`9m76y6pH&}DM~Z$EWtXGRinJNBKy2?r+}=Xs^oXM|ji z0!&J8__ENu-gBL{J+9MsS*u+Mq3^(EP*Lux8fp=Pffx*G_>Nf)A`Ty3xnuT`{eK<5 z>`9D|kJChalv^-ik-J)#894RU#5*tF(&N+fA2}Q##h>o2J-(=cKc}1=RMvye=2sey zilOSTYH0XJIW>HX+Pm#i-8D8WW(bvxFli7D4vwr$4Zl9|?tPa7!0?owUcdX!%Ri*` z@ND$NWReCTk?E6>+HoC?(ssV6@qc&CBZ{&fNDeOHBT6+9Eh3sgW#ao&Ix+pAX8bm$ zr-#O!{S_g+M*=edvQ+03Ri0*sN{j8=tC~1B%Bpfw&pEjS^a|1R3e!k?U6&p;N6ubL zTw1=0b9frso7X2f4Zq(AQBVp{hW}TTe%KTuph6_S=Vrm(eF`ZfTsUirgn!ub%*sar ztlO+sqErYJDgmPBnvs|WQYkq~zvJI8vv#krK&iwcxB#XckqH)ey&HhTOMrq?hL0uP?^St`fVcf_a9^kaHP47jRt= zpB*N9jvPl-_&$)*5Q_hLf`1&Zs6g$!sxVTl8LO$_gF{I&Fd#2-0Lhu@*vSQrE4GfF zI}Nxdh+#k*26Uv<#p3953scfE261lYNbtcpa)?_;G1UroVXTB3dTpwk7q zzdv&lK#~9e@dcK(?7!Ka=Fj&3NoU~s_TfcY;0_J3;*0B_nv)LGye z31lR&wnRHC7U=wdBbB+)Lq3G!K%tTd(oa5_=t!q^&rkWlTGY{b&R(;+d7y8g zFq4xM2FpipK*HKgfPefn^#N*IHPMa)o6RD~iqxK_y3EDTQ`a|axV?6kcz#Mafw~Vn z&)93*m&bYrRs6f8kuT4v)W+s}n&rhxB25!4BY>qPmENn7AnQAy>e{&e)&>Am_wm7x z;!J*Y>=;`Z_Lr|-x}rQ965Pw_%+!}c%TGB3FsnA9xo~9=Yj+}HSh)ZiyT{y0fspev4UlNDF$JNl)fE-(sjVxoo-Pk=#J$+Le~JA^eWNY_NIlH?zsN^;fsic$XaE2J07*qoM6N<$ Eg0$YIasU7T delta 1447 zcmV;Y1z7rw54a1EBYyw}VoOIv00000008+zyMF)x010qNS#tmYI+y?eI+y{6Cm6y2 z000McNliru;{yv8Bq$J5sKWpN1w~0jK~zY`wU%2<6jvC>|L4q^nO*i;b{AMg5V437 zv8cog6|dAwLQ~TkA587l_|o)d6Q$`>9~w=XKGdW!)igD&jem`8wbEA6R@73^m{P?G z#)>GYfXi)RmStzooYMyZk&4!&{az-S`SSnGcfRlY&j9~(kcT|?ZVZ<$TNmP`A=N0* zD9s>%G=*&GOf}CRh<8-(sA{VMFz~1V$A^z^eyJ>d{@d9}{wxwbWHaMe3d_;}0IF(Y zWs=QjyVd5Hd4J{bxsGjbeB7`X0RK0DjH;rqKP?VSFEx7ql>ImAsXKPVPBsr}qm#rM z#^G=fGCNz?g(;|Q>a8eQe_|7W&IbV|o?LkH+xd?4!j7i>5PdyNfd)-VJ2bdM8Oh2d zwpi&<5VwH=8%Pau`oc{7-g2vE&g$A{M?>f+@ub})$A5P@lMA1yzEr`{*UwbApuq(N z0Y#8}Ya}yYlf=sa4+Fdm=+Vy@Fh zm@xp5eSHkq4Xj$7RSqC&1h6#Y#Z|tf^o)kq2I?R>97KaoG*qf-tV!`luJB0dW6}4P z1P5Z}!GYLT?_1YOntJ&vD^Kr23S%Hc-6R07Z+|A)lag~by*hc(2tdnurt~cDu?>q$ z2hpU1XmCPp22}A1%O^iT0;eDs0~3AH4n1_?upbAmn?=UArnJ4O|IzHu~7Y1=}v1P7Ef(O=oLWxP5@f3o&OxLgpsxP!$Q$QU$i?41Wah zNeWpI@Sr4SgA_QWIm;*S8X?WGE??1`r%r8{1E7C+liMPH9Ng)hnNNHnA4eh%nd6Gf zG>49a1(=+`d9wsAl*5Vgs}jYXCP*X!eBVj5QxS4!eu$rQ+lz{d?vDWU-{VEb#j1LD z(c%Ru%a>*L4Bj@ZNkR9WAsLzy?SDrBUQ1yCE)yc4654A4y%un~k1(Hf_GkMht0zwx zN7t`!c^A0T@UeECJ8l1O`}Bo{GpL7pc$*l2p( zb<*SVD1M(0p>WX5otSPd$qFm99j!m@>3Dz3hL)`Wx*zqUANIepaYb@jbh(;VU#R$~ z8vsO~h`J(Ho&2WrXx-=0N+1AT|J5G|8>i}V<8P^xG|ju-WQPC%002ovPDHLkV1j!W Bpo;(i diff --git a/rtdata/images/png/rawtherapee-logo-256.png b/rtdata/images/png/rawtherapee-logo-256.png index a6693fcdd92c101b1b72f6312536078864b6d36f..6b490ad9e02f9ac5c57f409159c6fc08f42edad0 100644 GIT binary patch literal 28230 zcmX_n1yCGMu=jDeJ0!RScXxNU;O@cQ<FS=@-ug{XOO&dz3@Q=<5&!@|m6MfJ2LPZxx=;WFxR1ubwcP5XL3EbYbprs9vHrWE zX4V2BE6yv#lLkkjxD%PG4iC1>w``M<6r3}%}?EAs$!3UqQGNJtdQ1Uec3ON;2l z5FFPE5$LPCZ|$iG%I)al0}c%jjaZmavogG9B90+IcVi6^mfpYxc?Io&)ixy`A%P|= z&WsPUy9i`75>>I1@i^* z&(Wxb=c^L)+Q*k-Cb+hCCzDWzE(9+GX$QBs)=I_!T(Q_U>X1U;)bpulp?Pt`KQr@i ztTEeWGt-};(Vu#boOxCfE7KEsUgM;iWuZzTL_0J$4%(x`9U;ISBK-HXK@VHcyL{r^ zx^Y=O*vpt4WvfdkQ5xO%Yk``CChV_+Zj&LG0bq-rf(O8Qo4zL9^Tea4o@smdzZgaG z_*Fk{nBXDR$T2dMcu5y#YK&+3JF;^%@{oM>TjD<%XU{H5F%!DalGAhJ~6dX z%RB-1s@HB@iRi?{GtI=j$Z_JF%Yoz5}GFu}4zeXNI0O8W~PIPeRaMqnllW^0Fe zdV^>tl;dZV6+ zKI5@bjp%`2H-)CoXcaD67gk9ehOnmA|H54Nm$W5!>pXpZYoOFKDTUz>oD7Z+Qfiao zlmYa+zf&}z(i2npcX~4AWj;Gvc~|yNT4XoJCy7?W0+*zpkK&4d_N50oL8%;&tPnw=Xr=rDy<3V?wIZq; zH)pG;1fcV1E$l?HT`4sNATf{~LdJ`lO&($o4*g&geQCR>Q~bq4!zOYRe~XNScN4;M z_O#u{lZVjq(LQqJ$QTKXPyQp`yMqu9Ph3l9AiSBGtYq&Zfa?w5{Rwrj-h-9O{hhBh zUtg;Abq!c&4OWsRS7?3%C$2}nN9T@fTYHqWuYbqm4dFuxvuX&Xj(V+5dL2&&w@!P{?#;axUCOBzPoK)~k#I`bvqtCB zjtJ+L3}O-N-Vs_gzP&@as+u+XK}6w2{H|%yyKd3M#&Hf-`qT6$D26bDsM;_d(WWro zgEd?(gXOfZ=lSwXl#P^Z9rA3uz+s%e`iI>`IKfFohs!pv-8;7rIRzaHa!yWE5QxTf zW1<{+r7aD~B>DBtWWoXBwyV~r`@h0P8k#kkLbtAe(fT!!({IugswgMhjUaYcUfgj z85#J8o)@S(Lr4Rz>`bokEF7k$;mLb4_^iH3+qP!S?)p{cUh_H6 zkS*7#wNq<}{)`bb+5y>zirCC|&#Y3AOARn+_fCsRJ3QRW>4>p>@J)f#7;nM$?G6Zoz4R(?NiMdhV)5BT#4OrMFWz_@ZdpjvmwTk`lNnMI!YM7c&m=-H zlqh;$gLL#7lGwE^Q4*94p&LGhB+YSoKei>mj;eUNUfY9S_dKADVFJft zIve-5ehG@1Q*y<+``x0Ld07R6fHZ%_jysR`yM5pPG+OBInD(|T`MRO(7QwAAmtzk| zWaG&Y`|S^u>?9zMZ0>~hW9hmlJyqN4fo+#3W4CjEZJpQ<9O{~K`Inl_t1kX5QNe_0 zumOzztX^N%<9sKT*qoa@t+*Fb;~@bdK!onQ7WZBy&seaXY7#%eSW5<8p}B00;eOpu zrTO;YeU|rwXgeguGD+ZW!rI-OCogU#?@9c@p38v>4JA;(A(vl{p`h z1B91eBF4Fw+I$UuzPqK4ySCNyN3}UA!_YM+M?1u@n^)qb&sYDT!@;UBfKF~SZ6$iT z95xbun`h$eUMB(_(FCDm5}32TZP)MI3Iss6BGdk;W^CNM84cgqj_`PwOROQY)u-N* z#Oz`A)b9daOqdTEt*-cbUp)Cby`Khu>yCW0RuwRjVEY7auBg zxf;cZDst`S=ekcDvPWNq#iz0)(}9KuSw$>}-b-$TUIO!g`O~^~3g6S> zILFaB>b0JIkTY6=a6Aj3%oT>!cX!_zTxv!(r9C910Q#$K1tRG%<0+5vo+{I0N$~cY zY;;(4EqRTqi9Bj~-Aw($emEkqQV{pQ&`|TA06{QiSTuK`$h%VV`gq=CPlUXT?%!qM z_Fa+2i^Fb_oa45Aqm{Mf?fIT_nfoYvZ8WBV(a5EHT39zqPhT^EDvpK8(qkSN?)) z{XR8kCBz5(B&;j?O?`MN5qExqp4;e>7uC{^eeOPyhI0z^d}^-3b+OT&8Kjl?GcT`? z{!`c!sczaL|LSu0F`E(qe?{Q8T27*t3anM)p9`L~iBlaMm+F#erm}xAmR!j$;Wbbk z3t$}s3!NTsQ$%e;?kJjndHHoLwols7Jm1%Xn}6>V#1ix6sT#M;3`H;H{uJywX0!4w zO%lu_?QzU+)P8=r5SqCyR(gQ5Dw{YcW7rtCSUP>&f1y3>K7PxCL*!!m?6;i|@Vwz` zFMBjZ-;(F}L$v-()-~?&4ClA8ZinDdW+nfPt0~nq7pn#GJ@M&&=7Zzz(DbJg(D$j` zI`hK2MIA)enn?Kf?T~Q$c4r|DA&yVKR<_%eCP0lVom)?x57>mhVmS!SkYlx+8H8pHMOKCkDyN}&ahAPf35@~ZN z?Q|Q|fEI}-J3k=!ML}`Ve~>FsmY|*6kyfH0A8Xt}e_B{Of(f1)q8CRcF7kScu7@+~ zzSN}_pc#x^#iQQu!RkvCs7FORy6JwnA->Ky7jR8ohk=#ZLDYE z_z#QHC)t0CiO~v{AGgA6CJw?xqfkYpaXEA{HaSMO~llT+`MBh=$U}o2phYK z37Ct-P-}o!#E5Y=%$L-d6_F@udWqAQ* zeG*>+>DJ;myy5PP(6YX{t3`gb*Q1)G?tQPYVl$jLx%i_vB+G?LS}>;a{6EfdP3R$FIIZ14!{W6|EP1ucVqa|V*W5?*Yj zz(o3D^2-N%U&!M+P1$D5k7*U{?kv=);gMGwSY6pf?M%{Df6uW2sOvwvZGA?B&*~DN z{}5U%v)*0F@2$`nayBS2vedCvA_KyF331mh?^wHRX6n{sS-B>;fa2K+|&8BN}+nM3X4~_jOF(K#=U5-;g;KUZm?3eZdfy zLrKCW1F(O90M1lI%u>=!#7$S}j_Y6!%&vcBSYO#)_U)-~%Gsc z#h{Bgvf4eccET;@cptBwu40@U%!Y_8P&0+H;5w(`hzTbC8B`&IOMVPG>YjE(@@aqa zeJZi$p20tj*Q5SBsKoXcTD)Z7txWHNL3j45K;~Qztcl9@MHMd&QE?bk)Rqo$qx_I8 z1DWBt&HRqk1%U=@$j#t(i+Z8?MX4#^2QJ3thw3L{y9VP8^5*8!{%{^(^aF3*2gI#L ze-BX|d4Bo!erS##lJI`??}hlF1q372 zd#2{S-3`lGO~<{SWCQj!7i5qD{NASKEM(zFv^Km_4|Kc2=G9yfebxyXbeWDo=WTvv z(|uNvce?lu=~+B>aO|e9$YbFkEzOF0n#6#EEupQIu8jDL^30GTK|4~clVAoEmj1gs z3EsxYY*v4N{>wph$e-#wz9j?hDYz3J9Jxm)Y=Cu4AK7_eGC3;Dm>S={2CP?2FYc5$G^BJdU{qqecw~ADYCnBMwt~_*aung zW(JK5z`5=|@po*t*CD&Cy{}FbSM|iDT7GeJtX!2etE^tDs z+xNqUd1tLHOf^sb!*K(B&9w za%e3OlCy?i`f#%ojJm{m@yqNjMl9n!(Xy`o50};0dmFbG=Z)3;trq+ITLy*#mbNJ^ zBU(o3##K^;(zue^c+c;f z5a#*uwYy2y9&fouTVpI^P60AckK?4-k&}n?7X|A)-rHp2;JEYoem+GW!kfHa9a#3p zYK9W2+)aj%X`_w;jN)F+9~cv|aH_>hTWr}9Aq~fT8DAVSXg2swv3+18ATmv5#0)DU zSkV5I1)nA~^{mR?w#`Vqi+_rW5-|E(^Ez|>~hDqP2%4qp}_G-5}Oo$97 zIJft9)&znMST-K}--O;e?V=IvGrx4rM)+l%s{+>=6U%?-qrF=%sGOE zMId?jvO6%%*sN~N97|ZZJf6J9_PU-`f|u}YiY|-G-O~n=WFM6jpPUbG+I@Uv5wnbr zBME+mea935+?@|L#^aF)BrQwA+%>EZ5 zI^ZMLytpPWw}ZS%n(44{`)?Ff7oM$vk1xc7Q@q&1O!C8Lb-Gun4nG7`!F z=+8l*`5X5#c|Lx#evj(zVF&WYZJhtoO&s5-Figae57DjZx@J;qAJ%&lCKMt4J~64% zh_pQpl4z07`Wh{Lak&{Dw}x;UCCo=hc_toqVk2!P>pU`NA$bE&(1g@Q?p{N&E|szR zG82ckL~tm}I{_ZMU|Y!6&c9xiP@rRO{(P~n9hKGUDTpOX=gfiu**7-4>QNle!#<&TS6=D!*2KCP0JF z*SVB>jfT;C8H*_^AzOMh@N2(riV*8nttf)>?kPZ}Ybi|S0To~@=MI|!Rb~Dcg{P;> z&9sy2jjUioeCHpmH-bb_SeDhBP+sK=X#cGn%!%qfcn`nu@Bm+n%8UD^gjC87IgZ&#>Nphz?$uO`oi zF@)7~K4*C&9lB;Mm;blTXhnmAHWiQ>?=Kqw_1*jAlLi)xIZIJP;p5DA|8QlqRjd3!MX0&EqzI5%2o75gYGvP2l_3vrb3=aILO=c?GXj0i zhyN&u&kVK>o|M9sdLnpp8z6S!I8AIkZQ;N;eA>D1xkt+QvK@r^UdQ_3yv#V$j<&)( zdQ+NzEJGh)T`RUAkAOQIu9YhrJDW4QWz}ovNB*+lXAtSUP$-tMUh(?2rA!F7ZyW1d zVK3{fJM;66g1lq*GEaEzEQ9~^*6%jO(J)+zG*NK$O|;Kh6B-)PA&1_0|2Yy0PyZZn zBZkr2{>k5MUI?Ke1O1Xs4tl*~r#HPMr6Fpz;S1+Ew?BPS2cpW7-N}ahF&eA4h=>%6 zSk=CW%@D98AGq~N$S|aI@u4VE-mOOYIau(s^aJ+HcL@_0n0+|HyZT>CPBU4oY!K`E z^~ao&?0+wR{t-*=|KtH0vsoba4PpV$JKZqD!<)UeP5$Xn2jzuPW|7Z=hR+m-vwm{+ zIDLU3ew;0!$$RjHUiiXw!x07lso8s3xGgZ9c0GktJumjjNxeJECv&o069Y$M<1-hG zbM8(G-C=}}?5|ISY{1|r-y$PwLNi%zYHxfamM|Y|`eYArgyP$IzxPH^==3U24Qgch zYXym8k5Dh}@`Emv3$=yuO%O26x*8HU6nTjc69uCMhJtIZpL?C=`K0PqC zb^(tqBqx_?B?VxCG4HajaF!M^8nAqf3}X-+6_l? zMUBnu$pdMEF+z+XwrtGlSWa>Wu~fiEc2=JH%U-@bYvpP6V&y|vy3xRkfS2AfuGqc( zw+6l`?53VyyVQb~c{rZ%^@OEa-Tpi`oO!9i3hKOqNw0}4$hl4{v1BX_`&lR}2_{wZ zVaoscCS(T|L&hAJP*iJ{BuCQJXw8A-WCMk1e1qTvCOX86EN<8!$)` zkA98Izwq4dccyUl+xSe-WS+l^zKYkohZf|?!bW8D1$l8Z!=OioZaw3S)zEI2?J-Jn zCxXLnWHk*E$*`(Pvp2-T>|(=$*c^=8mRr@@6$%RO^n%ZHV_oz2PfhK8)?^T-g>{$1mS`s z;DDfXSD$euI!Hi~{^ihl1P{et_M?w`_&{SG6%YBq?>tY%3ed_Sn#JLPwU!2}ca^Ay z)j0gLu-T?pjPmM8XTjOA9l1kB!2o6y`Zo^CA|nFki`YCl`qU^=W0?ecrbt-=+7xl+ zGe46Pw~8?k$GQ=Y$eNw&@+>Ut4J7ew;Zn+y`r8B$Ya2yEuMMSa)LR;Zkqcrm?6kaL! z-|JkTBOE>Rwqht@tdC-S<-Dr{{u20qn+*w?dH<(O*p5OC{|4^GXQJQkC#~hmJxy|s z4)}^01n9=r{l$Rx=D5|Oj`#X$ErbS5=)Su4h=JqkU>q7$F&ik&z|030e-}Q>z@dU- z=y#V&+XsD!C-#AvpP!W;1C}?bkUsBcX@x%iWgPwATz~*NMzsE>Zwd4^dT=Q0MMUua_k#Mlm zxyiaiRotm7o7%(+0ojB^0~czQ3-KU;f19QAukdk-!mzWKU* zw!{54LchZI@UG44K*?uqTs>4+Gi^-l;pWE{iF3p3XTY~FD%3|D*i#@ik*F{{FdKYQL(4Jv;%}wm`dBx#Tv!Esu|=KT?2$=SC0y zAojDE;X!0db_)Ms@osUgo49dE#(-3XlRCQJexF`$whl%o zMs$?Y*#OK1PyBRQ84jk#z*J%=i3&`Ln)YmPqnIuomDZJ&IGh4Tq1d_eIZr%BC}o-` zqY1*R4+WnfkWyN85j`42Uh+k~FjG9W74P?OwjTXK(+@aPce_M)_O&cYjt_L_?|GgV zGnY0&y}Xvy1%RMx;eXM2271jKRo+-p-{0}rlzCp9^ni5HZS7|4-ggQ395gU?2oguc zW!Jw-W@JDX9#y&ojZgHGQKvZ8WvJg@Th~Xh-)aQ6Hu^?;sVfMl0ZL(+a;MO75ymwA zpkxm`W&kxbZkUy0CNUZ>6D4P}1gt8oF9aCxdZv!Pz%*|D_N4>%jJT|(#?e~s#ctN3 zh%p6q$=2_LK+w;D^d=zo1b2lHHm}XIMeJ`{E2m3%jm0{W%4EDxGQkIDU)^L14?EBd0O=B+C zzSana4lI@i!{Lwhfvz`vpRt~Bhh7QHfFikXFh&3)S6?{eAB|E2L&VAav7S&aX)mqw?}!GW z6oRXQ3Bxv}>0J06!~-`&{I7;bqg%b>?56bAkk}42qHNz917FD?cf|yPMGoVL()sq2 z@24H9efy$a3y^xK;mfsB+_tabVzq<;SO*Bh)P&V2z07rW@8$&1^5 z1$6ruonqDfSyc+oF=P*H91RKQDr{wU_S7)^RVK_eHNHb|^y(jFkpmJCxf33U>FrAF zT2CqZ2G2I%V9UZ*55Oyjo$c{gVFPPZ_bn zx0I#3JZTn4T95EbwPajO5@P~$({MlX9ANu48k*^;NL>nPhCz3gT6n*F%gwtqbFL%# zcb%@FgY@c%6D)EKcoRIOsD>i(@d5R8z6#K^9ly}{+$DGoMZlbB*rZ4mk~=`fvoegx zB~|Vil)*;vefPRpH)5a@3!3z|@)U#uZ5rqSoWeo&@`lNekPb8xjZ>HSt|UM<<(gld z{d$v+t@j_#e>Oet!94}?FP2z#trYf%DE}r!3R-kfjvB~36LS82-p>KK>Yz*+5y@XTCo^-< z#wLn8+?Tj@(?ADsAO%Lhto;m%s9fytQIed*o`1)*1AK8JS!x$pZM9ik_D8i`p1gh& zzw9ik5A4Z&uP;HA?n@3K;OhRq`vL)(x*ULp;2~LwL+QcD!RYZ~m(ZsOGG#0k87S(6&T4xXAqejn(rr#JRi}ZsX5wh=^LoRxgB>MGdy& zZ!liqPXC3+FGTbDt(7M${$20!FvXq}_7jGEe3>M+8GBrtNSnPhM!@pX|e; zekA}J3aSX6rh&NSdgHGi6%@=*kiZ~qG?54Pt-s$73dgnE*|+EB{f=gQelt25tRGez zH1HU3XIJ|3xX#HyoSaP$wDhkPE|!!#V&|zzeBe6cZ^zb0Ad=)Bzu%+J z37dM;vQVgL0yh?$bu@%DCgTw*LiDW2N%eO%es)!S3Ik}wxqJ;l-@nuEs5w&iZ+9zx zm~^Tnx~=}lHE>ESMW&)caIaWB`{?e?FKKxv+{P7aVXfvdifduJ3-_Hxg&&H1a4l>T zasHBray^|Z@Z>zna+n0k0V|n~Z}dKpFoQ(T}5?dKD`Do!MOj_ds&DM4$8aY znY8MQYwQ(4!A2?}#N{2jHzpxh;nPU)UJQCl1x6oP7sc^{HV;IR~Ws=+7dBAI9%RSwS1i2hHwqDidS84AowBW1@B-EBP zjZ1F$82lHaKmLJZv-jN(O8rMaer{c)ZBYaPQF3INv#%Yqxm7r)@MDwyetzelTAo>O zg4?(Eiotn5{y(g8X<9 zOqjkq_TVe|7<1}#Y(gT`KTA^_UgtTWKR3ll*N0c zX6S{?c?Bd(_e^IAY^8NE!4EY;7dyl7fm z(Liv4E}^9U?JdUA>p(z@;Jg2!1jjb+9csTAVEQO(wb?)IE2kuO!0+{*V1%HWL1Q0i z=QxY3y0KLlQ@XSC;kVe@`sa>238(Ik7tbZSm)9-PW3M4O$v`Ck&Ju;9Eq$8XgRCxn zx?@;4!IXagkX5EFiJXA;Hy&f5 zHnW?FH#ZJbnasn$=Cl6qA;q`N8eCR^px63Q%N@guOnbrSrl0^?#LeShHc;To;RTxF zXOv&@SiKeN&@?5~lM#s@NJ@$>i&rITu}KXW4=#Fjy6M@T_w$H)#rVY>aaVl(D~!kCo?)PlQeh#WIf54zzuo7`fc4oi?borU-s7K8dv1irkWO%qw+*H+Y6cj038Fh z_}P6n7yxz@**2cL$Fr3#T=I~GL6;_vSaw6B@#|YA%5}%Ty4i{*z_lB=i_cy^4L+!j zRB%gs{l$sq>gDr2qQHcl-UooptW1u{1r|a*rlohZk$IN3o~^Q8_ea~a$g4XL5lAi`sUrLZpx)3QrO;+SkG2GL7%xvxmUX*5 z8z?R&=J#@t$8BY4%I1}|w2(Bh$4q%F3@DPRM}!Yc)?kP#T267A`-8 zgeYRgnd*je6o0|>-U8?Df=PK7?-o?%HB5Q*fsx7&d#>6y>Q}|xgDE^lff}9u??gR=BTH>9CS(a%(qmR_oRimLt2odn&`` z5m9E(w?3tgWE}TrBXSh4p7CvkcmikOFEKa2q4kHR?WkY>JQs$bw?G!?o>t%gAyJiP z{kpoB5yl|vTk}IT^rIvW!CoM=M{D5C`r#LufM9b7us20S}TaqJhaxea+hDHk+b0|jP~yCK|Wg)*;5=O0-@tKbr-?|BP|=jn0WH1b>a8f6JN)h%{3NNhYOMxcRx}8EQhIr zn~taVVh~#>s;m;q>+~v(ijLEj*PH}?t>Jz9TBZW;eOysHWJd1HLkE{p;s#~L|05-> z?ym&}PrriNtJy>nzKREvzusNWJH9^nt&(8TM>;W!bCD9`xvlnrr)OzDxZ`v+Y^ujl zj{$VlsezQ@S#Lj;k(_cJFYdgZ<<&HVZ5^5x>fZko@5cvgx1U<&MZtB zl8=y0>(JCb!>LK%i&dbEul}zTZPhYygJ!mIWAg+8ds%j$w>j?zd#NI-fL15LoTGky z0TF%zYlG(dF1n4zos}0c-F`$0U~=@z+VW6-c#?XQ$tDmwJY{!J#F}_{wU;fJR0(I9 zl}>(I>`^o6ZkM*|loUyDV1c`quteP_dbaCtDAqb>vx9uuRHMae|&Co z;Ec0SMDY*mkfF;tTg`3Izh+n2(VADI}GN1yIKr=%%K;lMmg!er|;|c=Q04*mK4Q+A@ z8DN?Jh!=)NO4p93+F<~D!QNhG*L+)jz`^NiLFkC}C7b+yb*1ngsH&Xure0Cg;X zVB)0bS|8C*=B{<5tHxg|f^?g7huW<)>m=sY)O_vSEeGu@?!O*=U4iwWIR2Hh@?krz zhC#Z|PH!Ax|Ky2vr}ZEH8m$8N*PWjB_&^u}s=J1g#Y3%0)_6Q<)Z0Jr52iXBwBAzM zc5jsKzTg)O@gsVC4iT0Hj-L$@;USnTv8(v!gUBzXOJRPEJ)T7?r0drM+WGz83LaCr zEY{Vej6HA=xt$fJ`H}Cyic0ee9##lqcWw4JsrK)83gox=%bwE*rel`s?9TNM9AU2WjAN{le+9iW#PA@NTuY=k_Tp zBF{xom<&DETD*g%lSbz%(B$R6F0T{?gG-kF019CejCmJkVBrD`4YBxM3 zP%N`ppl(luP7gP}z-~MIyn)Dwa|4~$-oGwvzdtFqmD6irLp&OSOzIo+e@4|g1G3&* zlMXx(TAVPWvm-2WKZTKsd}G)Yy|D3cu?0r{fkJ`##j61G>wC^&QpS(<6rf zRpmRWpi*>qqa30K?ND-dW>J+Aa&cw)(H!ER;@;+u0L%j&aE2yGz*UEc?Ws+K4CHq4 z%-sE$s6LCedMhmWchi*Nep5JmJ^%7{{7>zqG`nB9|08)+?A?8~CY?gZ+UpZrfEY4j z6N*!_JOKFzGOUzG8ZZdbCHC^oU)~osxw-1O_-xDgH_YB6(2$Q^W>BlLA|@;Wwqgxt zyBuJ26o3`HoqE{T`93sEDSkOBBDCP}zFkw&hq9^W;Dm>PQ;)uDLyI`-BQ0)tvm6k$-zM$lp$&q*h{3afQJAx`nOMGmf7NLw9@FM9;wn0U3qq( zJG{NdBeVDqab}ma(!&0U`zC7`|Ev41Gq2eU9Tnlm;+dh}t75{kyncHhiPA?(w!8Nv zf)^;!`4NwNH#!4RPNof^riW7jn4v@)ZW{$C~o&_yu&TIX{zO{bh!v{$>69dGYIb#!J?R=p+lZ$^&h6QasYH4WZ=x`)DCHc39r0m+GvA;raG(L;9BsSd*M-Jz;jn6p zYBo{-S5fjh#I{1YX@FSp?wBBNBW*qmjof}^WaSzp3ll+!B5z{L>CYbG=7db%$?t&k zeJq$l)cK8KftS$e4r_jS*6jH79n0nc+Ymh(ZZ1nBBTZP1GJam~DIQ*+vyUyKp{CPA zZ!$Rh>fYT0S+_|_wP~P&QuR)*H!c7^K;S^uo67nv9?1sQ$lFF{!;&d`+1ThP54BoL znpIuoR0~|uja}GG>tH%jty|j&lV9uxwVJEf&sZ~T+_iSm82><{RLBs~wX!eI33Xk^ zcN$BuRD2TYptRm*!LtX+NZS0_&CIYeKgVmv1Rn#F4@@@yaCpZsK2`Pf)Ok<{+K64O z53T$qI+u>^M7w`>vced~`Gq*;upd_hMpfGHVp_E#bh=BP~U-}u`*ePbva?4_J4>&JZ>3;0a~I8SvWE(aUiq= z->Fn8sIOMa06ZBec|))G2SUy`S8~fBS2P;6@@XwAPdZ> zDN-f*N$;Kuy-UU2vtXii>6~l;uZu5G2QXyDaK{}Uj(9mSnGMJuNRtN28{);?QRLq; zi*n8`W%sYpQUz)3gn&E{rrz75j-y+ zIU^wZAA)Ex6@UX7?AUk_?yS>Q+vjrOYeW2zAsqRszmf(hmxUBsoC77%nQ`nY0!*o7SxFRG zj^HI7>nGJth>A}7b&n^ocayZJt!=UKNJ22ESY$=cYQ#^QCPQUNc~PFM4y9J2wT!6_d#d1kK) zQT<05WE)zg+O6s#r30){R^focP=jI;(UE-3KBTx88pSKXjPkeIrtBZgbctAgmP=ug zGB0W~2M0T2piw;0AIl3NX*EGE7r^r7>!B4ozRpKvhZAR z)Wc#I$?LatFs2IR2!1xF^=A7#ka-#>rFLx*)}ai~4~8qCLIayw)Rs7g~p z0jeSkrcs{=1`2)$#F?v`WS_?6#LY-=ATlsPUGA#c|i9%FOC{>(jn8P~#6P5966;UHR&0?b;ECmQygJ&}QDt5F@u$am0-@8c2N;?6g z-~jJ`bB+6MKPkAT$&oHF5h~#{2fg=UQ-@H}?|~~v2~?x4o)4fLV5E{yH9~JIXAvW> zv>K_xY3i1d;^K&7egonx#Q|z_4|gPD@=UA5wBg8`&bZ_@(itjZoZru#>dw`(LbxUz zFIGE8L{l5kq`rpli=up1G@Ircl5i>qqk=D7KM|?5Y00NFEl8&;{2rb!WJL%UOCTC# ziJK~0wy1Lu7UTOH+Oo|Vo#ffhOoz=Fw4;j|RQq&!pYtb&hpWrUOdHKkjPD-;8SNPn z(pLfffQHqQV7iH=#T4A>D3vHh2Bt#h6diY}>&bWMAwoA8)@@hfpkToEr8twaZVX2x zEu!sVXRHe6tOG+z*NFI+kJ?xV+&h?rG=QES@b=+Ew*wII135q_f)O)l^yu3eYTTPE zfNs~N=1<@so;91BNoSTMWy^E0;@}^yL>#yWs!koj&$jseQ90U_mgH?D!IV^%(S3gS zOksQtOb&I0zf@cI#8;tUZi}KE>Sc~fWhzo2W^d&WYMK!xNiS<1*jBXy38}Dvsg;0) z`pWN(G#-9}xA$mVP$*)nqEpp-OK8t_r(*Al2lhZagnQ~C%nRU!_^O7MI*R{vY`~HP&JPOP`)@yo-vMgl82XG!f3XfCW!&jYkb?Y7Mn*4O&k1qf5 ze8rA=$VRZbj?hZv%?&^7 zMt|2n@roXRA^)ABnkIv3)s@>3wMl+%1ELy{Ke!ScQ>oAi$o zQhn>#U$3AG&ZU}IhWcQKG68_g7rmnkp*R5+2YF3i;y6QL&}O}<$qwE)6B;ai_ItC)v2_&$=Vr`S@;^0n6zM&@tJh5+6o)J0T{xB*o)H>5pzN%_pFtu0%# z`F@&I*cU94&HhSJ5GYp`N=2+lH0fi(DMZvjkJIob1R>%yx=dmTB)AGPE_7h138=da zIpcgdyya%#m%vLohz_f)mXd3)xf(8BGpet%M&!vFktb265JYE>?50_369uweS&Ynl zDm`U(#oR0iK+Bc@`okt|9Y9CR>y|FEqQq&+MbkMy0r1eKJ8AM4Yr#N;n69~`As;W2YWWyHKB<{b zmJ$7A!NBB}Ktft@$|A(_8<21Qc{Ok|@L&$B!y>n78kfHBMp(6SOn;AJ99*ncOQ@Cr zXYg`JYZF1)EapmIsJ~$hu3UwCfwTl5WdZ@bmYSJT%L~BA0fPQcy4!bBSh_6jxAWxZ zpX%=F0qECNxhGhtb$iQYrRHHCida1Wcx7F(OZR0JHui$@ zrOevCef{yxKwlp$0Ys(k%!}y=Ko9!Q?y8)hzyHiTZQBBc`T|{H1wsh}P?-DZrop&m zW_mghXBpAQf|X&o&V;mJVHM)ae-v{452gUW0B+4;c1Y!?x=zXM--F4M$GM-QP)k0w zYQ99BMn3_z5S+FPaD%pp6!TNQ@Ir##8I%QZn9wMq+K3x4z3!i45wCGN=zndOC~NKP zDX+LlcN8y?ff;lB-3KKoF4I7pi65V~@Ww(!Ul^kSX(IZGu7b1_Z%9=^C@%dNa&IFX z-trOPuQ^v>$mBi1&6hR6-+g?-eRnr@#fiJ?6XE3+0=Dh+=66yo&xhbN0}KB41(cQbb8Ll!P?2B2b)ex5H+8-XGL1 z6HzNVGYy;45*Vh4zGX`wSz1u2C^vr}{U`61`1MxUI7-mi^%S=_}9+wk-eTTsa zoKTW~6j&TyD90YWlHw@PkKp%grO#HR7qa5{=R1tuf}SN!K-x+VrKlU=^EPuL|4~op zg20-#nn@q_6-`?jHSdK2iio~1D|G0gbITA`rHp$;KrLedAHPlHy>UC@w;9+@NW(Uf zSNyT05!}Y@%+61m^T+L1JQ?vfUlT~Z2qEqV961bUEgnVTaZRJ}x4(hevnJ?W5JlxF zKAn!E?|l?^UAcYxsp7L|W5xupHaWIM5)mduCYHYkvEn@-9Om{quig(V>4 zNQ9v#5t-!tW<(aTa1yUUyzg5u<9vXR0$<5tIb-=(;KL2|@V)O$TwjZy+OAL70(iELLs9pz(pg2Q7&h(`%k3g*OI{zeGy zDJ?~8d>Ub~&DS^<+ZKe&Qdi^09*ar;br4s>Ggtx$8cmA!z0acueIOL1Iso{1ivS@g zFD*D~1cw-OFphH<(a$j6Ad+3@wB@K@xN92)MJhr(5RMDvBvx(}f=4_BDBrqUY+JY> zcSE3}!^&2DeL5R9#I&V+0tgHx0RTJ}d87GyXm5Hxr1fKB07~q#BAB$~;tK$u5u74} zi2gZE3uY2;$RKDbs%?$>2O7>3cRemBDHnu#2!1~IfJehMUkC0kC`JAHLyD+gDbCy6 zEjCT?`{Kt|ah{b8H*Dylw^z^D{LhpC{)}N%QOk}$hk>rfY5&-?pslc?)akIjFp?2{ zF%tmDeWL!QE-^9tD~L)<4MaLRG@f`OrvCrQFjj}00Kib&t_OXz z?|RCl3Q&!61q5Y_uUIC8JeE-~P7ZBEU!)5L4slvgRyrE>MV^L){iKAlO2i$Hz%8Ey zU0;f#zRASO5Zt0D?39v=FZ+PtYY!=SiUxphy!9u2;^LP&#l{JS{!^$GE39gNuQ$g0 zzdMsNWl8`Wfar9=E!!TAs{&L=tP)f}Rh5$B{I}vkC9DPmEmsg)2?i#yGKQcGIqE7@ z*&A7s*AU$|W}EPPMMeDUe#3P9)nm+-b6Nr?Q%x&xu$ zV9m0N&kIE+twi*PAuTB5(t^WPL0IW%)EDPBBwnY%wU7q4=IXyeJg^bYTMcj%iqZt! zHVy-QA669h0=F)@2!6Ur5m((R62NZuUIHimqQ0?XLRbQQ*e0*Gvf;jcUS55**SPAw zFh+-s0KhmGo|H7d`aoh;ppqCIv{z1_is&Z~27+GYY}A+JHzd{i zX77oE_EcnG{MO^u^*$E`acQEKa~Z0Pms+;vw= zJT7;g3jzSRBl0HD(?Z*hzZ!tACXNqK1Sl$==}Trh?6yrK9nlv}Yz}JL z>iE%wGJbSniV=s&w@b3k|8MWiquZ*legFBLBgv8_&r>|ab{xkcGa1N4zyU%6O(@Vy z0)-B|7U(Un^!4_(g}&0Y+Sl?P9WINqF1_u$x4>(l1zMmjNuUryOadv8!5JWS>^P(2 z*hxHFv(9;c9LbSn$(C)&k`nE;&hqi``B}sH?eFiqhu_{o=19ob3mzwp@V`paw=46q zR|b@+5h0X0lItVgb6_{>Ya8LMzp2=50!ebBD6avp1Aq5Uf{B!Tv{GH4LvSN1dc6U) z_6{M|-Y+Ph5n6Er_?SAnb3**BJWbuXHeX$l{Ms+=MK?bpQ}6xv`&qG~(f`uVfJeqk z*~Tg}(CUo|fc(W9sJ{OhO~H_cDE;8MB+>cN<~_$gX;>IaIn_v%I1=RydtczT$jlF~tm9SoaOYD@>ejV+>Z;^k{ip6jWY3S}*1PU%;iZ?l z{3CNyfs+#r0H9?ZtpyO0%)G}AU@WQ%t@vmtQ3qFC@d0K&lHSPtUmii9HR+;q;^*A+_rnP|wDHNU4!dhr zC_7#qafOcnAf(8cfEua4p~SphS&+XnCe(gBV};s@t}Gjrz^Kl7udA?4J6F3@xZu5R z^SXe|e)k)JVi1J_ihxN#iT4N;<#&0aJ4+^aJk))>)ISuPm|{}vK9@`&pc>ysKkLRw zZasC%NpMFKDngVBFG<%{e*gAmzP9APwq_#uHA9^H?g<_n@R`D#3vX`%p?d#^ zZ+Se{h^h?D9?Juk`F|=g)-`H~$Lf8jdgNx4SQ>BYAN;pwtEl~RJ9T#yB?Sn$(N)z% ztZ0v)^;dp?$Hwh?jKYW53>@_Ra(3&laSdDuT0Q+jXp;93kXBw@o|SERD^zS>#3Dz3 ztfj(>)3+;E=B*s{3=K~E9aba42WL;m`gqTZYq%JGsEs|NN%$FV{77S( zY@+t%_9RFa5*dF-m?|Q<^~@O;&pZ>5_rD9R?*I6Fk5T$4T|P&I>UN@fTx8F?d8p!t zIM1xOVp98o-TerWK5T5?pGgG7?8D>@1jOt|j_r$(xdlF(KY!(jlt1MAj&g25umjO| zQTmPqU0D-3cY74%+sz^~mLb0Ju!##UQF+Ee-E2$3<_UD6yP_Cmb0jxE{BUb<-v2)X zO^Lt&Kuh_o_x;lG&Tnv>KOS27gAO?>Bde&aXiuosTg1CmcyYQ{`6F13N0as&jj@CG zI8Q*!4YRWgafOFA_GOjFL?pv5MM1oJ~|FP_hT~5jOm^2dDk+2HuFq zyNDJ5D8LT}e{nfD{mPHD|1O7CeAU++Sb~yUzHoyid_BwpX}XAFsqm3NMEI{K#pXI? zK|xS%|5&Jfn6YY<#)<VV{PwpR9@qO$-7$n`)RcrL9sw>{5!iB0rfvHYe zSWr831`e~MZ?yJ%v={@g7znYUF^WN|u*Ys2`e-WaXxW4kA)9ElirS5d0|HLuX*rQb z;6D6tAh_c18${6ZYodJsK50VBNd{CL=Z=$K`-K4I4`&Xf6&2;#nm^fMx7w!%=je+u zIzyFEVr129)T1OJAX7j z+4C+@+3KKfUPhdK0wQM%QsJ^lZ@>HQW1KkQ^k>@Z(UQ5MB2tt;-Un!vZ2;)5f0NFS zUc0#J%i(SD)^e*a6)qosM1r~m+3PdA6} zmlMx@8^vWER`GqTKr+c`Q){pDpsJo=$}6H+Dm)a3s0F4vWl3pmcx4-pqK3PF9AKiV zAl^S0FXi_gJ8Wu4qEi1*=bsLU+Go$irO>E~G^HD)h}c?huZM4cJD{_?4ftWS-;^AK z588>AQ+6$YXP_G)$z;yGE>Q8quz|GFl0s|4Cz~BM$Mm7wd7}{)WJp+0Ewt1r%gSn_ zOwY$ZcBHVO{IhO2Iw_uvw%bG3YO^R#RO%n$wzF$V+) zgQT})6`t>GY%n2&KG5GMLgUzw6@KKxB5JXvPFYfReMC;Zu{Z-`$r#l3{YbwpPXMpB zTq1L@L@!DvLfNCqCOVv=@`R1LMOiUr0{zHWxDkekT6`-C+=(7aJ`qF5peWsgNRPPj%TrHv1ZVuc2)rFL^p5fB zunV{ktpyZ)hu$Oay1UU?vLnh8%$Pm1s%KCA8!o4NS~SCgYLU54Szb{)ZW}xvX}`X6 z-49)e_Pi*%sKzWk3eMFTA}`T421Uvy+FhdZxRtua+0kYK>2IQ&60z6+$PqgmHnjLB z{qzE#CHlo(CJX?&yl?(y0M+Hddi($dtG=Z54G@fI4&*MFU)J%D4-cy@f`aC77o#3~vtjul5E> zpItKDe(u0N0m3+_6Jb31Ljb~$38<4Y>XhY`wQ=*>M{BIqQjge}2=@Qro6C^cUttiF z_MI52|`OnV=@Ai8O_)g3nI1?~ARJ5u=UmY|B z_HQS*_6~H}dEs{q`W?Fb^lZa`{Xox|wvvlpz(}h6Uc5)0WT{iGo>H6e)PAI~2#`0P zgpU#l02oj>vD7TelZpC=`dgbrlpnKEw`}Z8z=K?Q5Ro+}(gBAK*|_`eV|Y9P%y~^L zssBU*z)(}b?WFHO9R)Yti_q!A`vLs+3#3nSB4C9dCcU>LbE~p! z%JmbjsIg)h(jz+P%}68w=vUCM$`BceME%D)zRe*jk6Ni)o--B@nDiEMQN*FefdPdz zYnnKFHlU*SeP~&=Tq*$IGX<6c)c~%p4m<iDPDooJ6(rN5dx0IyDfudNd#) z%v;b^-8`D_?Q35KEcCAsgN(mK000%Oe*HZ_2EahW$D~)!#Z)3s7-&T*yJvFp5@S@_VMVWQVit5_@_kcf7IBSa&Tik)RS*Q}g)!B~yWFvVutoJq&9oZZZX|kbU`J%k@JNE8Y zRAsUlwE45@lod6#Nk{D?8LRewg8cO4#4`Q^elwKo#o-)1g~?3)LjhE)U6eNsPYH?Pba!pNb+!ZydjKOcLw5#iT^0 z{^J?nY8REA&h$Sl&Y!sqbfc=oym8|NzWd!)|4V&n?bJ`i>v>6Wo-g&lR|e;Us&ecn zUuEF%?vN|L5~Tb-fXFz0>Mu3ly5m-z5FbZp6At4m1R9GXqNx4w!4-+>0Q4O;53_6@ z`r=gyIMx-0^pfu5uTH7?Y-4}+Uq>_1ckLSBfd>Mdeu_6Db}+7yn*>-iJ^}Pzp8%@M zN$0lL$X$6Wx}5w$#aF|a1LlJ*FZ5qqb&oJehJwOk%ej+hj;K&HE@~gERiAPAC1|Th zdM@GO|DhI@Ts;Sh^rAFbsDGs6b&~GmKP;RxGhLP~`3BeArhdx{c?Rd)k-m_oCI_om zAEBqmhr{QROhGcB?- z*vKQ#;F{ZPHUBAB@0=CxyEuK?$;y>Sf<68(pq0*xKUycqobl12!A`@D)?*xb@Mb&% zJt0^A^h3>m>btu7E5ZLrSESFIwPazYP-%==GmcT`1`I>(BdssUt7VB!|9!`4J7uw= z{_!X-YC!+~^NZ)q%=A-!pH!z?*EbJjhFr-zJKd~V(-d6XV>?=^FDU>B6dQ0WaL9MT z+PI&lhi*f0*aB()p_Ug0R#dMK87c(QN{z+yRxd3zNK#!)nsJP}5a@V;$a5B{v1&}Q zmN*<9g{j>h+TvxWN3*!7Q8H}XxOn!$Oi2pc!mHZc|CQ!}j28kt+ye@0*EaL%rvX*G z_Ic;HJp}-vr3<(T81$C(eY~Bfhi=tCK+=@I|LUrH!tR9kwH(WoEwgW1x*|g_Z;E^S zuJL9Q($qXAWsIhbHY>1CZAp|$z++_-d1;nSe_T9grCE}UBYi#9=7D>BAYipB+0rq< zxaQWk8h?N9hQsr=Z421o(*|4*oKCdoBocTIEkJ95l;gXQxpEEF&;A9;XbgNJ!|fgL z-qW?cVNXljg=&PF6}sB*C@S|xa!>Tes;Yi<2co?wnE*ftI{rtwC>U(-NaAJph51|G zHTjbdeQR3bGG8y7;GQ;NLC>mi%Pmc8+ZM3MU+^mbfkb>xastnxHZK6IM=LXqgm z2lkM&_MZ@Xedt6XLWc`YRrw`ZBJ86QyAKBnfO%f_w0WOhT4d4dw#0Qu-)P2)`ZLMm{SQ7q?NwV7wRL## zd4_EI`>&VGt-8{bR^k6Klo01b99La#)~sm^r~LJatYA_StR;JZ8_+rq0nq>9P8x1m zf%DAi(A0kzP>{1_%k+Deer9rxc^A+fHARh4HlZs0)tsyV&|)J!+Ft({L=Eh7GmE$W z`{J2vERvM2gi!q9e5-A3F0Q+-k)1pHLpihS6J5Ck$s-HU`V18ME~L8%D*6Bb4I@cJ zK~$AjGVSFzF;1I4{01T^v}s^(v7K(H+tcCE{&ymF1#+r};+Z;#|EwA zlgDXTcMSu3KOB+^5EANw%mQPzschbtuAZBhZrFs15>;v+m5^iCrx7WC;<5nqNjrxV zkoqf`I`fuaESXnwb%v!T+}l^eoU6dDfAq6r#o=J(KjxjI`;$efxU}Od);t-0;x=LSGj;A!W}ktub}E_jPym*$@|_4)LxVpi0{tkhWFE!GRYw zajP^;@k$tC~^y)N87zAM}L5B4!zx+}s>;I{l-rj)R{{3EW z|A}N$sAK~GfPS=gNy~u>0M+BB`}J3GcXyGsYR%9_AtQkTV5-U~E}C0ray7NTX>)oi z5a`0v^O3+ITKf-lzZ`%wg(R_9-Sp4R5`_t{vBzC#%-a0uq8W>(8PkeGDR(HM=!)LVO7M)7xfMiEA=5XN<+xmjHXe z!UJDy;q||C1%JLjq1Ci-B;&(L=E>zoYe4Ekt1l=3>`jgIYCD3s{) z^x2aZl$S{-yWi^@uv-u!J(|=$qOqd29_f$eB)>>z9sBdrL|GiDf9GUl!M1ZYd2MOV9GwvINR(d3iDyN%_lS5JZNa?@ZuJG8yr}?j^+JisNY2Y@r{1j3EkXVuj z{6DlJi-TgCIg6?nU&1tN)|dfc(5ZE#ule}<2aelZ>Z(!4_an|LaJQ<4t4lAX2Xo70 z(Q46C8Y}8A33=}|)m8fC1(|b#?RPnZO&`wImw{sqb{@R*D2ESNgFnW*Xq(hJE|upZ zUt$1Y1ODixXxDk4DeiOUxbW;Vh_p1!%a$Ufv8O-i^U`t)=9gDl6!XE}_VXtcC=F2H z2knneyCo7^hE<%8T^w={$J) zKx4bj?YRz+qmfOh>Ym(%{Nl2he?t=pC>eS_xT#z$j}rA)^}_JpRn--F3kx!5N9xfZ zj{cuL?%>h;j`P7gy`d=oJ-~aHqLN(70N^tT{>y8#U9?Hl(aQjl<4&nPk(prL!ulYb@zg zBMIM)ME@lfUj9u7|MtC8So@XWx4jv-mn4kurvM;Oz6AUV$o9WzS-za|U;mo)dGn(7 zLT;zK^US7C>ds&2yGn(!QTqoZ`(ago{ftZTA=H+MhFk+zjF$SNijz6|oCAyJlrAVX z8cN2j>_OvB9kKJ+*H7@#wjry2A6l!f-zK-=l>z{NndE(-pAGl|bUF$ie2~(g`~*2O zGkS}mqB_sN)3mp}^@7#mR#pIph&BpIAJnP(@6=w351=xGx+@DsZG_a{VGzb0Wto$* zu9}g%KqrJOMM&vGDZBr@POHN6KX2o?$J=l^hUoWB;J=}j@VeyXasmL~=e-a3H@q#% zePSprrR<3($lb6Z>M!bXx_i!TYpy?cwp-_PdzK@-nja!;sOo>X7irsqOYzH3li9nb zQY;wOsi#Vf*@nF4dGkt^=IV8MqYdAMV+6i?>;BZqQ~!F3_EXN_x7Y7o^?!4zulkoW z0QjU7cml0AVSre!xrWKV_yy)AOJefE_8!~mv+p+5cX#$xc~oWw0f9|5Tn9K!m+1Fy zzj>-qC2xf%uktGr^1*aD>r`oZ!PKfE%Z#yx?}oeg*a0g~fBO`B-U(Tg^9|s?%JVO@t)4&ga-(Ri@ zaJd5jXz9ZbqqS-ZDE}<wABYYQ*5%jgYc=4xa*z$kR;dTyDd^_-S;Bn&A zl{WGE|%=9jzBW?QHCE z_d0AY+Y|*)4PzjgUnefQ+>NCe(T34c~>kxBIM% zO;5J7<>_{8L&JJ1@EY)4w6@%ry`%tOsLTX@gjS81U`CL8*Ig7p`Y6VlnrOf71-0v{ z9Au<$I~d))?!LZ#eN8<*J!b}7R=rzs<+>I3WW2>uCQL2@O1n+f1bl>Q$oG&2f!ovwVz8#3IK+a z8@&{9h(})NbmZJ|2Zi7KCYEK?7(9x{q@bErRmoIUH3P^(>&869C4mvhbYvuKyweis_U7>7z&`Qbu zPqbz;DM`k|i1ptz50%W$N zy}G>0`MJ@A@BHso>w z_uo(cz4wwFUM9O{%006)>uCx}j z-dQyg{kL_wIrM55dtT_IX?yQr`fv!Z#NU9Q0lQLDGz9B{&CbDn4 zjodr$By;s@Bva`89^=kDWBU(T&>? zb|LQsoHqM>cnJWJ?c@KF@H&KSV3X^)i=v96tpBi6wK;wvXP; zFrhhNFp#lwC7CzgNXDvFN=EM2dpsHLoXZISfbMw*Y?&>ad!(jK-L!r z{IkHm)Kp6WKq89{txo)xfOTG$5dP+T9hui=l2Mz9WrYP}wJ}h^F985hJu0>XHu~P{ zqkl&~eLMPacZ^s}w-+sO=Z|QeqCKgpl>&fdlXNc_-0lT~>=Dr;M@RZ1Gv=$zm=~Eb zFEOLb(P^~HKjGfWs~8Zpi^VVa@+)D`ODHUU((iu0rsM~ef;Q3v)0JJxzD)_NT$jI3`B#VS(lEO{^)uEzT6%@OIVpH(+d2qG4aG!VMKIg{O?!w*S#@Xt`anynH zq!ZOOrcnDSw0Qjv;B8WQ`6&QM2@)_1E#uI4%p{hTn+3?(@}T0!NZddJT6}(oSMg7z z9(M`=QZlkwfJJEG#Tj0Jm=TE|Ax_c@90cn9jzcLsJ_P_NiLR7**+Df>224iV&Rpg_ zj4^uM9^fomV~iHyXwc7&)T2oOKuY2-SwN2W$o4xo0Kt_{&1m5@J77iYaytMx(dy*+ z6#hI(+5tBuDM?96Qj(ICq$DLNNl8jll9H69>o@b)fRpro-iID*SKvR&H{s;h|w?`0w2>(_Yy8f_!tH5rO3Yv&- zmp`Iq)Z06fv%H=g00?IOS3r^UguQPciQHv$-8G!7-M!3QtpG1CFV;_=?cFTQoUK@$ zTy1hrgo)pj@c&cN{N(On1$;E~(zLa5eUn>JIyl)l#lLc6y=mb7ry=3tZtLUX{wJ4mwK8-6JaILn|I- zQq=7N^a1byYD6G?U0bN|F0K!#hFu+0$Z^$7C@unF1a@01K7s>*0Du*?1zgDGE-W1B zG1^CY0b}~o12PqWXah_DcX%&8@iM>)!%y}g1p7TEX-HVo7#J7H1*$+b#K`AINyWFl zm%^>g_^bUcmODNZJ(syzTR-G6!8llH=OI}j2VLw?Yzso1fx>Y@I_VF|L>4%~5bm8@ zrPx|SO}U7#M7c1|xKONZxZYeEHeeV28sL?r3LwF?FkEuhtMpfr2zJbxwKFhpTKLPH z9wJyj^5IjH{@5?;3JrFvKeq{e-t6lXXz;M1pn_(4%&UBK@UqQQ*MZdZv__tWMxY5L zrA=ZbY9TB%5O^%KMG;8i_92ve`vG*sFM{1@P<)0#p}v~TUo+e8`h5I(aD0Nf-;a)O zHtBLYp-D6$HZdcnl)n$oRmrY>20eXChHjKqRPxCvZoed_q8CMij**}9q>Ks2k>7l_ zD-NWC7SK(ZARmhf1ex(qmXec0n%j|?oILR~d4&waQU1w{#MZJF*x2ob`RzBKoWBI% z;GDdal@<1kArv8oVXhAfx5wrjJJ;#iOz&@z1C(l8vHHdBz>r%xLu`1rF9@0ppa z>lTi=^!o&Q)uE@4MkBWKr)=>U9sVxfy%dOqpLVK&J1$5@5h4ENFx3SNB_Ab2M8{u{ zLrAb_KzRLvyVGp;7d34MCw2qEwO&tx3HNt5ud!=iUed#V8oVW zhcCdbD=_E>Pkojl7krEAadpIXR=`Ut>r)11S{3$XslC&uC+}Z>NsM+m>m_~heJ?nB z_Yi!$1v^%E7;+B2Ouj?sRz|Jv?rK2=Lt>J}s8JCC1k{_m&ezK)@jX5-lU7ba0T#Lu zR~RT4@B&zsn3I2^W&{36!9ltKXPRW?Y917r70p@Wr%4{KMneNn`>gDJWI}ON#TM5t zzfB#v<_nPuo4N}(WO#u)RbEHeGq|NWG08v}s7sOs{QBKX?NoL5g4aoOu?P+5gYvhV z$0Bz$a#(gj6fd_~N;V+22o>56EPtVWe%wta{wv14yz+E1+B~1>LqhQ`Aa$Q3gpwLe zC@w|j{QC3L?q{=jv#t1bqZT@Wdk`i%T6zPi>*d(bI|D4)5ToksT1Lup9XhLur8gh`N3O479i4CMN;;gGVox z_%q?S0)CwDW>@ow)^sdx=dDVmDmJwUWaNmLLq7U4m_QB=l@2(5}F z+3m!X$3#{_0>Lm`!&&gitf>j6<_(g2Svyo#t(C7Mi{`|-a-c;=nB%P#!=u7<~Bhr4IgatI|Zb`KPminf_pBLwG3R zl^^U)6 zl6Cj+{#vrWVz1Ysb66uO98jK}2k1^Tb!Ws$x8nnxI0%9vnKeKVDd`7#-5#B+>MYvK zOFO8zh7X6u>Fi9ALyy@?(fBjGElXEN4Ozz(!q5R58>dXS=P6}!Fs=;{1aq+No@0tB z4(vRZefNIKaShoe)=TdsQ1!$xIlx93YLYOoI%6vQt)rxT#p4?^ zf$6c@TG*q%&oejZ7%j?K;-ieZ{tMPn?>dk>jpyssl6C)CM)~!83CY3r{pssy^z$V7 zzdt1Sq~J3$27A<1b#EFZ05ocu?(wmkWy*KiuFKIhkR-Z`RX(B8bg8N16+f5i z7?H=uvHD;ShAnNSqos`(7UOo^<4Yjlr^uVRd9?x(VDH|oic3X28S0p(t0Sye09Bz8 zPr{SaI{K&fz8%j&ylMI*QWh_`mpCF+KiqXyu#`y#pH{ab{n{~dNe}o}=;G8^BKwiQ zZqwT)M86-RQ_ig)rioizxp)E$CQ&FEqXKw~9^;35eu#(BrklHe3(q^GJ3Q}1tnW*} z){t513vC+`pZ!?+%ynwKy#3E&RfIs6o+nKoWXgi8vW`}Jbr)9%T83FK{+%__+|kf; zGg?mZxvYlgFLwOm&?k`iA5k%syN99Mf0-w39k^ZV*dAk5TDLSq%>LiP^tOArv|i{9 z+^&IL)bN@2Ydvi7_RqonOAu9Iy*#<8I?G&Md?#28QR{8W_$T>=hoO=!=fl~e+J7di z-8wcsNd!+7U#}}O#{P1{Yz3e#@^>63 zBl%_dNk-Lo?d?r9g@(yLohbeu(*K5+l$-5ZJH}dA*mWT9H4I&0I=13n`j#u+-I(CB zjkMVaFWs{|pxuuIJt+tYNJ6ymK zcp?8{Uq$FpY3KD^_FS5SqMTOJ5a;&|54~p{dRIku5`Xy*b7z#HN2BcV+%f?VUs2x7 z^i(y&-Pw;9!(6pTB6ZE;2GWz3dk3#jP2kjIT*x!_VC%N1?Y!Q=;=joXQ_4gu%j)+$ zALKoGl9CbGC>0_Fbj4Tv7TcJegIj=KkNNHJtp`W#b>${{XU*w(gBa!X_p;lalDye+ z448{|d$qOVbzEs&jK3w`a(71Kd@DXn_FB!ER5XJ>L!FY`ZD+e|9Im`Y!vRUBG}ku& zeOW=NY6hj2|6PE*IZ_(}@xoLO&Nd^Fcz7$PhmN?-=7;?SV+VY4@6%1$TdR@FhgP#j ztlyw@c!n1wKh8k9OH7>L0}8k&84fygwAEF7G)9_Q~CC5OUeAv zJpUGr0nfD9dZL({w=8k}4kkB*$>pe;hEVf>KY#y5r~==yM(|%k$EsMNz9FsnC)1Lm z7M5;CXC6cV1T6(RV6&^OlPZ?|t*2AwSv(vy1eTR$pTNDr_oaT3`OlZ@tdhnU z-_yUHN4i6WbF4K8(B>K_0WOOr8Wd#Zs@BfCS)G0I!?*6=xxGqm+`Q9yv0VT+bF6xS zNjBk0*V8b$m(Ctq)X|rU`+4eqOjV(E z8C&+cP%Z?5a)1FidzD!9p@*UFt=0)DdLC0*GnT*&OnD#c$DzLZ^zAWizD-TcfI-Da zn}}n9=)Wccj$1 zC6Mdr1$k>9C%z6%X2Pl;nzHwlK>c(}yHrz!!irdxFd^m9ZW>lFebD)w~06Jh2y4lPI6SF8e z#P{NB?>Ex%#)LcdnOH?i8WN&lGJbGS#6UC5l4Fi=e+m(AL8NcT+b3pmvtI%GphCDtO<>7&XHAdCB~4F zrjt_Yb{9XOtm;GL*f#3YHyRi6*j+NlmYAO_-x^*xo=cF860~zACxoEUvW2_5GN~3iQUL3#qH$4*b zK_XgeSp?D4`ssNO(V_UBzr1B|e=A>NbJx6u9hF0O@W#{6R>6Z}RQbDIFB1%vyD+oo zc~7vZ3(A+-+uuzC#=0A|E|bR;A4uSjidsB`Vtr!onSoU_D}yRRf0yY{`_pQ_Agva; zNgO%<4Lglsn?2V23VU$j9~g77r6v~Gh-13Mc(+?&Grbp6~F@ex>KQ#5rxqs852l#4eL3sd@xp*xW868sgsJ=Sxmdgj{|(*8=o>S8>213yZk&5~Gpl@3*--gD)qS{fZv21X%?>n0h*<`*e*f~Nq~ znEnXeUzDC<>k&dmcr-S)zH5sv*NVN3fFOsO4%UPms0L>A=_RwR({E>pAgJ|vE#nhT zm99CdW>f*j$zPG6FxS4zfNfx{G5jQ z;Fjv3eA8NI7$#*8#Cbt2dyMV)7No7W!SK*~aGZZtOVWP|#7!_`E`KapWAbqr1Mj?V zzM=sHc&%zQ*zUyy2Tydp?`GVJ1JGgA)hM$GGM(JU`||yj524rB^BGTLqo>s~ZHI`j z5eYs}-?IJP%CFw0Uh>@X0Xl(KUrS3LRX&82J>0~imOo}GACIW(vj4e5S0A<3)EvqD zowT)=$5q2?#!S5>8L%6L`TM5SLio;ZGo|v6l8`a|Y3ex;rME41Y``Wm^=c6H%!v<2 zLesw|nHqfnFMUZ(ez$d+-8`e+GIPoM6X*h4AwPEX`eOqykXKkMNf|I+_-s1GXYbD` z`F*UN?C9)X_-ic^s9i6k;h$-iKWQ%h$0=i8}Hq>vnB!&%fOw z26j0+%Nnr$nH)6~px2{Q=BJ6?FSslgC$9;K1BB7`(%ZY2m$2j=yC z{%~1=J$frrz|U9Bcxh(KyW3!Jygb=NwtTYwt0T5Q|FOZ0)bwTWn^Q-3bvI|ce37;o z$Ktd}LrU5DZ~N<%9lZ7VaW(oP{A>tX<$1q0qJ*I?=6)hQGhrQFmFl8kzbZM!mn}WE z_950jnd`6gazcY&hf{74D{OX8OB{kH3r>e7-p zHbroBHD4CXW_}9zgBRCyD@^;!5{O_PQ^_G=FqwcqdbWyC z6HB1RJ$?Giw7K{YQtartQi}nm>h1WtQjlQa#^{RO(r~|CcORP`7w9t30z9cr^1I!5 zwwdq83H_+jc6#jY9hqfLo#4Tsee^d03=+)7`N969R7c8utoPe&GgRF$)b|&% zO?)+C*$E|q>$n$EctapDfA52~0UjBAEn{?`U|{*uX@co2f6c2+JLUs-4-&*X_ft1=62w>C58+Q$^ZlXR5`tDlQ8vQ9JAWOq-Abr~5M#4K zPF$=R8S=tX*rGVV5z*D67%MRqbC$-8i{lBWq@XHi9UHh|lA5P#8+7Y?T# zBgX>Wx}rOMf<)b4^ZL&SPx<*a@uxo{Q0=KNA}1}WkG#T5cv9H^CD41*#dv;1jNzVr z*1Tuj>wvcOa<%&5Ee1Dch0WOcmU|OYu*Q<`{C+=XD!lbWr)!0=2*M@%f*BQ^7QB^5 zb2c`eDK>y+xf&VoS?u_s35a~s}JKv_7&wNCr;A8nL)1PAR&r|qud2|Vq>~(}nbA>Po z74OplwQ!*O@R;Y?zr2pIw*tM6>saT z7Eyy=lx)A?z>Fw-vYbMHr*#{LEo^+&KcRxzibmWW=@zEH!3<{nRsLGZRgv(q-(JDW zKUd6sqL`rhuVu?0`};=Io{gMmwzyZ0gC|H0FZBJZo)UOtr{L$GHs5XpaW`I%5!`wf zU|c=@Zg6-yq4IGzTXx8tB+);;K=3##_$_yRO3}?@^wvjKo8uVBF@H-5AWCF19dDR4J@06T2ba_%1anJc8I#XcTk^?lRKOfjkufg9@MCIuTV+O z!)24+a=S6m=Hsy@&}w}Vbtu#m3G>?861Ua8#K zc2m?@YrodSeH$=m$NC$aZ+_ZCflpLo_0U^H2pnmAZ(RW{h8Lru+}G?>-#aL%_Hm~{sWn#nHJ==$-@i?v z)^!X)oy~q>xG(zZ$9WOiM;p&2W~<+^M3zmT80#M$g@NZ1*RVb^{8>|X`01gQtd}PR zgY~ly-Sg?U{@H1G#JBjt8M>{@al}S;m49KktnF>yGe;o&rrD37Gi=O=m=NUn-BYgO zvCtbQn`eAi?#j$If^4nhxSBXS?+ZNzUE~WU8{&*vf|u|`+kOTyc9Iy@lt&-KOg45F z1vk%6&k9+DP&lK2ncFh=+PhycQx9B6Rf~4*aK+#|8f$$wrm~GNr!3$ZPX`v@t;V@R zB;{()vaB$wqBJg35JPliO?-WvO*fku;_B&x_@(JM#cb^iEBT~<%paDjd0N~6#UZeo zx`V_1q6BR8I5lY6UY;yH5VpOs0qU0Cb140W5uLld-CMy1pt6^(m zb4?#G!5-_@3?y;m$ktLoCg>@R_l(Q_#lAC|%S9ZfA}H#5qo%g7{dRaU=BO8gT@oX7 zJ5o?t>cv@5*7BvOtSA7vq;u-11=ad|N0Ce39K#fxg%t}QkF^FH&d2T z2DDtk6^B(UZH*UQoZ=?G5;%Z}SWpoE>x`aW7*hoNr$jNyBJegw@kgBz(@>VMa6@oiol@ z_}x!)+ZRrHG;qzEwP=(0G{PQupmO}})UpE}Q`T~c5(uF@yXt;jC|}um=v41Oo@B7r ze@i-j5&DMM#Maeb-qXa)xl8e)g#zP|X>b!yE)--X!+60YFB8}w@kw&VjMHWJwTYY7 zNF4X`%b(9Z8i^t&#AxSzuY_6uP~l3s{CKiL9qYafmLAz{jbPStk+W`3jWzwHwT*@$ z|6eYE_1-35^sIfY4LJ6;Ku`wgU(gmyzdJ-;x%ax}Q94wbF?=6pJ>x*fo&r+{hLRlu z5}5lIm1|B2$qAPgk)VQq-oD+;3Oi-P)!*fm2?rv6L|1(`q>aVxTTfu|_@{w+^O4wc z(wHO)n*wW-J~Ibesoq|cPd0-bM^tt$*w2HnmhBx-Btd#)Wl)Jt+Ddd-%p3-f;;RjQ z5q|jUT0+;A>~>sxVI+1#!PGd|-E1Cl8kYU80IF;jQA=SesW?$y>zvjnGT=9%AoZjUz??hwE z&bb5(hl_Pq?b6mWX&S{se*DIin{XHm6UM|TeUNMnSQhF7 zxZ1`N;@5{i%3pe=!@{EmjTSsD-AkEg#t)8Ee~q+bpfh@#58?j-Yq$55c0w5N7PtOz zz;JA#%MdlY6N%UFefF(?cAc29| zQs{!B`7hO&J(5NwAHI$E7umXNV0(y(6vn4Y;LBw}TKHSVQ<(>iIi{|O^SEPuaV>E-P8Ei@yUdH#Jy^qYNOHwW(?Rq*tn zYXIJwhp+Rqg71-#Y^`w^oVnxQJle+Nno#R>DDDvr((ag4we?QO%TlZYg%!z9AapO1 z))TQp_#`ZpC-JP!ucwTD-`%x)j0B*0u8zp;Rz{#lZ8n0?q4~jkp7PY~1_e+0inhI| z$rOj|9}5mr#7OC|YyyTqw(o|%bUm|1k!;F*bXbi}D5CBXOywRr_pz@|y8jo~amU<% z3A*B>@bF-F7bB4w$g+2JPHcM2J zd{_Q6>oCcTfMn@smm%i#LbF=>%AS<~`=D+D*d2Bs zmL17z73#jvhdJ7hZZ*CLvtz-8pl$(s$QaGcLKS*WMt}tLWw(pG{@Xg%`~o zt4K^S$|UKpwHo&MXZ>i+hXB<3dTNLG#6tAd82Y@MI0IUUCf8E~vbQF~)2)vF5?{BC zb2Z}yIS>S<+^MQtJmfuZ!GR9VfO2w9e%y`n1T7;b9(p!9TJ2{-GW-hsA4b0?@sUsk zp-$OEKW*3}LIAMn{*lmz<)0<_ z2Y?=A2>y*iNpdPdifg8h@y6{*d#4(BQ1YGk#PR6g&h2OCDmIU^^vpRS^YIUPrDO$H zOP`x2V01rJ#9MH%7HgT=f$(r9%tyZ{RJ76Y8XBe3Ifgi2U++Hf2!)Z1R;$TAopD%* z|NAN?GB3nlcCs3P1674R{l)J39zcYK0_L$CYn@hmXk&&3xl_H^C?W4ZIc$%Fs%2({ zg)AqVM9v@$SF<`#Dl&1+O@HV0z+ZLE?W1yI7i2eyj;xND zv43ios&%=8#rcI{K|o#uJQ&z=+#@^f3`C;Frp&)Pyrh3Mk()OVYd`(Lct(orwJ9LQ z3I}BbUdz#Kjc1I{3UV-vs&V_vkTqWtCZa!1n4APY9pqP?^Vul9q_X&`4pXT7;<|fT zn)hk|F6e$#fq=?3C&TN6&IpjVim=eN$QqZ83BFoBani~pj5ppFUoo8;*afhuUs;ON z>&!nHxPp$#{WfZnMNaxIReiXXmO(}?rV2IXE-(ybnW?-Sz|c*E1o_RAK6qVyIiF@i z@<@0M7tApFvtb)!QngLQuJM&iy`epqGJ`386`@dq>2H z%)2A%d?GJmX+8VSSMh>GbI(mV@Lg2c7M;z2;)vS}4D%OT;C;mPFtip-#0FNo3bK5N zeC#?1*vzu{ljh{7x84nqhW;rnPy&MtVQTtFOxsNa{tX0mvTu-NrL$FiYG8KN6{xs~ z+B9e$Rx=d-w24G{IAB+g$~0>c9L#;os-hN~vqUlqQXlUeBxTwo9ZI_W2)#Y*DMHc; zLtPg?Im{qw0iICHYhST-S`UJp4q8R@5kEO$9JYu^1$pmYgctGsV!NOjf%$sJ9{gb) zwrjOmbr3rq{af(~1t#0W%hcoWR9;UC+askY{5mH4o^_Qb1HzegPFDMUy%%14m%G>0 zKkZ;;7nZiqF_T}t2n0$$|7;qrVPNU5o#R6w7RUZYNron_CRAIw>I$iPZ(L2QN=XU= zNFyRj{L|9ZIx$BKIM%x;1oXk_Ola$>z|kzInWx+7Jo}H(=++2@XnfNvCr&7WDuwef zClhLECej7HDB_b#N`-&;wt%JCj}Lo4OF^`M;3Kkfp6gGiwoI->pL$&m zMs;L{yCLQSCWvPMKeOWTtj?sjk=P1{z^bv$4NDpKJmvD&A#o3K^4kRXEAzDI9>J8Y zr&c@IIGcBB-mFND9v(5xI~wAXLQ4Ic!6J6n4j%*$ zMFC-a?|?Ir>9xgkhxOr5a{N1d2$Nn%Mr#-X^hhIc?)=PN;~fI)eVfy#dM!cbToKik zIMsec1VDO4myGl77cS?vsFkl7BJ+MFj@=P!;)-T+)ZG*^HZfv)-wXWgf;m^88T|6s=4@Rj(L5GR^E+((uwyCB~BN)#$+`|-Dj^%C9>*L)u z+LdSO-gsumc?0$UDP1N(L3ZGNKdgqBe~SjOF93C7C$N8ZOP~Q>CMgoU$?fl-(!@Ib z2iw_PkD{%gU1pRV@!?}iCJXuo1ueGar_Z_q4}NN|B&aAQZRLn9Yg#pC&LX8tZ5at^ zY)itn5GaOId)ptC>NMehb^(3xAX68;*5#u7eJU2zwe=^hDOH+F{DuE(DQ&l^-lt?S zUzMM~VUnDCw}0qT-N$DW;g^k6;UUw1uPXCW4)B}T=z$eGmwMs_8mIQ`AgJr#Of2`v z1AiIu{j*u&tEy>qHZ+{Zz?@fN`cSEafkFsh*|8~z^?ziZWN48z> zmE|mryWZHn!eA0BGh%w7A4lU8RzFlEbe|q;ydeBxiojsbo+l>z*~9noYt<9s!5au&VqQUiF1Lo-7l-9Q z$CDRE%($_zcMq#ET{b#Ftw*=8DdtYLN$PBk*+k3--lu3(2w~qHxJK4pgKk?d-d4I6 z2ZydYdJ4h5hk-cUMyJY&mB2z3T1(Y#*LP0cAKe)H$RX-WIK|b+Hq=b{0vGo0bII>L z8k5v*880fvl96^z^edJ``cL6f-*>!j`W!E32zUEh%6kT(Lwv{f`Cu#ou~T9s(Yl8* zqv~8DMAC2CDg1AXe-_t2qc&O5L9S>WT@#l5It8x-c|7`iYz9g1-W*{tLmxu*p+txPdpan zJCXPm*?cXW7ouy9MyWW}D(4UvlHSmxV34KvFX)!1agRvRB zB{%2H+D(3n*7E;@G3`QNo%%*3P`$-5Vp9=$X^=zrM;YZ_62?9D@Y^YH>gwLQ4#sk^ zRki0FlMIdS8raVgE>e5a#psom_A=Hn_&GvdVHEb(&`~4EpyH$g22(EZM|^LHsVmfi zOE!=e5hdJG;w7xoANk@4+lVdp>wWhdA@y_`M=WrOO)UscXXq}l>U?uO^J+W&)=N}O z^u5}oht(g+bjiM;j>nHz%(X|(kh24f8NN@fCK)P=S;znhx5X=-3{SeNQm9NNNP2`q z`!y}d*vEf{i)i5+os#(lJsmLv+!Ri-So9Y$*zMCZidzwpm#sWwpTh#+$B^q~)PM!q zN^r*7#le``Fej0lKLdl9B7LYE=e@_lG-63iWWDc;diVN`J7O(9(Caje`w9=BArd|1 z!wzh^jB36-5+i%)H2(IWU=!;@$89+^jrvKDyV+#rkZH)m!g#G~%@e)*>~~RDS(!!8 z8-es+`Pe@|pNmCkIt$_@kp+t>p>-rw?pKoFO*<9Gsnki-pY*^x^Xi3W#DC(2kV6Be zhGi*d97nw0(tL^)hW{@0qMlp+89U`{f1x=c_vYUtJYIAu8KBOo1%B|NF|=n=F^nQpAZuimokx@>-9yv=rsB42u|OUqxGTY(t$ z1rn2?%B5iWy=)kRmQwJY8iH+QTfgE)>__hDZq)&{ZHpp4o_rSvBG$rWz`tZ@_yR@XX(-(15crHpD zp-H?iI^LzW!O@LeS8KnT(ZC?rZ^@*U^NU}+^XV0md&5~m|74c_W9P;J{YH-4RsUF9 z$-D@MZR2>{==4@#i$&P-$T$2&;@Gb>rD_BS^?|x?YJvUVVPmn3*qC|lEiP4L1K}fV z=mLEmbdR4g#yjWp!(&aJcUwoU3%aWB)=PME2A5Q#yixO&2yuz~>&+N3CpCf@F0@;t zIp$Cc1?*UC#O2Pw+2byKNBWt{{Vev34f%p%hiGtmAZB=Hs+B_Ygr}4{&zIpA=}dQKOEr(XYUx(kn4tkHmllyy* z!LY+BKd+D#8cXGwMJ5&A)||0vE;>Kgz0sZNaso0mE{?|EvV(yhjMc}3eHO1xPH!HA zNeyT7v5aK0NcmG<{!wD7rnj67w!kH<`yFiJFk}ArWaxXdq@Yx$a~)UJ+W2u-n$$(# zGB-1a1gQ1bgCG!&~bWb~ns*M}wJikuGSAF6bFv6ZZys$b*LZ)N`$NlSBw11wrSJ zQcAB6zru0waqvnysK>fG%rbXaUGG`l(5I9`I#5x^dL)Tm7tUn_uM_FCrKWrx%95K_ z4jKM{t!PQ7@qmHfEia6$2LCvH&+mRuNB~rR5;HvVoXWvzq($N*SjI)V0$YCBS-+>D zxR0P&<>1tuW@BA`b$w^U)1jnyKg8OAU)x`@-@LW-nhD=AYP zk)6V`g+h!V^;wOudr0^XG@PT^eK%uL_2dD%Qk7G;Awsp`oQE3Y9pUC3$uCz3adCiy z&V|TyW|f*~`_87mYyRmlnMrJ*^B2X7B8te$uHOL#&>6Xbk@T-jDxN710sO zf5?cG)n5zBh{3Wt10B>Pfqej869j>$Ku&~o*am9zvVuw~S*=b6eq#(xlD6Z)xVZ}_ zQSfzG;h=krst(Za{Rs~o{PTvfA_-yV-2Iv>;%Y_23K2enO7Z}cKK*3#opY@ENK1ZN z-S7Ia^ClQ|CQ!-Dww&UdA)v{aJ=i)v`l{?p`6!%>#}J$$)(4DAW4jRtJW{rVo?VeK zfhQ1WG#X$J=zhOI(?C}!$okSttA+x70`xw9HwuhV`FqE^Pp2I6);DPn{X6ANgpMQ6 zDK^uYm?aaP^kH?Qyk#{5uoSJ!zr~dtDQiG9F!qhWv!!@y&h1@E4KjL zCYY%*3UK`@%qd}9|F8*ug6FB(HEC(O+peZp11yTo*G`>1{I2rY7VeMsmc4>*>vxi) z)z}jTaE~{SSCwk+!Dr?qZ^R;9ckj>np+;92)2;@JAn2uZniaanDOA%N<(%`Iz&n02 zP@#uBqTCenKV3^nZ(;Jj!QSJfE{Jm|9{Ku!3W7IGuoO@6hG*8PW4eF_(iT3B=`4*H zY#-{|2dB4751HzDx-!?3H$v~K;#=4GZgQySyW>q{Fn36l0eRc1F{+9arGt$Ot z5*ZwiMNG8Tu8IwxF+6UCz(c*QWM)X*?_5(&BCu4!f+5BKG`2T{zv6wAn!_Bd58(+e z%IzgDou+zrP$5=?t=r#7efHF_P^cWZSpv0aNu*^`fiUGvV=6~7Ghx;-;8n^rh<^oz>W*2{VMZL+KU%7Rn`lfjP1*ebhR|Id?Gd6tbvURt8ph3);e zUR|v{KmSGOP@}B@2Z)dsydYj14MnAQz;Nun%m?)Ec?WYMQXnihy$fMs@KK=g=e0?k zWs7#>i?J7)1A2hy_zv<;HXit}+1!5>RUgCWE2 zy`H||((%$kI%1G6JqGRs?<=GIR4&g*ky8$4q9x9WjdgJT-fXh%AXq#Wo-&g(f(HU2 z9ENL8$+u3GOHYK!7y@1Ga!(7#ehqRb4Ve_1MmI*2fY2PZa{Yv_r=>WKk$8;kzdT&1iMLX3&H zvTzWj?7!-~pxNLF1_*<~doVC9qKr{r@d68BM(5b(d(2cq^}067gV%+()~&DAHRpyj z?Ed{m1DLaM>-nshiIK7EO}M`XlTzQpgm6$uxNM{jEklI_M^TB!cF8_|f=hPrzSOPA z(z(=SPxMpXjQw+-JIh{Xl`am;E^K4NTY^w(01s;!^ma;-r2|J}+}Xs3Dwq(3_?g^M zTlH@u3VX|=`z|ry#IszTVMRy#8R9m@IoX3rgF{tc81cm$yH|7u@Y46HrNr(a@b^@r~KZIS;3;h1@f569% zBI;&~%$s)Q*n^?05EZ5gH4r&6$y1r)(jELM7&j_Kk(^t;GO5p$`DzD8U?S7!&%+38 zA~GvYN936}=hnW+TW8XsCldiSeUf*QRmKZ3$kX+{u)3H|u|0R(QVD#j2JGW1#pOPv z!S62dAVCfLkXeCaKe1ao&xR zJ{|FA=QumS1zQH$7fqhX${}&<9@WU|mknAD)CFIhOM)>$FTC-$OzSxp$65mnr>N5W zQS>z6$_lu10|lwBWX>&^Ux_Z#_?l@D`&-A^YvMG>x!`lA13i#U^Xa!V{=sst$9Cifs9uNoD~92nOVCp~;6|u1HP4g}2TiNAVF|Bduc$A0}u@ z5>s@20Ac>NW{eJm#RrHWsQG(bgymV2huts}hW4`XRhgH=NZ#>MT2f>ggP%17pv*{c zt``w|R|p{-ybz*Al0=EcK>p1DX=LAb#Zv3J>^NM(d#jx-rsZzp^;*8<^$}l^C83|X z728d}cen)QfIh6~6T8x4%LvbQdy zH1j`<+xT&QeZjEhOM`$OyAMj7}KkPyld4fnJHqA3Qf zHOe-~!eY(v;iQu-JJdm{40_1WGyDUeZB!OMrwzuvHf*G%IBoH5gyBSZ_GPk}35hJS zx5MYF2PmR6MnI2YRkHP^?z0V&+LeT`a+4N1z-0YH)@MHyw&v;K*VAZgmApPXBQC!^ zAF6Bpt%EodU_B0xxmP@X+L~zzpKC{$SpV0%4=2aE%wsZ%lyh-zCU^^fF0$opN>>Nr z@vG+=rXox=l$s1=BvQdCuxhq2Hg&K1;V(PM#XCY-!HTQRCXx%kc465p%ce|!V<+c) z<)z_?he<@Ej{-p>-81j+l=!L#UwM~fizX;`sseq!K}Y{OfiQZJb-&@&$OG%)%8~0E z%V%eJh|Xh)g~2(OpStY!wFWmc*&hP(yGdu-mianZ2ot{pXZLN(vXL;3+HMK+B)XjR zQeK}-zP3Wx8CvgRf(2vt?HikiS&Pv7XWt+390q?q+#x*tDZ47R?qGH;a$Bg4V+}hr zm#hJkiw&Ss$=fV)vn6Gi^uo9t?6C|VvJ1COxd^;rdrEpt!y5n?4!#|Uu051X7H#M= z%OWIGniU!8SrE05x1iGcDlA+VCq$#2v(oiF9=Z0TF8WtwXHvqXkFs|!{OAoA>H2f$ z51#UWXcqBuBSESBdAdGhzZMdyjRcf`=6;bblm}zAt(P*5|1x0z#TJ^Hf4jU0=E^}M zNmI+unX?1x>4D`fg3`E$&1T*4Rxjk_q>kU6^5!skDCw7>!2@$4;(4uP!p->o?|W&P zH3?BZIZ$=R6^8LRy*Gc?c-sGaM~)+*VXOl8@7fD5qPBgu6a>|SyWJxa zsnAUP|JT@8Mb*{CTJLiX2X~5lao6HSi@Oy{vEouF?s9O7ySuiyTX87v+7@?r_n+_n zwalSn+j zo7c7(Q<8N!w3tAlkE^#HRI(2bPx_zT)A_Ga&C#NyLj39V`R3|JI7H~Pd=Rz@y&p_?JKvFeboiXF5w$Bd`-t$an{US* zu#u|R6I!2+0t%M8ipDNd3n*=qd#dI#i<1{XkVN1x664xs@>QsL_ecimV9w1===P9 z%|#z|;g{~o{Fdo6Tq$Dv8$bg8Vwy(5&R?jjJTPVX`m<%%{=T0WsOsQd_O;-z1Y7$( zWLOiph&BohGBOdympnbUcBN1mhQzIKoq$9`yPBc>A;8ZnmqMkh(gfUy_o2FXHjYo+ z$(boTbXOH5W>_LmVCd*K*WUd7D$4_KHfHuu( zVjLpU&L8f`Dx~%l#XLf0!R%D4)3LWb)^`SitAx{VdPkrgcBs=a_8-%zc_Y<=ghowGvsaV< z;1g$NyB^NeB`IX?B_+231P3YbTs&X*=q>1{S7e8)h}fC`+OeugIoM&nlf^56^v^Q* zU}+ENkdLWJ_}~ff@)tTbWDKFEiQCtJsj)BfIB!HB-{zagL?dIvTx}t zvJb*~{Z@hKdM^%07$M&P1TiNdGLAmdjs>yv)&siU-j}HKWMq7mLy82Edf_EEMTl~4#cUJMvdByaUYVU{_GH=#8E2G)|(68ki5LN zn{KLqBXY3KG}LedRA>ej`eYUIKNHas(>A?h=6s>>L8dTg;YVGSq6*63fB$aGh-H6C zrU&1UAoWu3pWmNPnvyimG|->}&Azt4A|D53{if9m*+LH6NW?YcRC^~WX2W8ycVA~} zwJT0FYg-JF-f^M~iRJcUnToyt9PQMTXa0so?M6Vei6>G&wLqN~RK*91FDJ-EfFOFf zQhQ*&+ILBsRqMm#%Bro{fS!S8lIVvY6evj!zb#fvQbv+%H>%c1UMCnt88i%%ROXz5 z<;q5-IG^`!qy!BX`AZr=B;Zqz7TggNhcQbaeFkLQBlrt{R>W`sQ(M=BoQV8J+BVM5 zd6372L4_H`58Emc%8Xz?oIiK}2amU2pmH8fbnfXXh4YTvaaC$nYm9lJkH#?DJs1&&_jQ*ks&1aHrRrL#fAA@+NAopqDB31 zL~u427GMvJL?tES5_sucV{{%&nw*CyaS+fa5t*XQazyRt)gI4KLyXR6W`}k< zEUhS;VQxb0czyE}k2_93ML7EcVamUSruyHzb|76fF8bFy>ctX*as$hnk}Aza(L}(k zyV9b!q>dLs8jO|Dl;Z@$J{T1pZ5@2)CmaAj_wwCaYe4Y3|hGwZlP;&$|eH_q`}&WtWJZw!wd=KZIplBCSSs@9=RP84r)5?-9kz zQYvUAyAJK3{9rk;rRRaw#eN46fhOQXu`y>KyTJLOw&c~*7Jzx`jD9+orPsyzbK-NO zRebMkgI}pSEiYzn!9=^UozwkC@4SP$bEJ2E)YNmBdTX^srI>@_%A!A}3#>6w6PuqP ziDf&RA@=7%`GCISmElEbXP5o$OizcXyz>=t?*ewBmEOq(td;2Fja3Nl>0OG`euA&l zY24pm){WAFpk3~WlGU>ylRzB`7vYA#+-qMFryDvsi&qU=eoScTwY^o*nC^9pr{N?F zL8L&(GcZ`02o>aB`82sP7`n!i#?BK-*|YqW5Khz5jq8VxCe5#^U+B}uY-0VTYGn2l zK=$KEan-eYc1lQ(4;M5y3i5;ROP#2$W}@NeDY=SDZ{t;6^PM^m#8arrALxJvfXUs1 z`?mEw&(+%(w=4*ZLVU{Ii$RV8O_Y2hE#@zLbPCP#gM~ht$T^KVdu&Eyv7~V~i0Axh zAxTD0>=C(o%Slk;9A){EZS+lI)(q3BHn&ik)KxK> zL`{{2Pr+#V?_wlP3U~LGFGJ1+gXu{t+M)|9u58G1FNBtdOV9AV&YFpCH{@Bpqh^kM zE8E==O>#fbYuzc9Dl1m>P#C~bY1t&CoDLxgd<$p9ZogZ7T+oYQ4NsDrS7IU_ZITdU z5=!%<0w$9{OPZTI_*q$WH!)QP2s$q)KVi$iI%&c%>))wyJJ#Z=U|{WAIdmgjC@GCq z!EI;k!e`}4yOb8mXemGv2t<8&5p^M72ibJqrfRjQV~LO)>(GciB`McM8zoN^xKc z<2}^8KckZhc_$W9!ysG?Hms}cp;E+vkAD>)eLXc5C;njVL7iW)1ZXzt69tqAawz)9 z{sJLQ70_@4r?hsizSU6cZ|;E0gLJLevlhy~k&ll(T0U~&b7k(3(Rl1YNG*eKI))vPRxRB}uoyy4tRUr8Z>O!HE}M(u9BNyKt0W=1i@nq|5sEg= zpib2!v*V*(=!oEbATqyp+;J;(IK~FL=*OKUF%0MldVPULvfU_2-!0NwT7=4;30?Jp z3@j|pFaV)@;zpOU7m^xX=d`26{kIkw_=q+AT6KHR_f4##Bh_z70^|Oj=WVX7i4ZlDaiN)Dl&;!`GHXk9t^2Kr%6%LM1eFuyVlrdTa|F$o_h9y!Zds#jNmkbM&7<`pjn=M7Mo5tL? z0to)`-DE%8Z*I1G$M1hPF$W%n7j!m_+zU}eBhuO2^ZNB%dZg3iutdB@_=kstGW*f* zA$jX=s`6QUc{>fnIVQ!@mn6;*IR(K@Ym)hc9em`^8gvs$=|t?@Rq)8!+jq}|Jl8)OkepEdVT0eu76gbf%A_j5qxxN8FZ<4L9o(?+u`0^)JP)qyzx$s zw(5H!4>5uaAU9(I8^G~Lgxeyz-Wp9_O_bmD+ktu@&E!s2bOVBYa@zrKUy;!RPFfHD z1G!PbE$fW=y?F^uY4EC@U&D%yl1o3ble2BGrx8GS>y{q!19ZB#J?pkJ?=!qqV@3S# z=l5&{#8A!>f%kmvGd{Rh;BIWBoSGRVzc$a}5Hc@2Q5(Pncz(HV=N5|EmwRZ_oc-nU zv!1O1?{gBqJMSOEzXS^@07x8+4jBxjSy14N$4nWNI^Xh?p&gXQ76%U|iw^W*V)#_(UOUbX6S(f@kpX}nScJE`g*YE5ww_@ z!~{y857GYq12eP8^6}QRqdvGa6y-fNo$HAVngXK1Nt`X(ct^Gy9bva~?Q`(eXeV5&}xo4 zvLF*!iPGPts4#h{S_$Lak6ZgCrfb5d(S8pzm-HrULxT_FGM0lSSV0>S{y^RaJRAcR z6$jFBr-dlIO4WFd^b|6$L^t`%P)2? zKzb7-b_N9%g!iH$GEvZ%6ZZ-XOq^gP6<27zJHs^Y6j8s_WpcB~ zWmJ`;tR`p@Sh-)J-#QJdC8 zICqC#rXd*(ixlT6*wWAsdL2a;zqid<3ni}qRzLOhi)~GOVP(z!2z~>hh5^TkIib{zDFpFBPSmkpHDj(=Hk3O)#I;=>nZy~xPPS z|JW49SZ&KD)o_0mN`XXWJ@k*`RzAwwSq);Dtu@Q<)u5E$Je>&mYQBXYd$bW2EB~38 zzoI;hqQXoRL&@VRPlCpvyJ{V9A!Y=8vXF&~529iIjt~9vbQRNEGmc;u7=8btMtC6WM-BiBe597+erj*c&=K zFkIH%nVlSGI!SS+p$7*E-?-UE-fH=q1NY-6QcH=0h10Kt15${5QbyePh&XE#+P$_{S(W3Aj|wFq6uk3Wl~ zr%NlbV^7oHK6EVtB9c^W#_wj4n9AQxQdZ*8V3yf{tIV&vYQC_*Iy(?GWf6u^)Q$!B zHhbl$l6t$xqkDtcv1eAa=o1duH+J9|1ByrjD)NYk?&fBioA)$`{%W^)760FsKJ4iXo4d~QWWSaa9X76)_&dW_$U)i zM{riCHKp08YtFMrgo{L+Frz}tLBUY0CY9^`HrbTOIw*0D=x9^Y;{2Wg<$umGp8Ftg zNo_KhK_^S@_?GD(^|icoj7VSp{ZFOsua69VkBuM~*goveA4io`)Q)F$eI!R>xc0(wwvM&E7 zu)=FFZc+STp-a(~KIVgzk!D^>nA~2n1Wge{}cyJ zo;3@vd-X$~g?gEclEf^=RMCH8|D}H9jSR>PlDYGQU2k*|6J-RDdri<~A3t#d$!d2N z6iJ>_ZODHYowIfwWReYs_TrMjK^5mS{`GZ<-4()!clZd8~;a1(A@oYzYPLY-GbU^-kK4)k3 zb!C}_e4QAm;_?`O6ROP!2)^NA-W9mE&91$RVR>^#2lgL?xBi<}NX{5fgi`~98Or2Y zs}sG7WGW-06M+GFjDy{jm3az96pzRF6H)kw2Pj_T{C)3VKIn&|NS@&#oE9=b55XnA zGh-Q#Cz31KpydGqa|hGo6K=xH|jTMgaMqo;cspBuD(s_woWeh)ss;vFtdt=& z4efhh%%IiW6wk?Ul>fv#BDiV1C@-MWgIval*S=njUL^QDZe;eGtjl9c&lrViGXV%N zk)fcrQEBPm755^#H)k}+{v*v7&+a5WsEofrMgkNRyV93-3Gkxj+X7#leH87^#U+dK zOg4`Oa0B!5RO4j#cdsw|BX%i=j>z(D&Ik}<^m)i;MJ!Bp^rmrfDEdCeL>%<|JP)Ts z7}sqwjK8@Ye=8O1%V1Ov0ITFGe|9R4TwmN%qWIleF2JHdoY_Emli8MPdC@C>r=LGV z=pg5eRRzx6=6oP+Wve0u^SSslNsVVjho**b`^}*|;q=_a@DM2h1gFv-`1$oi=laV+ zcZU7%MQjTFs*59FM92E_#`Cq_)g&<%?E!e^-&-)Ipuh6*Jrc$HQUb7P;ckQbBgmD` z4ip9yS@Y;6r^Y{Lk$?AYB%qTt0d>g|*6UaWy@S4s_q`;D<1Ki|vBU7)GKMtvue?Nq zCTEA7f2j_tBc2f<#0-5ED(P4l%82}lO|c~ivbE>awC!j+fPJkLL0(PW6;2T-k^lkg zcU$BGK|3o?(@?GHGu85HfL(O3!>dB4a$^jk7OoouG0fDWp;<{=y-Bs~Ez?f?9hRnS zQDQ6NSK@P*1e2-j79z2>mK>9)T=5*yzE8Yq8~o_2#c-`Zd@jG1C5Y~eRWU4d|E%`y zC^x^c?YMh}h5aUBQb+~^AIi6Rvt$`07nE&95LI5~QXuUmW;Zz|VD76n!qFy*$;fv~ z`;->GO4i*_)-Xs{OHD}V8bHBKt;;mDp$a_Dg{@^)R}GSw237SdvGsY9h%ypysXj$+ zTQGrK5OqI+y8jsVZ{%R?)vC4UsL>JK`OA^=N**7B z96Tgw71st5T=B3wSp|@~HG|dnN)7e|^|j{dMCJ}GL+8%xz6h`Yq8a!T%=iuMrxpQ? z7jY8S%mAEB^I0%)tpn#i_tkmK(CYld)K~d(8J_`DWk@(gg567N0wJIAvRV@~$fF;=tH zJ(3XFmykt)Q#g|zV*SSS1~1PeVL52YJ3Iia=Jf($8lg2d-i1-T!G#;;nMcwZ|NBEh zgXUA+fV`#&@=Z(wl})s@Eqoz0EM>}x&m^i9%{U;Qr!PF4T%9JghiJpUaWwmE-x6IWmlP%Z&JfB_!SP$g1iL77544^q{oz?&vr=pW z)@dy7ZU5P^=bncpa3LN|ZQAV=HX$%^xGC^O?~`JVY=xnZ^ec)?$EMtN{iB7gxsn=U z;3_91zBvB~b}DeMaj*p`4v&~9QL}bxTomt%^SN)fFDMgLj^_=MAelFQQRiwpM-F{4 z9c{Xr8^ch_B1sy*eSp9M*6MIr6dIwcJr}^(aL|s+<9WtYXO`G2IM8k*m~crZE}R_G z1~!359R@}EZ>H6e(=uNJ08=?AXX-+{Z6~Op4fr2}9nMz&h^G>(IFmckrX&0b{ZxLq zQf4S(Qa5y@iD1kkicBHB(G{eew=@# zhJBr^EpRb$t6Ptg3kS|#j}?w|CPs91V$gn;X2K z2&l~R!BCj|D9=Mw7fSNBV#D^gsOgLufwiP*$hGZ*nDl)Zj(ptqH9ThjxA|&7<+33+u6sa{6qW5;%43+R@ zI%+N7wpcZDkl8TB%M2>~mnSHZHGjK_on9ydNd$riy4wsk6HTgrA|{f1Vgl?V$_Fp!o<}>{P-$|6*9iV<)JrJ}YU_Tz>h;1ILJrIO zRK>zZg@YuJ_W*LuDrr@bA|j5jr+d>=N5}FUBhC%z7JYpc@isLKB*Ou4kWt74C8%Y1 zA0|PTFWyJl6(I*e2fa@#M(4Z^L?p9C3X?jD)Ecr3;<92uuoF#L+PfRMX^mV`$<(@6 zpsS0D8@VxrM0Tc_o(s31*W6gSb1>2&(jVIA8}syo3Tm)0N<_Tl_zzaUAe1b_TQB>w zPfo0oJof6b(3u*s^}hUKS-dv#bE^UX`y(!l9395ZHZrS~r=78~&(AjK9Ci^&+MP`i zvTYug9D@H|(z||3x>}sL7w=|=2(}iR&?w-k`F!*~vfO>T{KZ5T+g}_~@wtx99#d>_1GL z6pv$hok_Ph{1rj40BcHOgZdknmP>Dl?eM+LU!6tJ#a?YkqfPlOJ|?ETyI9bg*Eq2R z>q%?QGe31@?8DCUM{)KQgVIC_oAfUBk(ChydYtLy_uV`h;J8XzS^>Gvk#jzvZCU5J zuV>4W7b424;)Oj@{dEF0@XvO*+C;kT;Xl`1nGP?$GiF#ndw_(GTqrMe)z1xBhaVV& zkqda+4KQo-O`M?T;&%bMp;@aUs@+Rj0g5q`8~qvrGcPvB>w2+>Ae+JFMlit{M#>!#MyT{_fAV{vg|Y=QwE{p8^nazq)e4QOyjxkP z5*~oN6G1ZMl%i0FYpGd0A8DV2c=MR!6}EHzEB@Zv^)G2fLh(+!U7`!MK(cv0N{+aF zA}F$dwd744zH*lk%NcOQynJEj93oi|6>(-XEu^^oZQ2d#!-c=tr$i zJ96l$NXpuva2ICf>#B)=ls-40&&+78FKSwHd)v%m6o)?aeHwg$nW+gw97AR z@`Df)0PrE5mEEiTj8O~ga(%I*^ghevU%oLo;q}^5hn92@#kQFPMf5ambj2oimtN+j z>BY@hcRN^$VB|R$L?%B$Z<63-dD;%RJ$$fluL|YFgiTc{$v&6!etKZ9Ithhz_Sy4B z>CWgVCAHQw3Y#4h#7@1aR@fT4VmC%C%h?3Nm z$5P$iu>7^r-4u0)f%N_N&5jJ}=uJxBXHx6oi#XJ8p}x8TcPAf-{V(L@_38HM2Mdn= zzn^bZE~49>8?fBDY+Byo203UrSX$wMN7BmO2#B{GPQ$$RZ4Rj8v&x%_&Adwj+K(?eEyUov;x1y1*CNq^$bo9y9@;Eo3; z-`sYUfk-b0QBWAw1VWZcFarYe!a^;uW8#=ea72DU-*%p(p%8?)3wZj_;26kz8tXS{ z6~v9WMMBsENtg9?oe#5WHWg7j>Hp~CSiWOgMHt6$7IKolP!&U@c(DaUG;fpEv1`R% z^SG&H6#F%mECcv)W5a%OHtHP~g?YBpnjhE(l=OUAwD-{Fi<+y{NQtH7Lw(R*o{-gM zV(X98C&n|V0jXIT(l%Ys#Y?~zl%ZJep8X#VJ!eUr3|oIE_BVSNHS67NzI90ou4PLQ ztl?Qa%V*adV%~An`H3d`1%Q!LjrH9Jd}*KuL^Z$uy@j9o>iNP$=tsg<}i1AFQjf{p&_azrxl=`Qyp8@7LC% z5zo1Auhy2r{Zj}?hB;!^Wn_r*`CwI?X6R>BDiCP_p{#>F&RCZb)lbibnn#Uq zw5^)XUc8!oG5o-;i@s;4@*SuII|wig%CYnGvsv#oqXq^*l)Lg;oP>}*#vJ`{Vb*w; z#4f#YDF!VV?)urG5#Zzp^n#pimF!hJ8aLMcI4}%|aB+O!{xo|n#v%fIv5%w7uzAV+ zo#ufhxon9nCh*|ar2pj?ji-`zl1v*vG)2AS`tYD}V|Z>yT=J1j4Pyz49BMouBU z=zG#Brtdp2sGVY)peU=u01u<7S*3Qm&gJ$mYuPYAP0brr@BmxL!BG*0lIvxnr+e4_ z{KoJgF$J-2V*0HQr>s8gYb!IC8{A%clCqEr9ChR?6Wz~68~1{DiXl^bQ4mBRBBFW= z2Zb?Mt9UOtytJ3jxqXfsvZ_!yZ@&?ibi?KxaZ75&6{Q1+^e~^_ZKXuw!7$z!P0*mM zBl?jaE|Ic6kZ18{w_GiI^;u0qwSn`T9OR~&vb@DRNu{FvZ{t6v)#2CsEiAasa7}aq zB7$AVL~oW!I+R(0kngzTg|(O840FI;-L-FZVa4!aIx2hOS%@a+i=8<+rcBESjIM*C~N?w)nsb{~R*_pN5xZE4mL0B?YZx=d>3BKEsm zM=0l?*RT-W{EDQGLaRhq$SF(!*%c;$8Uc2jGq)g}KB8{X(?ezRg^?2YW2XnRJ0FcG z+$*XX8WY?$t*FL~L%x0KmBZJVBFmb3IR53d$-5#jU&h|mk7RG_TP|eWV8qi8Bvb*N zyg&h?>2~=_T)6a7%F4R0CZHt4DcAY9q=!ev?kG4=ed=;=Y9J;RMp_p-C)EB>VX{H$$}HkFAu zNz7QYv&G7Ut#;q%f)*)I!w|&rhy|wk+l0;jT#wcwK{K_`=djC)hwN8u!OR`c9~+}P z3Z3A%4=VIrn zWCqA1UI{l>bqW>45#^2_h8D{VUVd0{{@^u5MQxj{YHag#%S@g^6%FmsL7YJ2**`}4NDw=N8_tSILC_%NmknmWB5M7%dWKm?Ot5QmOqr3_6*uO>pmjb#bWC1 zc{INI!fDGKB)=z2)dvH%@=CWsc~aB0wGAGy$LnMOhCy&Cj}>c_C#$u}4TOQ*0rpQN z+#mW0R-57?_~#0PEK|{+Vg1|t4(DDV0DF#_;#%W+R%do00*24U^f#n6uS3|BHf@kB%sZtV1H_f3u90h1{+ahWAv7`VK&+ zdZ8h%x^qp7EC9J0=ur^%&I&rU{V^r%xz)OUtt4*KVnvrA--gOr@rpDVe!hvJ1{8>j zK9xXz6!N@P`bZR3-9c9B@X2FFFH_p8t{22-^p%Yle_l(Au2KnFQ%KvcBR~?qnwXjY zK6>S^i@$cxE{+EfJKBvMN*{Uxb-6pJk#gv;&6gCVLVS7 zH(dlalH;S@#+xXCIpiGLL{&(ZnGGR`P&QlfgVwMyEXjtZKw)&8E|7GHbCZOAbg=H@ zo84p%%z4w-#NYe^3s?%!pMPmSSYMOaZ+|9$8BmV7o_^=4poXqWP{KlT*gYo@9IXVj z&U;aqm~U*WOA^0>NwV&r&DT?!H%!? zG>m{KD)KV&YCK}ixaal0^UvlEZ~JB+RX>^{Wr?3l(|itAb-#9uzO7iC5!~$n*_Q)- zgI@0LXnQgjMj91w(N46?v>iCFnu}{4Yd+OJy6f#`)(_^dM0d4|#Pn9W!~kj}9JL!sVt1;Q9BlN>fPv$hW5jj=T7- zPGtNm-0bkqBtg3e2FPmLHT{Vdui1s*AH-E3padkEWGdU$FOr#km7dLF#GF($_8kSs zm_V;bt<5k6(E!7^)4A8#EaBgM$gNnZV%6vdRM;j@ii94HwDd&wT|tJDygV_Fd8)%D z%B3mAKte*R6P*kX7unW?fChe)q+L;uji;68&7`^~Bx*gW8-A4^cu~3K)*``1HhisH z9YgI%{k_;c0{q^19p_F(kbBkozwW8HKq&%mFHVpN`_}UL$qLvgHh2W-7wBc-eJdW` z-nYj_sBS)DK;Iv*M~*ULRO!f{%P+(v=;lK$%bm_^bfQU*mmV>T&#HC!q)V8rjEM9n zM>2}VxKEwXOiPn`h4M?5)?Dk0l=UL z{R{vk#dOWQOR@2H!`ZA;Tc7f`iKxll&hKIi$88WWH9&Bn-|QZNVgk&lXU31At_rI` zsu(9%ry7f0Q%r6Iek$NBY)o-Nar*u}ICwacVa`CBK+HVzPjj8yRSaKw(iNCrcbV8y zT8eG$CG3#+ z!$M1$%p8Hr1X)CRgFoqu9xE3V==2dJ$VAs5ufR2|MOoHUMy+qV*f_4Gf`qBN7QQYp zLWVW6%Qx<)u~NT*@elxBaGm`Wf-Sn$RlmEp7hPO!?~S9!rg68d$;4+ezxwp(Jr731 zjeKeIdIMA(@sJLTI#x__MvbdX+(V+eZpetgR`?zmk)LcyK#$;oR=CM|j6!N`QE^b< zYjbKku!tIwO^yj>fJz1*vI(mtos(xXm?;$Hh)Hb!9w%KF@o?MPDg&5(v56X&Mp+Tf zj$L)_7H)ieo319ZJp_)1P@Fe+gPJ7gm2`_ruZ@BN!J()E05OFUE#sV;-xgn7+w=Wp zf~T-Sn$tWU69*9l&uG$Ei(h3hoz)z=%D+a|ZvCB7lWg>)b+v)i+o&M_xzKMc>-tM^ z-?k2g()!=xvZeS|+Yh$^)!1qC;dd%vbhrrlE z^GNh3+7@wxgXC0j4!Dpv0;}>jYQ;*7N(N>OctP{Vko*O@S6X zHZp|=Jy1p1Nefs~4&750=KP5f?)YQWZf@AVC#6m#OOxkpm&yR#KpU6Nc%>^JQYRaZ zry<6+$$}YsjZc6}q`~`Y_iiSPSG)JN!%Qaq2C72+;?p09sm;mUlCYn^eNmqzG;D*% z)EL7x$^#XJ$}N%Frf)!{E4`DS)>pf_zU=(i$JTv!3ZRRj?vwW63K)na$M=U_P`}@6h67RK>G1Y()P+aEh=ANSoJZw7)==91D@M%H)&N zcC%US&yj>~JUg=`5ZlWf+%-GBxB1CEKC90Wh(JCaearfxygm(Q5Q?k&Z|K_jSflsa&;z(2o9g(k`XxyZ zN1*(=b~k2sQ56XRCTrp}Rutxb;TwHK{q%XJCOAIIAI zUF;y9>iSjzuYKsF;;3MYz(3RE(nk6|x)iyHq)$ diff --git a/rtdata/images/png/rawtherapee-logo-32.png b/rtdata/images/png/rawtherapee-logo-32.png index c4e862bb8c1d9bd4a15ed08d66b1ad84b936fd81..f0bfa57a152df2869f766c4fbbfec32080875a4d 100644 GIT binary patch delta 2654 zcmV-k3ZeDQ5atw+BYy#eX+uL$Nkc;*aB^>EX>4Tx04R}tkv&MmKpe$iQ>7{u2Rn#% z$WWauh>AE$6^me@v=v%)FuC*#nlvOSE{=k0!NHHks)LKOt`4q(Aou~|=;Wm6A|?JW zDYS_3;J6>}?mh0_0Yam~RI_UWP&La)#baVNw<-o+;l~Ji5r2j#F;h>Z7c=l2U-$6w z^)AY@ywCkP`jx!N0G~)a$8^IY-XNaYv~M{K$3L|nWrS;tqs!_g>by?xO#aXS?SnHnrg~7bGlIA+iFydH30!fIF zQ9~IOScuZ9k$++$Mf))i|FGjvl1nC68H^kYs6vJ0_`(0+ceiF?YSK*##(?e@+x{2@ z0=q!7Zrk6-w%t4d{LjFZ*7jE$!0adK^|lr{0tU8$i|e)~?*W%Pz|fN}8ImLUX$pk` z@P0<$lmiBDfxb1jx7I#RAAk&XwR{5{90FrS%3k+)cYjZ3Z~vZY_4fmYt8%Y8eptf* z000SaNLh0L01FZT01FZU(%pXi00007bV*G`2j&AC2_6dfG!;Jp00?zSL_t(o!>yNp za23@R$G_*^ySs1S%gcND{Ywd<2^x?H5#sQxg2gfwqn(NtMPr@vSEo9yI8#PuoX%9N z{bB3WX@Bi#XB4JI#%Zt}ZR=oBv`EJYQ4EkDgoOMefsl}wm-pVj-M#nrkC#BuAYk2@ zyF0V9=bXvJHU{7a#x=(#N>xqt{Hi-E)#nFMZIrYk%MI#Ge7g{$Bw5dqsCX{!sbto9l8b zBQ}###{QKQq}P5HFe4xJNv0l44vRvsnasgechbNK(FDhjtWk5$|Tj6QX*m)Z!`_H-}iXa z{eJ+OXR_fly<8buy1sGoD{tIZxV$hidc+-W-y^)SQNbi@x&WXpa9EIRmj2xOmw%f; zkb!It3Ua_^fX(4o!|}34!l@5>=hmt~76nNF$l#Z)FHl%zgy zxOqtR?mey5r{@+KzA?`(4Ooo8GO1VB!che}0IdO~p|yq_7-9DO3O}bXYsvQQJud)A zGXR(ux#fY1+(prr(?>KZVw^ZQ7&tftF}yDd0&PaIqcq3C^vTAJvFGQ`OMkt)q{c}# z+~}kls`rj9+4#r)>ptvr8ai6Hl$*t6DohTLb@W@j912b!z?JPfl$0@>n1f zlz{{T1OrXN$hPC$HVwIHQ-Ae_DS+(bk>a}d(*4O%C8Y-Qr-Dw08Ax|DZi)Zu>C63E z?|u5r)6E@D7M2B$%Wu^>LP7)kp@V?CMC<$XPevo4?C|EU{90VIp_}`ij;ecw3MdyG~jD! zZ*t2fU6p-}0RUADKvWnx@O4$m7$Ae761 zZUE3Kmwc~OXs;whUSXIi9=!ZLZ z!xNVa{@f01tzCrgTw*x|i*imO7VPSdH35io0C19VyKwo2J2)vnHZsh?7{C~aae#4v zF<@TA!LoU4X@A9SH8^|bWAt^6PWOG|DpWrDdwQ|7j{VROa0*R`nQO1iPo{##=FQ!| z?CFsoO_hG+`k%brlU2DS*z)=gE)9#p4g$6fZ3m$j6*;;pHvqu^&H*Q(F!qaP_%F8t zpfxtC@2{d-9s;Em;7DLuSUa^59r#Ri1-?M;doPh#y??rMHh|dFK23X!8~H2h*H~f8 z9Xr`8GFjlz3-TRZ5uNO60JH`SrjWC(1kurjh@xgRjH1<1(vAd6N+2nLV@VR0hI6ew zEfZ|En@HK_wrzde4j*>kzUVxV?)~H=tE%Rnysxh*aEJT7)M%XRg~g7ZlOKQvpmZj< z27rDa`hT|uBmfCGKG*_5J`s4*&j2KSpm~BsSi>m~L4fjH@M3fK?vaispB!!g;D7c= z=8x_F>w(Cv^$+E*UMZ3+kw}$9LsR`6dUEzk1309h{=ugJAc0aqWeMU_!Ka@89VanM zMB~?F&$134Os3ba?OF$*?^0*N!B|gQTlVs$^?!M5ZnC|RF+Vkt<`;rznuVs<6y)KH z0JslX8k_`}HfroV_uI2(n;org`jJOYJlNYS-}%B*u^j4cjdixPhiez!Rj_KI6%g7T zKNVwIYRW7@$_M>eKx&!}aM}f{3Xx2!OdYtAsdc5Z-FqvGjrNZd?qiRhXxP8s-F-E} zq<^-2=c_yO?ySE~Y2l3?9Z-YEhlP(5QX3D*0ezqw-_Mh!TzuEK3_^-dLG`mQgT34%9Z7kZfX+xms%{r^{n8ourc!+}l$b^JH z?!)MD(-qxL)1f~N?K-(H{ggt^P|IOSp=ga{A<3YZnzXG6y0ONj^ zF(#|T=T9MkY>E!_Ztm)A2k-@e769Vg1{k|KYxcqgInx&wu=@N=-Vtz9swO(nRzu&y)>J9+<*8wQoQ}L&bvoar>p+KWOH_wQHjz;D& zB2I?!mO9LP6tTtk8G}#+Da&)nlq{-ynK*o+vv%GK$A8xXxb{^5rXH(4w6!`=Sr+L# zuXkVhfD=L5kv%LiKvpwTKB}lN1Yih&st%c3ZlNORK6bAA^t3r2J`3RD zy+U*Z@d@vI@6&B%=~Iisou3)qjfdUTq)dSu9BwG^P>WVL!=myy;AMA=SWNCZ<;KxA zy=Jmfet-1+32y?(eGow4rK;T<#|Ni{c6VQt7up(0f-n?0XbvqLj-9I#k_g~sfS*ZQ zzr>u5Hd*~x`sBTDm%jqQl^Ax{GS10c^{d5?u6?$puhsgf>6E*PrqKd0D=5Jf=>mfb z3S6MXFSzsZo!AP+!W0h&B_NallmLuKQKi~4NPoDv6;Vh^vR*hjy=0)*xPIbf|LKud zpmcWe%AaVCz=w^;xC#zNIN7IU^L83E6}S;MigXSVvNT9ThcqzJEfZ%>d`!w3w~Y*i z$1}}3-NIc&q0cQXUI!q37{F6`D;8xYkIOyVbxy#ROeG595bvp(yn~H0x%5B?CEDpk zHh&zjbEf#B1L?l#!01{oYOZTyqvfI+d`x1Z+d`1t79Y%WX&KCF=oX>z!ADlF%%6WR zKvGrC?74<8Wpn#w#YH$&aHvFqN)#yIq}DZ>H!*kPXJ*rP^7~e=pR4aVD}jgr`k&s^ zRhRuj>$-nm)oZi@-iiQIN7`fd#b(M0$A5x_#XpK`#{nvOgX6|DXdN0HLhgviK{zC2 z?9Z}o&XdvKHr%gpO#fX+eO$P@8=Ds`29Q4lKnN|ml$00P zXZ3sDV>(VNw%yKP8-&>^QG^Nwn$!QvAH(Y!A5>bWFTHjq++%MY>>R?P$)?FNV}B+u z9B`Dex(cn;m6dG<0EC7Batc=!QtIN-{x0Z5(hI~c|tSv@YxCc0O!_ zxp2MbuQcY8GO@H?s$7K3R3-qf|^r`t*%B>u@i zF(Eh#&kxlZRjMQ)6jtDCHiiy>A!k7*&+KvM6lY&}`!#A3&fxU|ULVB7EKQb-@_&FU0A~PKfTS%Z z^p_+gu-FeWFO8_01H`S`FOBLnnb3Mw2TGZ&uh*_tR$hD@K-<0Du&(VNTXw_GkU#4Q zi&%pzAWM=pndA4svH{BmOdGH?2hJ`A1{Ww?M+U&UO*nlP5Vw6{;`;a|G49O1z|wVy zty?=^jf)RE59n9wE`PX-#@D1xd%RHLmeHFeEm1gn`2SSeY_LCY*Z?d*w?RXU*aBb! zHW0Uy5u*46j7L(&I+CQi4;<+JVEy{8Ujr~l1OO1}`Q+WEFZF$N+?!k-Go}Y@o!O?-Zv5<%whc4Kru9EPn&gao-cs?eS&!;Pz(! ztS6_YeYYYbDOJ_`zw9AGNIF!YJnslN=NW83#vx3Ibk7|CNYz7gv*g0N%Z7=(-o>HehxTav^T2pgce9^yFQ zvNAo_UN|m~jDO}T4(|(pwCL&Phcvo&swwQhn`R<7XY;D$78X`5_haO zCM?4uL=bRQk=`^feImoFPYQUvsS@ZpAG>zw)sF24xAtxU(EClVW)o9atb8W;%z{~- z{EHb%)*Aupr9ANiLK9{|r*$jilGbr{cX;2Yul4Q%&^q*OUrtj1RDz%|?YTgKTC4^M rAdN<&t7k_~D}YM?&H{+y|7H9K800000NkvXXu0mjf|9a`q diff --git a/rtdata/images/png/rawtherapee-logo-48.png b/rtdata/images/png/rawtherapee-logo-48.png index ed1841d2a26ef6389171a2b93484f463320be49b..ef6ba64e1f872bdd098b4e9cf9482dbf3632e507 100644 GIT binary patch literal 4255 zcmV;Q5Mb|#P)EX>4Tx04R}tkv&MmKpe$iQ>7{u2Rn#%$WWauh>AE$6^me@v=v%)FuC*#nlvOS zE{=k0!NHHks)LKOt`4q(Aou~|=;Wm6A|?JWDYS_3;J6>}?mh0_0Yam~RI_UWP&La) z#baVNw<-o+;l~Ji5r!x+Q%|H9Gw>W=_we!cF3PjK&;2?2mAuISpGZ8%bi*RvAfDN@ zbk6(4Ay$$U;&bA0gDyz?$aUG}H_ki6e@tQNECM zS>e3JS*_Gq>z@3D!MwJT<~q$V;#figNr;e9Lm3rVh|;Q&Vj@NRF%SQ+<4=-HCRZ7Z z91EyIh2;3b|KNAGW?^d5O$x?E-dwSi@W3rJP6ODe7<`d zuNY%lZ(Fh+GnzYh?xVZ+heonwOR~XE=&4iP_g2mA@9T5U?Q>3F!ntn*AOau;Aey^p z14shM0FdW;va@X(fQ0~-e?2dM@kO!NoJ1&GR-o%<9_JtsQX)Xo_r3OP_UMk};NI7V zQriH$1z-n&;L9RVU(BL+e82XFTb7l~u4&ZwyJcFZsnOJr43t7o+;tBm(q_})f%Y|T zcdYGm-ZTwQ>p8tgP2wvqS`{B%nBjQsLvBvx3x2K*W;i3ljEsJ z0eI(kR#9C+2w_h9x`yz`zwX)oU$1tpJQK6xX8``PhwFZ}@!{D&olzYwgYPHZ zW36xd$=2qG%w%;2P8=Et8ikbWX{vKd0%{ibP{|Dt0Yn7H(QvR^SH0OR)fUK->G|4K zU#+gT^5~Y$@Aqy8&~`QizV=k(FJHa0{*HnOH`P#bzjN%5>kN@j8cbCjG# zgQJDz83oYn3gsFTgCFUcuge`1IXd? z2M5SfhS)-Y9PbAv6t0abXvD|aKM^Q*Eozl5%7jH~%+B53$FznjzqBT*m6RA4zxGy6*ITq=ONU|4@lzH9LwnHgzLEXInupzWtNW2{ zAHVzpSU-TmHwJ4Sx~bsq>*nUIO2l;&fr6@3wu&i>0yYd*s$mT%21o^P1xN*NM+?(x ziq(}@R_R4WJMZZ06ZehPfObRuUC&=sxgvis+n3#UWKW2LlSVve92}$LT+hML!7U>S zZnrx7JMOZ7v*OvH>DLZ|)MOir6Cm~G?(FYBI+T8McCER*YL;QBLb7rZ5}^sL9aeW;7V|xa<4Z+?-UIj?WvD_oY?)J^y_4=C)&jI|k%1 z5jOm08Xo6}agw5=HH%=-Zk%De0G5vuh?iWmxIa>5zOQ`#N;XxnNejeYE}b5RtViTB zFv)X!Fb4xC1_r{O^oMKO#GYn+!S=!Kp!xOpht?<>1({oQ25_dxM3xl_SF83MV}>iV zvaSLZwDPhF*Icn8ym*8FD=eBniKKjtJ{i|D#`aW?6(#WHz@37)bR;x++JdreciDObU2!ksfAW~^h zY8u0$MR~IUkOm+Uwi4xl4%f}FQ+7{)x(H?$Nq|dekm@{0C+v1@_h7f5ErH`hs=Z|} zxwUSNS_E=TlFCp5K%j=xe{~X`jL!f;m^H28rpPB&oy&|XsECei)z zxvDI*_NJPlXTv9NtP?h02!Ifa=_Y^}17K--0YDm*RN*ttM1^;x>s%4o_o?a}tMaMy zQ56OV`S~0GEH;{0G6pb4_%a$z0h=bfNu#k)ItYdU0*JB9na!xcjcHZq3jeGIs+w}; z)tH``0}xUv0RT1wko3Jl7X;{f==3=JqX25na7<2Uc2V+zY8`%gM0%x`CZnOSO3he;rdSQUm?#YB8JuF=ddYKo)>fDEM&Y5Rpof zkb}?=D2<{K76gPHJBId*#zKQVZ+vLW7B{HK2ssCX$yqKRN(5miE<-{SCJDhH0ze2L z2!KF$iPk#rqpyu;}w+d17=+E)HL;~g+ zzNr{l@i54<_8;gsbH(9N0v`{wHn%I&M1D;JNCavWWDYcqB_wiM2m;U*7nRX7FE(NB zC1>o^4GXZ~{uk)o*la5O9Gn#>9{|wQlxzp^@z{JoX1WiSm0o)5rDk!JmhEkK9Xq3e z*oo9`G>>JuY>GiOMr}1MVxg=ePK%a)8#U95u)BFbyliqJ1d%urxBopoaN`fz(-kwQ zxZNd#DWuCx7^l}jJPTG5>hAXFJKt%2+HtV)XbSONuH5>@v6n6joWg3iob!hgCGsrz0tf`)2f03X9i%-3|82qt#>xj-m;*jMM*tJaD}7{r&`0(JOCNw$G63}Q z%f~Z2cLonlRTmma?S6;Hm;J>Rp{g1!Qj(t?*#D_MV)yETGF#RcTjRHPHGaFN&pfE- z49MJRSWbil&DO{ZapIG6B6(Oi1RGso&-&%1y=$erpP!yQqxmvmBf4>?6Jo> zdY*i8a0P(AGp$Y!q?MfaPKiY6k^AArve zldAx2Dgw8b)}$}1D2sUkOFjQwxA@6Vj$IF6_vbwyXiaU|u#*y1w?ya8HKVn~dNis# z$<6^%Qn6E49{?Q;fc5%B;B!LN8U-N@+Nk-A5ds(Ao7RwBUR@YLpxD1Ze^jhm)p;X; z&0q9{=Frfl4etq4|3-BFyl6O4q!-l}`=USXXHr@HWCDt9_Mx^;MF0^6zc4~499a$b zGxCa^?>5$}uM|YWnUtU>AMfbB=f~aG19<0b&&b;B_cpIfx3^v#nLV>QR8y%HG?Zxt zrBO#FGl7$Kwc(PclwfNJvYSsu!1jSeK2gpORB<@&UOj!fe`#$=$kMrXWPb+#cwfu* zr+?YM0>J;B%VSo9!r^-=SFirNlACUdXhlT;pxnNpY^vor23kMOq_WqLs5Wae}HW-_hz2>QRmNHTRjTE{Zk!uPuJ$pf1vWNyH*w~U#=S! z6~lMaO}3xCo4d9vecNY#))z{u2my*1Ia)~LM!q4)bTNa&iUJ6_J$&}|pugdX zuHUva`wxEJ6Z^AC;_IlW=#Ju5t5(LAEvt!CHMv^ln^P)}(0zt$T6dxdr0>TUf^S;k>?m4Hs_m6vLyvz*4 zOU>5ScGXwi=ia*K{(isj>+bLCbAbPE<2GKjFRan$be{l#nE<8|(6l@rZ&(nES8I%$ z0N_hu??@)Q)(j4O3g94sy#V$B@cx(tIDkth>s8m>K5^;dMbZ3(7PBjnFpQYRm_F7I z94Wm%&rP<^vU}g`89e;N=A#=9^m`isd;~y!Sp+zMg*TQj_{Kdgx6GSe*4j{}TVdgU zVDtRC000Rgd`KZ6RY74!1~?}$Zoq)AZe@&uoDaGpv-|Mik=5%DZdkLk?*kivXt6jm01v*O&O537cDQ@BiDZ%?pVuJe$+6FvfMxlZRhCoN#4M_d zGDHm%Cc#l~-`LmJe$S8Jd1h~i^C*D+&zk@NSoWiqzrOFTrd!*}jc^3yDckOH2D{%^ zPIrgJBtyNk&g1HYIo^%bLT;-{1mHu`q&f!|*Adl*Em(~DvR>-37uvTzu==AP0C@XM z!{KyIGl<{)@|^#;|Bgw2(iYN!mggn&Cyu`E4IcV$OJ=eLS2{81WJ=H1)e&tR8I)?% zB}~#lAPl5+eAuBOB^;`c%3!4xns<41OWQ^9w&#D>(Jd7|I$r`Bfcv-4UH_fMm5Zlw zVk|ZIVfMs%-=hY4O@c^Qvb5^0`9;0Ny`W0!%0Kubx@F>COf5OBxIb>g{^XP9EM8BEcDlUIeXy zK?jEpP(TFzw;3SE3{5ph_c1}!i@*U^?1=#BGrZSnfEzh#jiaG9SGHtPXx3BD_jIUn zJTV@D6|3gIbnk-NrPDH+u8tpiWdNOT$4^#VFM`*=l@3Bcv&0FP&@;9dt~5Q0a{V*l zK*19wmcR0QM z;t!+Zd<+81?z?o=qM%+L?sro8*ABc9(1=5W21y$GtyXWIptxO7T?dCzw4r%0fdSkf zO~53W3@{jA7R_KFlL0{{)B@92<@}^2*xPf+QaPEgs18O~t(tRNF?%R z%xm$W)b=Agq!QpdI0_^<1T^-dQD=6um^}o%5JpD95Y!c0?E8RBDV0tsl@@?hO=b}| zolGLY1THH9PbHg^@VLACm;|_5u&`$G4cAxPF>>!3N#LsGQ~q)$W2SyQ+wC0bJ{Hix zp^-K`Z8a*AFl)^o9xaei1tPv8w?hoB-6Z0FHrLL!#&VhZST56Wm7Tp{d)oVUXIi}K zYs~u$JQr%V<*7I~N9~(MnDXcmOZK|?K+rVrzGvFC0H&OhK&8=i-K4Ua6FvC&@c163 zfkP*L68NDW;Ou3i+U({Ln?pyp%?$^G&-yQDk>AO#?~P0Ek2{Nb^u z8}2=P{klErC4H{^02ULNVS0!$YwSI5SZMP09+LparEN8n8XNR$PDP-8N%I|ZOf3{l zdnxC5_wnJ_9|?Xaq!ejvy;*6#h18nwWu9Dod+y=4PO~wp6%TiB{reYt7Il@;Yls%X zQ>pMYD!~zlJ~5S}^5uzOb0edPbq;*;x(67rpeDAPjyHQob)l2|Ew<%8xRA# zzMFaGj_3RxnKMnm9^IVnf9UBGU+*9EKO8qH8~#u-(b1Qae%6^k*JuVXbu0qY+bd>O zJRgqgYwY9lFcWTykOwjUB=9As;Jf?nU3b0bZq1%;8vN*s>Ar2dGxrEFRMd>1z?DZ4 z-{v)WM{9QS@b{Wb`_!5;&8q-#VQH>Y_&Kp=!%W1KQaIS(708p|V1P+VHbXg$AXck1 zBoyZwG_DcHfY-D3R|Eg_&bd}ZH{IX0<>)%=_1ZGF6r==MzKcknnBgce&s0+B@D-E* zR4VBJbt;iCVgQ;(60oW!+*rq$$$ih3Za&Y3zRE+feI%`YOaSB|3i9SCl8uVX!EF1l z&a)zvo$1Uo6Q;<8&~i)(8GtANh8QtOxOr#xq!0?l%IAim0O4g_ zrBuZThtQW?E17qc%=MiwftNPO-khV-XH;_e$^{69$wNcmuu&M*>56N0%8M`I zj6|I(m2ib{Jt!ZHphl}d`ZmN2i&(7Ud@(P(ni4^aB4!U1bje8zPV!?A?-q z^1(GjCpwj~g^yJ^bG%FAg5CV!-18;y5C4d{6!#nighMpWIT0~I8V5kw^t8E|p3}zUH$h%4#25iC=wM=?7hH|TdBw_&zh6RLdCmBWI#NY^`7F75?<-8Uh84&Ot;{9z;FCQY9I zb4>e6@NB`~`7M+!yb_OS8cw}@GUyahL0&H{-k|GBIo|&LsovtT`pS1-K%0xen*l<6Kjn@sAT)vT;wY^X1O)*8rSM$K%xWd1dnJbf3oyxKJ$ zk_R5A`ActOFNkuw!k4fs4QO<_1(fO>uxMalz)!DSdFZLZLA7Np4=9o9*qAxC_b3b# z6*K2isrv9eKzKzj6ihW4SvA23K}evyvW=G9u!H_{=NfwWXDiTzhT^Gp5Yy54{TJxg zC*Ngj+peR{MjSJ90@#(I;5#X@PrLTBas~jqc4dwpJ}ftmJh&=t8$15%r(cWCysE{j zonTe9Hrw3?KMg3(0mcE&0p@`?hioa!s)j%Td|?#;xMrYc!cA!2`&C*<26D(j0k9C1 zQFze^%)9_xA8=*Cwk0W;7s$;mQ-Lu(LA4IZv}{|tt5$Vw1F&bjl5#Nf-ujnQ2X}m; zOrq*VUm=Y_(1^L9CP%WWAsm7)0bdkN0-`upTNM}>f(RpkFaY*e7BcGtIWgKc4p4Ag zFWG9;uBi*KDh7bIZ%?(aTbKLw$TV-PW0j8w54<&}YUyoFdZH{8sEFA8d)tknxu7np z&dBCO7(`>%upm1RbEOHP2(tKh0yyMBTO1(Ili+y)*aC1$?1L=nx`5prE?Je>WE;#1 z^!53vn{PhwY+s*xVq|JC76Dggdb<&f%!tmO-(XFsF*%%U`qM5$&8o}Fmg?{*N0(mf z?H<^(`Y`y{o#cdGJgjkd8Q|G zM>Bgi2ZGZtn-plBTpes}v#B8wYN{~8Aw84o7~oQsE&xR)Y`}&2paChVRDD(K2Ym1;7P&$}8#xac zba7`>tG%SYETjSK&F$%fix(aEccrkpD8V^BA8-L|@Bi)7<$+nVY--bu$*4aZ$Ne770dMtF%OY%we|cWs`Ox&kbzy6uqgB z0eqN@Dd9ye(j7^%DOPJ=*U~83>dUO4#x%q5oubb(+1^vl)jlAn7XFd+(bXo_%oxkH}=NA5Z8tdW-_3jr9l8mY(0|CmY+HUVB@z`;A}p zyq!HNUj?ugK>m;UszEb=IRK^+QDb;Xq&j$YFw8j92~ffpUUp+PmD!v*R`ROBE&#{> ux4bJcvRMFvz;IfS2ax?d-i`P_*Zv3f0)H_w&Ur`x0000EX>4Tx04R}tkv&MmKpe$iQ>7{u2Rn#%$WWauh>AE$6^me@v=v%)FuC*#nlvOS zE{=k0!NHHks)LKOt`4q(Aou~|=;Wm6A|?JWDYS_3;J6>}?mh0_0Yam~RI_UWP&La) z#baVNw<-o+;l~Ji5r!x+Q%|H9Gw>W=_we!cF3PjK&;2?2mAuISpGZ8%bi*RvAfDN@ zbk6(4Ay$$U;&bA0gDyz?$aUG}H_ki6e@tQNECM zS>e3JS*_Gq>z@3D!MwJT<~q$V;#figNr;e9Lm3rVh|;Q&Vj@NRF%SQ+<4=-HCRZ7Z z91EyIh2;3b|KNAGW?^d5O$x?@?8O z^xj?j+wPe^s=BFex|;^UIPd#T_q|o!_1^j2-}#+;&%H(X$6Qoo0Ki4|mOsepz6=0! z0L%x_Xb?>;C#s2&C^ZCyz+jKrO|t6iVs3MpTL8QP;1vMP0G$7i08{{29wK?=!mzb; zd1ZOU8MZBI%@E>-fv_eJ)g%nc-`-_LItY*n0(7}9+MFD=rBdpNo{pXuGnp4M0j~w{ zIDoFVGXMg>VuR$T-dDL~#kCVJh|Vu-K%Hnx8o_J!$$X&KppplttD2L=IBRLdp+6eraQA(0B!BbNk*@>zF@WH$03dEtX?osq&bo=7ZBGB;t%l0E zCP9E$fFMxrHK(Kg`pAjggcpf4PZkjb00IUS144IbeuGQzs4-zn1BO6GF&=obg}?ai zSJx%d>P7&aCvqR{1f4%)o;l~~-!1(4qAP1JB|}I6ic`tG$s@a;(y|@RB(n)_zrc zr}zAcfN&xJoOgN2Wl!C=@W1NjmCOMF2!gcJaq#I}-~Jb)@O(+EfpFAB!I(lE^|t~D z#JKKc!RLhrK|n$PASze^2;Y;~e#Ahxo2F^yilS21O}25_Ws@p)xAd;uwI}^o0IjDI zfb%XYTe|kw^M77hZ%rhCk;@)Vx9xn0y#6DWV2$$5ib1D~jbLb|O5`+dA0G=EwJbNt z5Qu2daWTMz0vG~>&V<2RI|59rbSNG&%Hv@yd)Gv(>7}+6dk*Ht1;Tg$n0sO6R8Xn3tS!o*o;l~z3b z`?fibgNH|(IgSOuXTLiCN4H!&X$1jyI z9KkJPhruGl!4xAj;AGzCQRtt4ll^Hy!mkcu#1Q_WE+J|vv!c{ACe~SqR~a)NTi4YK z;BO}a!1PONKk(2^XMEk1!a&-~I1e}dQFvZpXb=!2XrG9hC6I|4&Y1*_hESf1s6Qkt zz>{jrm;ms*!uj|gMt>rJj-@~Q4Jz+EK=}nVi{M~C>ockYvUEASF-9#d$;Gd~o_+*C z_ecwvVux< za!mn2BWHv{I;4=4!Ok3^S06dw$Q%|$!UcrKQh!!;oKRI98*qvkN7qFRaDTr}vGSx= z88NG>!T{8a=br1{0ASx(3=p=6f8)}IRYHM~4P1A_-oKlaPsoLz0>hc`oQ%h|$*KfF zGC?A5BV+^CNr?r@2hhokgG%9`Qs`iY4}i}!89GsZRqSP{AOGoQ*q7cGxA-@WBsG6;)N*H-`H>T#?Uz-;7%?sI(@-XP~+B4L9dF(E(`_ z#m>{wK7r`ZdPPhlnVjeK*_3~>L5K(fS>>V0Yt1&f-7oynPjB3=RC7Df$pBXa@mWI5 zzPw#5p1)6Ac*dlV6_G_5Kos;qF{_E3;4;Jz5P=EA1QvwBHWxyH1=vZM?&}>%b77rP zUvJ~qTW2k~?Y1}02e4tp#gInkgFjmK;s+W^<{}6@ckL^`W92JTgEma-hxJJtOnS@w z{^UHbe-H$h18j13b^jvw-1i<0HvhK*w~w)gCqbyW{v7kh8!sxmb;*oKr9sFqgaT%c zb3&DJi~~g+1VEs`z5)j--!AkA+kpav=|omt0y3q!ZCe5h7CiNU>+%gFX+Y)q)z|*y z-P1p25DB#O?#dqSY_*Ew{b-7#Vnz($hfQE17kz%x2j5WL<6Zpb zYIo|sjk#~#@o@XUxAz1^VwX>M$F>JVaOiugr!AuTa~VKj{`@M0LbQB%7BHhF3oh6b zwUhfPm26EPN)i`~9Sw7SxZ`3VPe5^i4Sj3ZZ1$f1_9?3K^RJ)C-u1Kp?Ox*q7~Odq z1_TXc0|5xYKiHjypH9|KNG2C9G%hTZ>jwdtQ#J9@^4(g*eqPh;-=x~Cmoz`yqH#Jw zoMw=d*VqA7KbjJ0Q0Mbt?9IO3^-Si0TTfNhc7O@r`epwuf8Cnt9(0OEV?m)U;Zjtk zwHiOIPxG?GZ-gORY(3m#FJE3(QP`^(OoIzzrHullfmx~Uo=(jpScfTJVlxT;6v)g( zMW|wd5++kX$l=WJIERgibw5z>+fH@;-V1Q#=a2S$f6-j)4$H`oGIK!(6oWMiNN0yk zm&tI6bYExY2o!@Az=@tLcv1i&ZSGu405}W4YXbl@hO7wyNqBBD<@teKtd9;LcM!`R zngUV4rGPtw$(h82YDFRn5fUJ3bM|GndVl`K>Dt9v^IYy1pZh@WYv(qG!w|$IR2G)Q zq&tAjYJdu}VuBh-oyCFVhd3J~$lB1T2kxJJD$h2T`!zeh+!yO)Bj=?!!C(A%Q zZa~*D)$z03iVok#3R*7nWHZKB=K$56petryGFwE_68#A3ONt!G!av&oBsvfe-+agVUyg zVuR4|_P zZvNbX0H9Qm=nMQ5K!DI>=A=Gbvmx}!b51t^v!+pFSqYsi06Bn=PAepn+z&vBynyu_ z2~-v!KsT-M_=5@nfjK6!-r3O%7QgHK(|qcLu2_M^vLr}Da`r?s4uy0JAY`)&-QB8f za2~+y?samV2uJE*n6?Mx1!7da)8Ph_r0>;+;8j_|kA*^P=)|q_F2wVq8mx|-4(~M$ zHD{g8OR3BYqYO+wWjQMtX#%H6g9~%4=cbV10tj_>dhk576iWixFktps#48j(`w zd|!o&3TJ*$4#%(3;8vLMOH7ju-Gr{^OH~|z0s&Od2y^3QH(}dTcb*OauD=d9opA=j zgWQvBksSawpfLh=DZ?pZPLSXv3f)>4hCC<9~Yp3cA(uY>zYoGi$t~HF4{s=&XY>;OkIM{E$^iuXO zz|k~Vm?paGlI=Udx(>ah(kh9?(kKSu7>9>}P~47`gFf-Et8vA3w}I%*%&f#k*W<3@{Q^#+WKU z28?wsC}jFR9K=nt4W9EsT5c8=|ox4=4mMak52=mt9OtFS{9YYnFgEH9#Sb097#2fEt{G`M7rFC+I7y zK2P7fCVex2gQKk~ z1X=Ot-|?-#FAY^UKq<#oD98{M%9AnR<56Um*<=L__(c||qBessusQM0GL9V|1k-_RBtRJZ_BlBB z+--mE?BsV9*DJ*_MVCzH?d=;MRFDj^Orvh;MJ|GXk5&9Zfn=T;OYr1a41uCSfeaLe zwEX}G0tP>uzh?|U96)8E4Pa9SFm-)%V!yt)iC1~hTqqj&UEz{$7+CJo?DsVY2`7X z_yj1AyjG{aEbxsm*r6c@ci(Dp#YCT%^5O7jAXq9V?-uURSH_% z20&Z4rg7tq2iCeS?jGL(iNJk1mq~o2;=K2o6f!6>xsDUtxBH&s$sz${o)=H3>6NiD zMTv{IZ<<};e~f(5@>o*}G)E&hCSiE0$nk>ts;JGN*VANJjKt)~a7_p~kPR9jWIC;| zdUZ?Ul~>$r0rZUbgh-FG|Mje#(C}`1&U_M^$ss@w5l5H%1!$0V`MV>ceDsL!HGaeR?%bW|Wa^hz>A8c+h5gAS28S+{y5gi{+`+?V~BMW>t3|2H212PKQ+z{oY zfHC0gSfNn(8`_)_+TyZVZ80-a34r$O$>D|@cI{|wRaXN@pX@oojOuNFK5=mO%F@Nl zEIk(Lk`3iGwjIv)wsjLTYsaPi;BLZJkFnMmYxE0769v4OLB<%=AJQiX@84$3%FQT= zR(eWwwYNFer$4>BbK^$uasd0soN zRlXm{(P@7a4HoM>;N{WdzX*hof;Y(`-BX}3s1Hv86*83j>g*YQW2qI@0BUb@tq*=^ zcgHhNXRjVu^1fLB0HD=7yl+Ed=Nl_x=PruK%5un(kWn!`u2f$tlkU$ML%#^YL!0cm z(C*Tq`o*XtUj#<42Qk|wUjed+=0ifkXYko2Rq0R7nWEKNW>^5&zbA*AZ{F4Ur@Zrj z8`qlS1eO%7{=VH$bgzH*lE_(SRhspaAS|hsOphCOER;;O^>g4Ud2Ie?Kpb*_pNGaX z`pD0lL|up+spWNGIQ64i$XVGiHFN3Yc+`?Y3I;a+J&Bt>ymRM<7u@%bXXH-?008LZ zuFl`~Jo3BQqN;MH)i|5TFvu*An3c0@gRm~L>5e2+pk%QSve@ha&luww{Q)Z_cy^eK zV(M!`ch0Y^&n=%>Cnwk;OCykzQF!FOcE0&T`yM~IUtM*)n18bX06+$w`*7m%b=}Fm zdzXY~%rK4WYLFB%TvKAk8*5e6HZm&Zcuv;S!3>B;e4trB-pCgl2k@(Hl0E|wvm|}y z#5#BB^g3Bz76}`IG-6=y>uLPQ>V3(d-qraP*TEMsjx$K7Xp3d=nnuy+J@M76S5&WB zCCtf_F?fWD!Co?(%^hq_^dEkY)!o%9y}%pKh9*lXa~0L){_+{I+@x~Lst6lam_T6w zAqJBB9lY>hhkD>U?dzN*e+j_Ow|I}~n9sP7;_+`*-Ezy)ifgVB;aRglvasuxc|ECu zkJ+rT@*O|r=X}FUdl^<7V#OBaH>?~XMMhdOtVeZEMr4EpY3BqYIZ0zX48ZUieLJ$) zy0%+A@q_jasSds!z;pNqe{F7P84@@TrupgU)mL9txpHMRx?lm!*!m>QpV-g==*I@# zSPxK_L$dCWV|Q&yp=nKLs_D_xTIJ%Wc$0yNnRZ>-?Y``;S2;WeVBJWInYSwdL#h%0 zW&>CNpbZ=*o*v^r?(VJ*Y4YJpZS#Bmx|hqQ+ujx b+}HmBwOPFrH}?9200000NkvXXu0mjfVRoL( literal 5240 zcmV-;6o>1HP)efMqkYOmhA)1B^g(oGVQ5VJ@ifh2|{3LX$Q92`Yw(E(fr7>@_h z0nb5Yzyo3wh7n{K*+h{zfFYnjAhHC7kbQ&hPH1{fRoC{a-g3YBqpH_*b-J^tGvhty zp8M){*L(H*ec%1v`+fI5;IHNXccDMS^J2vs1fT(60C@l@0Q~^c|Cb1e09XXzQ~50AMA6m33P9 z)ax4ORV)qVD;j)etW49wh7jsRU(QSE9(J5$N6w1BIXl(=Z%?*$zMZsR1MoWluLJP@ zQVFO4aEVId+&gApG5wsXrS*-0ifXuTySn|jG1Z&dm7LcvR1F90y%W!M|88sVp)2p( zvr{s!2k@KXu=$H1AOPT#Ws3j9_nmgb%(E*N&Wvb&f5A{L7|9f6)`h?_i@XikwgbmD z;ksE!S+J%M3RKk(P0vEtbr^=g>B7c*5r!sEsDy;&W?tCdci?lkytyr&^L_?kBLMm5 zB;X7HU%YSLx9475w|Z_w3-|#SgW&V|{!}K}iE!s#mYR5{0t_*^Uqvo|qOu<|B7Uli z5z39=APLX}5?Lqn%jXa6{QFzpdJ(`K0NRfgfO3rAGXPw9Y2^pM@av^_E?-r7W~)yz zG=RbEIjLlu)zkKJexPGd$WFu!-Lj#}j>!)L9WJ-#{pgFEyuVZD&U6Ys-Jvp*pbNzp zRP{yk%cp(%Lk%-Jds6S))s{&XMe|QWKm~xC?wtMYwKvSUW?7|C87a(UQVt{!q`LNP z6q&Af{G4|U!3qRa2q=!<+o@0b33Eh_>x2(f^ij()@OHP(dk@=)1T3mBHE4p$D$U@9 z=QK1{$F!CWFLg(XA}LQM0gV8@w_))ED?V9&$wE!&D!{Pq!l3 z02~4;SeP>8ZXsZDLxA6>I*14zL>N_VTf^@64DPhD)D&|O)HKah)TK)*r!8GrR`<~Q zj(Pwu18`0T0ZjnD^V+f}m!Dm^s+EWcU>=BXO?B`2mC07tC!nHW^&!g_TV3_Zq$Rj_ zQeMDk>JD_$hdf|xO{8^x?GR8E$iZt;sRXcTGQ(jq1o#2mboYv<&Rkw|ZmXsF*mTp$ zzP86at9wUS@GwYm1aK7!6bM#9&>X|ta&!XTuiKcWmbU)bdZ5=}3j;LElS?AmCrVe%cRLU(ob73yBCWSU%kTQogKfhZbPg$68w%OGME#m;%Cd zH#>lwa3#nq4Hpqbqlv6PvKr)gb2GwoZB}Z-DpW19_exN(^(G=%|vx@}YTjd$ClyF^sXW!nmZ^>MAwMe7gssX~)ZUU1vQUhqM`1C2C{ zz*y4yIyv4N!{rc}Y*_~9L|Ul}8>A~Ve}1HD&+dV;U3;v}00xeQfC>QDfB&rY%gTIJ zApqFcw=?^s6#2)}1k6`6SY!sqT6tV=(8-Z2 z4HrQ&!3;=-Or{L-1(Kq|G<3hJE?f``t^0AiAHcK4sPl+2(X{lr>lXcVR;|Ce(q*7G z7tcJi=l21HhGoqrRsAn*x)G;frr_?{ptXxasE+z9sbOM&o2M67dq-9(R%itH$>Ehg zm&3vwyO?#hzHQ2k%z^}3PmR?6`;X?G1>l@gk1Rz%OH{8~xuX6fb6fxpOK;=;=Rhpf zLGXh_*ih96wR$5lNCH#{XrsUv$WcL5;RkB6CC7i0f#J3P_?1lI@R>fBL&6;YE}rJR z+{R#q0RO z5P{5S>uUuq81@WenVdrRBv`kKVzAVYx-RsFeM zYYY@g7_|D}HAC=0@9@seo_6yWbJnUzHr-m8P0y;xre{U6={aAmu+M${Q1143liprd z1s`F3Q#icHa5-4Y@}v2%|FBJQY-BBG1N!#kb`e)5Wi>sHMvUpAcqv?umk z9bN5y1p+D!>-z987$yRwiv4Ox%#v;{AfXKkV~5wj>yg~c|FAZ5)73w9UVrWnEZYGj zim;CK*8xlX6Rjur*j;W^wO;H8{pu)ji-G!e_l8iyo1CPAMs6Ni; zG>TSaMKqwB0bP#-MDFQly0-%8oX7(d04wKKET85=!h^@VJ9p4%%a7K8LGXi&z=aAg|#%v3|poWuQ#zIEvHFIx5wrH_1*%Vdo1yjl|cNMRf%Vpo3K-Ir!=xw+K*JIUg#`eMg*Z|$`n znh-se=ECcUOL&xpmy_3D-&|Kr(3T`%-l6Fqta>;cvNoF{wJY(i>jIWC0r>HTL%;Lh zwmbW;{n~MYA0pxG&$oZ2=dkc29+D{e%U;nOmz;R(uHObGGJG8ad&}?V`LgNvj6A5L|1EicdaWU?L*p9H)n{W*9&y!H{Y! zm~pZQxba$LhOWbyC=?#I_|&1Lbmu|a!H6>mBMFH2cRy(r_VqmIdXSFl)jSkJ<=j>+ zW37p1`QuluIavgpbFsGymH7-s+%$Y%1~fr%HG&k<^vs|KJh^@#3m`t826XrLY__DA zl|mRoHv(f7u6R=h0N1Ogyj!cWU1gF}=JP?SWu>#_t?a-^p&m&<2eV`+-&p z0-Q1dC#I^>rv;!Yg+ngV13V8T1Q4ltAJ$&8hBtiw*%OKWf%|buZ7pVwv9bZ5G{^@~ zIRFWZGsK)E$T&&%CG#-7<^^dE+0+F=Q4 zYJoy_Mi#ceJr5uO2oDef5H27DNYe=O&b@`7yK5QpnG0jdcjRm!OK4AMLd46~v;JF3h zo(J;0qUDGChOT1`3+dDAzITF*uWo(;w^vt>vHoOE8R!U5Ea(U2!ct~^n>O|L0@yJT z0e|dx6z&xs{?RyYbF07Vo8QXxP}Mo;H<^z46-AOG7;*nk6I zqyP{I5qu0SH+_~?)lZ{KW3@O%63CH&%YY*Rhk{POpFF_K8!*m+%Tg}+$bq~6uEVnvS*Sp;b#5S9Ta_7C0|u{K zf(dR66~KEEki~XvrELXrg76`NC?bf#4+9d|onho8kn>Qo-84Yq=lYH^9H=4#5eNZ5 zBH?B(yR3abfXAn@HTJ5P>EF@2<*{9?0WgHpaKVKj>A6P=q6=<`BxF-GIxgtZeGGbH z@D$zPs(YwDp9NVXL6@i-;}m|TrxXc_17+G!#P{f<{W~m6{t7^1s@vo5B)0tejLLI9 z6H}wHfD-cS{<2UizI(rKc)MDF=T#+SOJ#IYX=-se3;ntPWHD(rvU)(j2W`2JG6K-; zqU+ldu*Ye4Wyv59sg@x0QBM>t8ITzSfPMRNUFV&5U^9SQOKr+bM8IJHrWNn5EL(m- z1Nk(?S66LNKAlb->^49IUQnBmE!EMI>433B=sO%JztG15ANjdeAt$6l9|_he(Y}=- zLvfKhC0ryyOix0@!T^xX%KQ~q9C&s2Zs%qI2aolH$c}u+jzwyDts0uYv<@0kpruK8 z@t#b&+O%X#ZFJ&v6p#L!vB3eoq?ZB@3B)9vX(s8VEI+b!82DqF4BbWQlxS_9l$rnl zAtm_EA9roJ{r1BT1NiUbIU*wgY#n&@srLuxEmM5WvnojwN_c5=+zpbRN#%^m=H&qC z!u$q-6KW~&@PKz6$Rz6yN9Cc4}vgZW50UYf6^*ycO3oZ=nO${+< zB!bNqdeBsoiGy*KOU)=l?*FC(@svKE0P+|@Y6P61Mic6QWa0c%b4%v@hO)3q5DI{o zUP`sCS-tla0N()6JE>q}3Jc4F06O{}ymw|`$uj9{nOOmq$fybXDrS^hPS=2AS&m*( z5Y5LO;LTA4a0zeFJUBIh(mK%MFV9?c>MYq3HG=|xl;9_yh;P4W?Y>uw;5#QBZA~$} zI0#_p;h#UyD#|M@|7r6p$VfA5{|ZMo|5_RU4`-BSuTk0HS90kApw z^ixflw-0243m1pfvRD8Fp_d1Zin+Bi95O6#AZO=tMUT)r@~l5%Or-u}`b4!(d7%_^ zpv;V=R!nbn*UYNZs)M>;DWqcX&feU6*I&8+wV&SJ{{(>V9Lt`>@w_mh0k{mn#f|sg zS6_C?N9HP#@Tl`U&f!cteJCymIv=(A<+T;etUwk=$H+RSkC?pW)n&a)nxp=PvY@C6 zYC#`>!J3b|nHPW2zw_pQ?AQhQ|5>W!wRD)O>9rZs-3;}5tA zegI#TBim1`X4-OHyPp|2^w5_Nbu;tt0X&T3cunSH5inThpl~K{nLcxNsQT)UR|FP3 zTCO)5Woo4wCLf83egIqSIteFfci8djE$O~Le7CDV-RbtC@Y>wdQx&;C2LVGXe*mWe zSPWn;fJPD|f@g+&fe!~vHKwY9NCCjiES+A*O|MU9(_7McF!Csz^4@{MYcP9G*1qGP y^3_=#Ks|tJO#JHXdjPs{at>Miwfwb=DgOhgDTfCwI)euQ0000!*zta#w@!B!pH;5xct0E8d&gI&t5e7MzN${=TS=#D*39v~dJCOy z<&!#H-@eZGUV`rI0NfB4-~X4dbvlpV1YLE!$F1;*<8w6kdkKRE1$St;x!Ta!!!;Jg z9*$j9eMjt&kU_0F;0EH|ZZdL2XsZ*)V^3Z_RZZ%-Im8yQrkuhMx~sme+LiC6nkOfp ztT?hy>*DS)V`$V{*+*jKeG7c#-7^Flw@8qLWjbOIw|0=ky|0pQ#(PrD>^*YitQl{* z-ectZVXe>1j+2-F;Az@FPoN`91=_YounU_7Vi1q?u!~2(Ch@?($^Fu1Q;ocQIdsH` zR?d5fM~BopIqkKw(u|kgXvZI-`Rqo4&TSPaev@!q*c^6T%$z{txnU$++iBL>iOSeX zu5tSGN&H^;rgg;*JHLsQ#y{sqi{Eymtv&R#Z<2U=_DCT?>!UEYcY<(X*J=K(1~GP7 zsxW9!hqSg&3|ZZ(hHXY`Uuo4_UiRI+^)%tlzkaLTLzlWHL1(s;U{LI0wk(BTkZiTm zcMd(=zRBXHbz+nmm4awVR1ht$5pcZlH$`4}WZXRNaaba^J$5ReVN+@!KD=munCON{3_3M@ch6KcIybzoyi%{xq%phSOh_UQu|D z;4fDvM9#W-I()5-f)-fFXR?u6owP`GF@Ctec)Zp0lMAc%kmrPcN|P#VG>-_#rP1Yb zsZyz1$9)}*q03F*2VSB9 zfmiAKa(Q;2(nJg)Un}al+Ba(1YhI33q4urX z_5@=qOWg6VtWirpog?^rF&g)Kd5sxeaaeYCZ8`T!obC9gQ2US>db2PKGRp<@t5PhX zC*HNk<&Ck$UtXq!jp;ue5AeFjL;O?cMyHu_>PSb|1>1H^7Kmly(s_`Hi*bJ!5O+Ke z+1QQ5ot-G;SYK;h^BE~RbwwKP&*Hzh%PVz6l^q2cbqn^+E-mkxCeYs50v%WYSSm=B z*9fw(269scFIhbDr6eBwki`9OlDMZU`RxBxu46M4M6F!O&$t7RF&~EyFGx+4ro8Sa zujsEgXFwhwS}f496#|{aJ-^-pxeVE=!mhS<@zl>G9{(OP`b!cIzE8rXP3BUNukn&3 zRU9*Bm@5MQo!SS|{?cHd~3vRUFO*dNe zv7Qc17A+Uk1Uk4%xG;UH&_nm3uCeYTU1MQc&#%QpW6q0NlS#OdVbNr}*49+W7P(}} z948Kb8^4UVE_y56KCY7+&3@I5R=lUDEnn(se_uUq7%nV}2+@^s#aDeDTDFX^chxfO zo~~_(ME2O@$F2CDUsX@{r*FQ|+A^lTzh!ENQqrO~-K2G&=xOJ7ct%h0d_~`4?yWs6 zGOCR3($x!v_qLHF+)^ZcretnlwpjErF;9<3tkLskmnZGx!-HrV)|z?ILDI?=6vDK-9Ivj zmSR0yQzeMr@b_wb*PG*y`Y-x7_B^eS$5ENwGbGaPAAeJ}M^2qOd~$NF5f?iAjr)K3 zQ?d82jr&)|{fE@4@$JQDTm9Al%3<=d$fxXUE5B={-XB%XZ)WlHGm( zU*i*Bpx7&p81YRNPxoiecY572DZHI|X2tH(f{I^B%ftH6ny>-1Ftp$K@`CT3yyF}+ zAvm&3* zr^OY&rIlen(7Nzn>Cb=#%L0VxJDwru13zeH~rZSU^RCm4E z{;Y#PRr$RrrO%wpPtCSX3HcYz3jK(H11+oAn`Q-Xw~Pxg&@lh==RYgGy@$KokB!~k z`Zo^#Y-f*3zg@WyIa;Agb0kaX3M&Q9HMz8+WgY_ie7cH+bvbr z*ZtWxE#y6#6Z#pAudv=cB;W=OhfXjmAfG<>vlXuEp`R=E$|Dqt7^G0e9~BB7V>g$b zWunp(4HUD=WPR%LWkvM&uj?E}wHZ_AyI}<#)1~=UddR~nEI0QF%%&d$uh1_6*J)_L zP3qudFT8(1JFqQu)ti3j9E(a&JM$_)?bJo|6k| z&QINe8{Z+HoewKJKOuF;$<|is&zhHQUj&|`ZvrpS`{i;9br$Uz0k1-L`4{^AnoPBR zQmoG%fgZ9Tm1Td~q8%^t-fKXOF~c{vysV@)H`#{Nx?=BGF5j%(S8M%SDwgVBDfZ@5 z6nmTHmz6qwRheH>zl%IVrz70p8k6XJpvsfBELH7Ff9Kf%eJ!dgD`02Q{ z?l(*3h+e*hvi^=6-TMPSH@B)!M@Nq6S*_~S5e(5$BfoWXtESGKd;Oerq?2?_b-6k} zU8c@cw@Ig0p)a&123;fE;d=lT0sahs)4r$uj_<+u;(PMFtK(~x0nGrs4}64|5AM|f z@EYJ_z$buL0rdg=x5sh$HEZVi{`Bb)Te_}|vD7|Si|Xdrp(HsGkc8KDsa94ksfF1oqT?w;hRyuAlB#@<`j_pi(ge85N zyEJ2(U=?OV=PL%pjV-JmyE;jg&h)U>wJfkD8n;m8*}wDtt#I#jKRs!b;_=+>P1Q|` zB~dxQKgyCeNiU~E=iD`2pzX5-yMB>Q5f-5jw}T??dBra7d6~proyjfzSvmT`SWA*} zQLeswo5`bbSs-~8|*a?A2N6}YSj52eMs0nIo4!JPqMEY zQZ9ezROs0=1==^qp${KgBGA$00*ziH*o5`aDP3XLi#GAtcTT+(`fN!51mHr<65-m`l~o{-nqljnb2!8+<0H%k2p`tp2-zIXWeL8S2vpf zh8wMXUr&3-iRN>gpw9!}tQ`WK*eJ+vF2a-N2~z>ngypUFh$ki~V%Ag=FN}k2W&{a2 zdvAL-KVRg11a$B!8#ms<^9$uegUVj-XZ@B8-9F0tM+Y~W*u|lbFMY?2SZCh;wVqDQ z6wT+M^RJjBEO@e^u4<9~L(s-o5mx*(UpzmZgjtmj%%#*_7|6C#3WYNa4$ zPC|ffX$N2HhJSh6c7Nw4?fhO;o`}*_Df*Za-?x9ds_sUvti!%V%vWssY}uwiCRz2n zY>K$uM%B+t*5s@#URl+3EWc|T+R&i3+4+2$T{(yrV!yEr`;FDrf~4t^~%rW7vNjgpF;Vo%B0x#Ltg7YB#6k=kxP<4gEy!)`3zJW2IuBkNwWraQ~?# zJf_5t-B%u%>Uj$LpJJXLa?mC^84-n+^0=`7bI{vetI+ zAL~rM%bT^a9%=Jo{^W|!TW5y8XP+1P1ud%BlXyS3D(oj(A3liw2>Rr{=U>?PwE59n zC91UEP8C;T54IS4usLS(nQ5|n&NEpXUzITbwrlfGH@@yiTl1csCrt}~SK__iY}ic~ zRO~@ZDt?FkUO((9f2OrzztUGe1Mew+%6~ie+bUZu6uC*Fu+=sSUgp@N`Oh$^dqDpQ z2C17}ksAIbe{@a#Vn4`zW+CmU_ltE($U8JM^h0&Oxv1hdv@GmkXyIO~U6s&YJLX4?wNlg~*&MMBdt2-e%P(^5KYgcSk2uai$=l7=7a)Jj zHEUKVe?bGkjg5xfDtLOOZF0qb$-Gyb9r_8)$9{AP_Po=Ax0pu;#P z@?~3-jT>|MnSjFUwb0hR3>`O8Mx*hT$=DCG{hRlz<0`B(|ElgKZ_u!STl5F|@n?WR zs!*B=_h!CfBw^nwRr+0_aO_>fesb(FD~z(K`&XYSj{R}M9*d-`FqdxqU6t4OgF%?Zc~GvVM-eFz>m)ML+l~;0N@hzK{Km=ldm- zwZfNp?#FoUdyc&~?~!Bs%hs2!kkn$w5rbEQ`_q9Nly2N*U4z}G3vCs7e!ZKPFDjgq zzX;5vudyfpDj=Kf35teyVOxfjfOlkjIqc2LcE|Hyk>w}GE0z~dk^Iz}-KMe)@9)_z zW05$b_Use;pE6QfYrAc9!gcFcp_$TaWpnPJz19c+XBBH;cUg+>r&!xABil1u3{-Eh zs&78f{==mY-p^Ecz4z#P8*|sSG1BUGiu7qidwzT^vR1E3=BUafMFaRXe^&oB%5OQ2 zq*ky8rTnt-R&eX?tY?aWk(TDoep4{*oZ=J!3HaQ|OWbtZgW)g91&;(X1z%meSgDc6svuRw}U*GJOn znqpC?1mWbDiKCuPj$Ng2}{c;6eCH@AWDSz7qoS*Y|)bHXq+VA;Zd{6!* z|AL>z&*W#boq~-puLB;jodS2f>m}l^r2(M;*5?`cHGc*J%zxbFh91=i^!9G!y|VoG zLFdCKgjp)juT0TvqbYh#H1X^33E`HYK0%q@ZM~P{yS<#h;otsGT~Pr6!oc3WgD$LF zSA}{Vt8GclOQ0k>Y&YZzNqGO)zeM~!{z3~&)pf5?P_Gu}g#gciKp^TLL?SXF!EN%? zsS!4u=@FrC3>yoQ40W!@n`>lNH&!_kZLYL8!Vs}LT#48nAy?X4$q}qJ`VG6^PT1f0yqV91*# zp~D8l2m^S9_>5e&-*LZTJKTqUvn}o5BKQI=70hm_uwkZx2E~IS zX1r$>4}GHA&{SLAzSn_AH`SiUXX|2m2dZ>-Zb7ml%gHv&thjAP!Oe-wD2E z+f|R0jC%5(DV44;kGt{;+aCGM`~d8pd~VKmz@sY!<>|G8MOX*hTXC?libXu$OA(KL z1AF8b2o%ySi zNJ&dkwhoReV7uYcK6*nTuW-NNN5K6)3?D4Eow5z{B+lmtZvYQD{ju(7cRy!#*brgM zJl=~`UoEz09{Nc2*%J4^1w39O;o^D&+m~QdGk|lII(d0i=B1Z*p#L8C!lAUg(EI4v zT14wo=;-Jg#^2kx)2OE%cF)xV^ahPr4m)kWYy)M#0=B=hZ^5c9f=Sqp@h=9%qhFa+ zJLu_ONIdzYY72#Z7PR;ZcG*wCQy;QlgW7k^K2}vGBXFP^M~;x-<@Mb?`X4>^-3TKs zNugV_6D-5qdr9o0z_!CFFT!pMUxH0T^akb?_Om##%3;4f4f`$ovSn_;XWIp9xn1z> z*aaMJ15a7Z9AOpDkAfX_IEiP5kZM;x+27%p0o$^0W!r6iXB_l)ve#C~!Z=hMJ=%!= zm&iwn5$;oS#wC(6x4ts}onX_jHf}T;_HMSjvd`VT*TF}yy{7*m8rVnVG%s*9MJ@L$7*rk7l&tCc+eb;CZD3OWz zC_X2L+!7Kdmq3H4iEl;PY?JHL*}=7pLtDEO+l4*J@4?JVVnEX zcl5OSLp^Q$Tu*7==;_#W(ZF{1OW>2;%LL1S9=hNBeRL5ej1NwNOGO9+-Wn?I{?j66 z0}t5cg_{Qpv_9UgE$gHKd~rw!2wX{Td4&tvztyMXKh`z<_LRHwC*~~sTJm|p z9N4Yd=aSD1*mljnm%HHa!uIR4^F+gn$-E0N_pU$X_3CtPU;|qIZnTNz3rl)Nfdp@@~@B?VkL$oA>>+WiI z(H>B2+qg-R?#%f+{He75-qzaS50S6jXrPcGIqMR(oVr3=SG)55E9|efr-H6ena73) zDHEdtZBvrVnr61~F)!%mX<7bny}TCwU3}(}{w@4=;fKXz-|J~%XtDizkPnBC{7q+t z%^k9`2q-!enT4yeMLa1P#a%Y5u*E7juqft6b~}}6-+qPjF+$&(QJM5=2g-c9sS*9B zi8wEr0$^X?IhBKyg|z}LE86;7Hoj5XwCihk+rj>NTKkn~^YeHJzA1`Zxqt}W$ul`&n5&rdmt?csG0Eb#->$F^u|6H=8)<+oR*KJ&jSaCDg!Juu9=8$!r6<&jvvB_p zJXxQ|zi9ty0nS_&!Cq$+@;r&Y-=qK0r|kyrf0g<3c@DE(BW6vrWFnk3?P#2!+)w}4q5seM zczjm09}oLpeEajyyw2XG|9n2i{Ik_ck*Dl(1N6Vznl;>iw#~$>X_`#(OC4x?!vy(% zr2lVy{&|W0-|al#bLoG5^grgW{#Ts)L|wAttSzna1M$zGhaK;tzXSgaDeV98BK%*Z z|52wULkjvI{TKg~8I>4kHNMz^b~nF|`5PUgtcz}D8eG2Z#-jar*!N{8tli{)0`vDI z=I=fFU-i6Xu800d{55~Yp4Fqz=c4~d+7u^0%PR{i$6JBoTO@1ncDu=cr`_zePqG%uPZ$1=y)I*aOjN#4 zpG@3JwMRY`R5tbM^X=(Er#37<<%!`@wrSzbOtZsYGS3hD$g;R%Pnpll*hh0U{6N`H zb3^zL`oyQx-(J50z8EpI>UKM^UuUHab_&PY9-ptlzf%cVVln%qS}dOHttS0en@!ki zRqB`(b0XF+@3w8V^@~U3`+eV&`t(dG!7og^(fzhUnSgMd=bovOCR5aA$C)mltA;Gc*yCK6 z{a@Kfm3?5#z)zL^V4q00n7V^^THUF?x%I5l<)XRM63T8n-83oWEoExRyXsk^N&}ob zbIeU~G*}e8+t9nr<}+2r#`jGJebf_)q2KQ~Q)Pv0;PYtqH)fyUitssB#~!ged@k+B zV~-e~QsWKeIl4f3_L^jR1^tih-J5j>SN&NRAeQ>&V!P=ibzY?`snNqpgMX`M#vJc6 zzv7pm!8f2mFVLW`N`tw<>4x#}C!QE!qQQPAEZsbR8|tMiSK^!&yvl`_ePzVZh{2hb z=m`q(xo+eF*}!MYVXGWt&*#c~wyTak&X(Cn*lSDyMa?&wUsOoxi2aNH&ixCMJ!)D) z4;yt}PZwLyG)@e8llaV=&)sK*eypB*^VvK5TJv0<9=z4SXTI#KJQg_c`SZkbMjGUM z)b^~`noaI*;|J^YpMS=H*MrJ-Ub``3&}m!r1c{=?qThewOd3ATm43t7@C?b|oU>}& z6#HfK*>o9W?r_m7u~d~QIUSaf^4wOO6@L#tdYkyX zcm~ex*>_+bXs{48m{eh-VJLj9f5*8s$6zrYe1^_=OaLCu$|xr7>`-e1o+4A!IP`mz z^DG@_+7W}%_g@_6+94C{hVt5+MeG*OSw3Ipv5#J2G(C&4Z-3(kl}<{UTD0FT?;}UY z_b^hIos|2`dh?X9ckD%JFs8y<1D|=bANOFKd$TV$pTCa;9)E%s!^#<~WnFx)wf_5* zLyXpMinY=(^c#Kv;lHBa@cFLzgX2s-C|6wzfooyn&X%3$V9{bW`3Zy4*$(9Zn z`?#@V*?to3(%(B?dJ7)CjxeOZcT>g+oR7f>w=k`DGnK|(I6*#cp zJD=YV2OeMho9-BU4TsRL6chWvtLORfgAeWNIMe5|^$K61|DWM}d5G1Z%1g(brKE#4 zV;h;M@sXn>lqvK59UZ>&1CN(O+NS4q+)2s{$CRB7#v53k4y~}vz-Ruw0<+Zfc0TuK z{{xP}P2ZDVORG$FE>Z$$+>=%HTJ@$=f-vGa#tOk~s z)z(`KEe)hJzn)KlFLm3AuHNstMpXamA78U|IZn#+XXI5$=~v({ps?QppVhO^0OP?i z0S^BK#^V~}p~RJuEn0tzwtltA68gO&Gp}%*K!q>RZ^Q}&eu#em8)MIB{BOVq|5cgd zrrWMIxlVG^9Qc*>?$2id#m?C~hrjTX#-r-|WXON^dTw4@k{2cB6nq+Vme}8b@!&WB z#)Ew@n5WqPp=Ur2kNurK2+sIOANV3v_(V3dKLqm%`(gybCj$Nnsy_z%Mfi1->4~X| z;njSSJ6^NjiX1$OdA@OBuO940n_<;Q8Lzjo(Y1D@tZ$fa{37I>^jXk3`Vx4s{|56E z$4#&g#~WqyO5`1l76DxqGy8G`zVF}_j-_C~3jbH|{#99Ou|zR;yG%;A>o!Urp`Kr~ zd9W_u@$Du(qxxSv)jE$Zv?JQz%4Qi_^{7k0tZIHV5#X zke8I3wR$S1rlZN!ZV@RRRuQ#bnnSg}8DkVYyjicj=Q)MesfTEzt9vI+?OSV_ZAr_^ zv=Ml$!Q%33YsJvC5t-{Jld*0*nQO(8F}6C%HLH`tulchS{EffU;tMi7ISykzji~v! zY^wG7G@EyH!W8r+@*(>3us?||BL@D`EwcB80rl3=s|~X(Et=ZlcSCmt{!YV=mn`ug zucwF(y)TH~0l%OF4=NiUw$H`=j`i63fL^{n?N)?`^*J9?WrC$XX2&9KH^Etn+rHQ=bIVW1fABSew~-EUQMj7wbiAR{RYI&fxA4%?+Dv|rRbOj2 z@q5IzZ_;^Ya@&`ko`7**c6w6VK8mA7k9Z{1UZH_oQ(u02zpe9keYw5uzS?sf&(->| ziSLd6WOD1$Ukwkf)$r8t*2V!tqK-@9IBjx{8-A#cqc*PiqGPP#q=nbj@v~-tzJPz& zPYX}H=fxCYo@2o1JbM1aJ^xcKP+b=fcmps<=dPP41Pj~581az4rv4OzSXDfP&$ja4 z@Ew+W-2t@$k8{1j?H}6}fIGkD?X6qj|AgnY;2$c;QH!Fe`tIsf>p~pCABz%9btzF! zphPJVuM;T#T0H(%i>mLbPEpIED0pD7?9s^Un$An)F?kJ8?y>du(cGAMxuK`0Zu*Na zmMNGwuQHuE6Gs!TC*~*R!*9+E0Is+D(DD1b{4;mTuXXxkik$Z{m3gstfzCsm&d&hw zv;I>qp3BXGf`pCz`&W<;!xzjBUqH?O?w~PQ#Xr%QAjjXVomVqE)*N%H>W!)=su-&r zi>4~aswh>CS24$&j=2$=9czlukIze#6XB7SMD?Wi@{{Q&_~Q+Q|KUigdH6>P{^&;FmhqRW&K7X9!;dHEb-TouLPbEx7DUpP}-ax?vCRIcYu7UQ85uQh!&|Z@ShJ5;&ELPMY(d&YQGqX=(q)Fu=$ccd@byfLMM*F} z)F`GutH5tdDZ9UGK}>d^f<*gtYcegxIIP7uY@yf#v&iSAw)yDGrvUELKXC&eo+L!GRuH`&|@Be*qYV#$G5MKA;kh-2fu^om8++! z<)u&aGONCm@Ilmk`8W=keajZj5e(u2;9rveB>$}lh})krhvy zsTK0KjTaQvhtcT^sQF)V4D>$uVD6eLSSl~k*@Y#*^S;2-F7A8N;_#b8Y_#gf_@dLV z6#lXBWyClr!AE-+)U_UkZ)pyA!AP}EpCa#e?btrR`<6#}HE5As>S}fdJjQZ>du|fl zIumEuInCRw^16mMc%5U;*=Lr0PcFIDxgZBM0kcQ?o7Wx#J6b{)*d_)C|RQZ1WZ0rHP(3~IJ(=zTSN zQ@mn3mU4}*CMnl5szbKvZ9K;dc^!Cj?78Z@3Lj9;W5>Rf?7zx!=;Kxh24NL&ydT)n z$)NgyI(-j0@15!ky8jJ_Z!Y^7^PF(X2DkK%w%8j7uvU^%PqtmFg)#7I+m`v@@6Lsw z_-MBiXO_ehW#Dx7P_lAK&S>;1ryDY7nL4WPNuEotqbzKcc;dec^ZdT=*(0yIpvl{j3>p&F`1} zP&I!}_MtttTCmsK2p?MbbKVs;1(}f(z%HKX3;)gDj@$sMAL?fgzhLCp5;NX$&IzY% z*wa-JF09TI5T{v9rUJ&FA!hq_w(YZy@GxuRr{g}4P?U|peQOG3&#!G5*3MJStp)!> zWqDtHE_huj^mlghx`sD=p6NLI;A+0CpmCqgm;>;uyesT#XAsW}Qhh%~_F+X{0*6mA z`$i+j7|#jSueeY)C_>h{Je^%p*w+a;18g2pDI#g*4JziZ8Znf+yOhB_y{#W?g(gv(nB>8|0fwdEzkuFD|{s%K>IJXi$$?`OZz^2g^xWcWH0 zElihuF(CkZm zafhIE+6y1(y}-FR*k8*eW=&C4AL0vR;YZ9q-6I_N?|4pdz7W+vy`Lgn-F^q%HQb%8 z5+hTdHV?}G@PiEeo8N;6#Gq2b=Ci+nduG-r%k+BIQ5}8E>}$_H)9m}oe#h)T%6`+F zUyuF1k@rH`HA>6{uPdB$q|o=<=|c^?RsZj7(0SxO%mK!o$WxiqTgv%fg|{j$G1`_8hz{!IA(vd=sFE^`h*_WyhjGYrKFQE<6t?5wfs+|NhJaPn5(1?xJo+TCZB{ zYfd*u)w2$7SK7k9{+i5FX%ByY_S@!sC+z#Y3OP^Mcbk21(|YQaqf^CP@VcV26-R7X66NO;ivkiI+^ZVq8=VxLZ0IFa8Bt^KH0o)P#3ORqj z;O^i7RTkDbe3*0|9&AG??h1IOwr|0u-%==NBxwIlje_4mdsXJa-=1kd6*7ewpoaMX&CEz8p;#2iK?Uq4kxC&j%K;%u{I( zna4iw9P6RVJj6>ZXWAp?fN8(wD~Ip<9^^h||M8;(L}lxrLjDWwb-e`Pp>z+eZ=&wS zX1#=i>+&Cz?i%jg`bnxzr0Rv0=FNk3T(u`^&rn+rQ8#b>XLac8&kg8cpG3p&h*c|!f0@I%T{yE8ZO^~U8$tJ4_ujg!D-Xo? zuJ{X>GuXMQ@k*>0>%6^-<|grIRIbdmtM9hTzxY-2{59{!UIp!y!u5`29@e{gj`fb< zcdy2qaNNLF(4Kwo_kORZgP?sze~~_H2}{S_3H&17@-uJwB#UHPg z7>TabS1A7pt1aKVNfY+FV7t6_#Se@}MAvILa0RSPu8}{sT7YqUeLusbHl+;HUvRgu zuH&-asd=V0gZ3P6!*LV)5wpUv2b10sav(>8wHrUO*25!2w`P4#5xhzs5BU5e2W)|m zDH+5Jn=$-|J+Cp=0fz8je&Kb1&m^>~`|@U3C4js1YI|uyWQb{;i@*Q$$RPWy#BzrD zZG8>PUhy)l`M}M-(HS$clWE@vv`6g1zJ4OLsd=0KrFQ>E)4ud_Z(XjTc$_)stwAw} zSL6ac;xhDm?e@a>0OYCl+-5a4Qb=a}t1n;9GT?QWPW`&KT_fUHhujxh=Z!(E$!+)} zUSk$=Od)22=0^r8i>d`$R<y;-L`a- zlLr*ROh)}p#o%^PF}NR-%!rLp)Yyo<@NH-Ra4o(A_#;L|sb^C18Up{?d-pQ_g?{QD zf-wI==awq|7oTlr0{(Ot{Am$lJ~+28$9<$$2~yT21e(%b^f&fup-;tqABD`*FfQ5( z!m!b++^;DHk4)9CTv7eXIcM-8m)MZv@uxaBWi#WSc;N!++}-(HNxg#I^xLj?X|2YJ zoM_YV2IJ3plC^l9>9^DWcKk60oa30Gfv3K=cF)Jv3N4@R?RCmVoGV$4D`CI-`^3Ly zwseDIOp>o(Cowp9o3oE%jHmlybJw3KfMej|=a@`&N#5&U4Sz zhr+)`mSp4@l@ybS^i``K!aaE}ps(reaawvA4maI8(BUWRD-VPJtjgucTVRic$9(zt zH}l+n;i2%ac0p1Y|N0X0YuBuK51T{0~0a!1yrqpAY^I5rxi=nfmbLs@A1g{zqMq!q~VH@_RtsY+frFiJSd))X7Pd-z;{JRhQYe4>Sj8ww4Ya|2*Z`Jzh zE(i;bBd4GNu|}ubH-A9+7p$y_PBd+Z>Sp-VuQmICJ=XQlzt^bL;3KlZ#}QZc*ZOxK z_{ZIlO&nttUu6A5p9gPk)rj(de^y6_{!{Y$S6*2Z8Dm*ixxHa!rFRW$!oN4IhtvGV z@S*f)&?iPwhyDBGx&$#8u{EZuh^;|pyjjN*}R80Z_a6$L^odOK-ZsdFOQE5HQtVYn00uz2H?ur`M26<;;X4*kf2 zdIAdP`{!64jyH0|t#QoMk80c($F6Ne?Ap+P_pZC?M7Hxh+Dq>q96EAsj+6FkY?2z^ z!*OlS_#}?;;rJ>wMroGGT6(_8;JLzV(66@`D;%)pGwuw*0|yq}|9C#(?|=PV=TGx5 zcOH_ztLcC%lSAG{tQE(|e4xhpaJ-l!PUdSh)`w%pmfyw$1J&5KwPAy(d#ToscK?et z%I{x&=T_NbA~hzCowa*H`18R&8$9g$p z1`#WTm^+U5a>NbxQez)Ee$x><=-`2k;lC+k0+!@Ip??KqAh3@0u$Sod#B04OPdc4n zb%(5|v`3y+&J*j1%LDC^ua)BpnfA>0Tpvq~Ep*1`ahz4;Tw}p2h_iYX_&0Xgzg*|O z*0;bHDl{xGc3Mof&MW9p(?1F(B1Va8eN1zi2Xoc9NsbqD%mc3fal0)1Rap?cJ8x1s zlQPUdQ|aj5d#+yR{@`nZ-Xp~K**C~Jg{d3>JxXt5m zw>cqzT|zwTz0@nX$GYp$<17?C9`TGE7dT2$D$kd5E3LCDYAi3yJkZ`%=Bcy?-*fF2 zj?HA+`;9BGJZDiXF9QFzuzw3B+rOC)8vR(UyR39xOC0aGzu`#mz?;NzUamagh@Jh5 z2OP4npE4tOTOMKt6^?xzgSbJi38Rg}n6ftr@u;R}JpM=(#b>Zjj=^5h5BnwGCP)|X zoG5nq&hObjSBCc9VT|I~K#t>NyhkIh@DIRn#6;Tefjd6f%m=SQHvj{y(uGB6l0J^r(4X-0}m+71H2wiSJy+1 zpXRtxmW5v{<11{)MVy~97;%0acggXiT(5_7Fmvps7DGBVz^KF*6GN)S5S6WuSkf_y zQW#5$m`u*iTo_Nvahd%QBiK(-g2&o(A@da1^^W6W5f85Ny~m#g$`i+JdCvg%XF>ZI z2kl#yKzG-Vg))NY;*6FEqUo}WlrFoK)$u>(7xDn&#~pFAydHj`jIOXY7crZP7JI72 zJ96A6$De9(v^);KmNOdt?-q;Xk9rTkDn^yp5&x^=&GD$n(;SAlPBlIfwTL)hb8t^t z3Hrm9i}g-XYBHA8 zhJ30RR9*+(;B_@Oc3~`TZ{UvDP&LMqV--J_m4M%@xmfQMmG(}VS9YSo(jr%}v{i_n zG8(D;%P;ep*Ms`Wemu5rZ$)|jAjaSbU2eDDfL!Bh?JMX+%I_7H=YAJ>QQ+ZJ|G|xw@nE|@~rX3{s`Yr?FZV!sQ^ZP-yy<<+CZnpvW zp9N$phngS1@MVQ__AdheidA(T2aZ?O;%>D$!Q=3C*<6F~-R8bFFMLP|{!B4A=lEZ| z&T+XM--?)GEjCw;apkyT#OIcM75T&0N#~p7kka%PY+MJD@{}#~arQ+LE%ji6Q@s;Bz*P*VW>VwOCh<*=1h%9%x&-WsnXKfW5*j97BNmt_ilSGGKzt{7gqf#bUZh^owNrEJ5e*!QzRQ6&E6`v$H3 z+Fje<^bB1G{+9tKo{}shYhEt+B-e2m#A6BZq(>{zpZa|G9q7u;@?eH!rzq(>J3r~+AJW;)2qSf8;Lq@SE$9z3<_@Z z66-b}1NbcCpT1&B3BF4|jQ&wx(L9rOVH^;9Pg?;SaGbQbwaxf@gS;zMqbNV1ESY?f zXX0M?^LGNvk*P{F<=5?@Tx~Lp46Ub<(q;}3V)Ci|3WZuuKSx#H>MskPWflYBD*rUn zMV`kxbxS|7{FZky4$~SRrVZ`vv>s!y8p`({ZIpbDeQ(i}WW?y_HAo>-aw6SGK-_+v z+9U&rU*ofz{5Sp%e^-r{??w4fjzM0iNgUH}r$)aWrs!@z$zqwHO?YMt!2Rm;`08W7 zcwgDrP4Jk}EU0Ti?>h5nV)N7Vc}uH`|Gnb>i~D=?H*EP0`kkS;f6u3Y#0;L0Rp8f6 z8s?~fOHSBFwQ8=Q$V$J;rG1)R7xbkT^1T2L8^>^uu0HlZvz?iJja~=*DhM9)MKO4r zn?B~SyL;Secel7xZu)9RL@{(b{|(>a{F`qA>Hu7QwD9)-%*FGTd6;E31Hb+snaeN_ zSeoKLT%14vmj(G2xZQ-Faf_buA9xpuGBEsS^$WS&`VnPv>#2TS{Xt)Tk7Nqm;D_qZ z@Iy7P0Wvyht$G{WNWBeiq_vsq&vc$HEx-2M+0}Th_5yd+PG+~ zHg4KDQeXZVp1Fxz^dXa5;HuFXR=hn8_pBamv4oU`47w! z!9Dx$_1_Wrr$<1O&8+9U7XkiEliB}tzyABYM>hgYN7gUO0ulhv0Nw-i0}KaD0kH1H zK0OR;0LuZaqf7$~1AGtoH=qL`4&V>qdoq9g_xjHn0jzGSze9PntpHyGW&<(+92;qY z24=&-k1SRc3Hf+PUt3RZ_1wt4fjhZB;Z7b6J=E83Np7T%*OOR9Bq0PbYxoWS7WXha z@3jx@R6q|vOF%gQ>%iQH|6c#x2(Sz<4QLGL16U8Z1uEEtvVx+I)01~gZwmOJ97RkD zrz-2BDP~Iy)!0{q;!f5?{kPgwx1bIs+K{72g+xk36j|N8x)gsUp5ji#QH?z{)ZbKD zQ-#9DhEc#r0qQ-G(}{#~0_PiJzPRChHp_|zfKmYN+kdY|KLR|*czk)@u?#;2um%PS zN~OB)RPL>E6gi_Z^2b)A_;a->5&2sZ&8TfyY+k0Kxti{hr-^eo$;j-4yhn+)M5=wU zHdRZjMwRDQrn3JkOYX^~Q5(mdReILaxlg=yGy`y7|0@?T2!He9wY(~T=h$Jy99qM| z5R25N6pb4fPU-2@Y5A#yoaAc>auOn!81+BuQ^%)yuvs{bgjHlM^H-APZfB0zi&JN1j5?RR~b{Tb!egAxUA$U-G|t z*2dY%%6C#S{eb*L0|37QegiKIM?KKrC}z`FRPMcIBu15EnZWDATEMdaFTj7V+ed)+ z;;hfDV;Nt)x}JXgF_;b=iX|J?T~~S+eT_V2^1@q5SDo@-!P+k+nBmyxrt0H6TK2{yDQ{OxM#x!z~}7Wkd5u%^Nl{MK0Q zY_;<>vuj?gYprW>@&%-S5~WyPxSFi=k(231(ES&{5Wq0NAAqrdiIilUL~(})QOGad z$gO5Y@PWW<1M90#0dDit#{2&tFV>g&Tzd|{9229b!GlBS)Tua-rr=vx_!%4Tky>UpvHbkyNRt!w~2c9`L5 zb>H6lhTopfm!h*ixLGT=_oXEHcksfWpf~69oCKH#m<^Z@SPWPJK1iinC#O<{?@>>> zBGv_+?k3aH2+;+5+e0F!vu6n7*)jG!E z$X_`b>%vUXd@f)iU>P74fc&Pk344>x$ZI*Ce7d$GotL|evDgb}0rx9$q{tx7BV?uJuL}%uIFEkyK-z}Xm;8}caxTrGtHTcRjoxoSx|;f7jnf}nESII z0Qmb41F1>5$W5rIHSIZvtD3j79p~c$b==J`3k@qzy`n; zzz)D}=!x5?(v+V_9~;H8zyKHk@CE!|yVw>|4Y1bTT_?TL%~#d!WbDuHM)#ZNW3L`q z7?8bvg5JJuoIsq1R?ETbq`O+9o$Jdlm@Zr@KSw7Eb3oI_3Zg7-e)5tdPbcRqMgCgO zS;{$VH9kmdLvB0TNP!2sUyi*#@=B7t0(`IzG~Wc+4%i9U3pfb-(qW1_no9m}bU_X) zRTgZ-IK=|~uh@@Rrac3=5E>%Vh~Fzx?oG^jXwk*d9`jw!%Z|%FxHRbUwsE4wbjO@8 zk?x$6m-7*)O&82{=IYGCJkbAf!u&EOao6)^aZgug&RXOtRrA)m@By6VIG?eY_7v&U zo&q1daV;)y+Vv!5Gu8#3`+EQxfWv?jfHRNeyG!30(1uaZ(k31kMjkf zASKy@)~&2ccFtC12ko8qn?fEyzG>sF_}n9Fg0r`ccg%NJx+C8>skvzdAz%g6&ofiU}x7&ks^`ro=wEQ7v}LT*4? z#}1|GWJVk*2GE`Ji`xJkvF?-svOUq3wLdyLZIVZxI^XXh>(x2$q&w$k<{ZVGmwN0x zA=hmo_5h0@10EDg%3*%{=Zd(g)h#to@jlMc`>G>{x0<&ZdA!x!%~%sSfAej80Nns< z0?PxB^rsEcS$||D$r(1s+&>H2UjSqSt|RC9O{#V30QtW3BI)!ZpEHdH@L2wDy7+8# z9@cvK>rVpd%E@>lj?!oPBfmOX0W1SxWh=<3owIjN+3Q=!iSoVH_(HlnX|LuZcha8o z6|bEqT#i@_9bhr&|5(6X7I${J?8w>8xyzBSdLQ<3oU?i_%L2~d?ZOAQ=>{wd3i&_| zJoLf!+67x73(i3nTmtQ{0&W8G0Vb+*C5wW3^x%9}>^e3Nz`m#d8!kSJU+wKBCZ1`}_bFJ~fKNSn} zpnS&iX^oG!p!9w>EXQt%tb^J@UEE#Z^_hKunxchB&@i8-&_Z9i8i>!I7Repgi1 zGu?U4tGW3XIP&vzO@PG>zYu!ZlL(>d-rC%@hsK@p8HB6{h0@nEM|MfzTaMV@&M;z{7w_#*CkR%y1>K|7wB}u5O;gA72NlN~yxSaGUUO9K@^-eiooL*m4))z~6 z&ePBJI2L1%0Q$$Ig8r$X|09LcGGu>_BS-&d-~r}?kDT=@P_sal1ulGW$C_{#-9X(h zwj=LdujbS)U>e}ljPts zL4GDxcTHFg`aeoo7k*Vd(nCgl0%yI7&z&_ZAPer`1FmiJaJqr#u9tIb<(}tY_U0!1Z?2T0_n?zBpOW^POw(Fx|OM1;f$hf--ECa8ptn-vvNDC5;a*FOSa|)wxve z@OEy}ysz|GpucoKYrM9fQ+0Z-y#)P^Yw;A7_0IWDT$70D&h?m%qxJ~uGZfU`AlL-d zYI!8EG0=v&Um&XWdisI~G(O;ZHK<=yxF!_kgAbq=+>dU+wq&Q>U^nVuW-hv zoeb4cnXNb;sCn`vdDN@NJa8VsXDk2Y#b;ETA_7I)JOTyFw}IwqfOLS953a4Olk-QX z(z#q?hU=`L-h{O98~w$dQv_MF*}B^9TxGqspSv%*JL^#~?bSLxs5^6fjUd0hLC6+1 zf&PyIw$;o=og!JSRixIg>PL?HRjA{29JQN{73G8b)eRsEH2aZiH|Pf1FUexsYxMw_ z2WmQaK$ZW6asauns;pZ_VrVGyz&Ze*t^N}iuQvld^g8*^Pa;U#fVF-L=*~Q_9k3&X zZmg_(V^kNP9Ih?JwMMw!2G<)I)5%R<{GI+H=r29+8qamtijnmi-MKc^Nv!!?m+RCz zL7B7>=fRs%lL|F^{w65G{#SFw)4wWeou*R*9JQKMS>VD4T*K?OHGylIx$uFjZlLZL zi|7XXy34}(rMJ;u;{nt=x`8?$HwtO*)CIWiOT`f*G<~oi=<-kK0?qLp!<((kQrM~)k&twuLj)Y`bxu`bDwKWah;{HsINAmi<`9Udwmw@FT2|Aoc5as zlJz{_3+e8p{b{V%T&rsHM&VM$ttE?>)Loe zh`CSd+=tG`a-Ziu*B5k|`!o%82D$Fk?AP3+bp!Mlq1(&6r&DW;-Y?y;&TFz>oAX?c z^4w-eP0Gxzs85$B-110=4zLqE@Nl4rM?bkGo=2@huGyIR2kI4$01R`;f;;%&esu$^ z2}iz=g-fgNoAw%CKp!lqRg6B!>wt4lm;*ZT-t19cY-d^!<|k76z*wTip!pKOQo!;Q zvM;G;o8G>*}v)~&|V(ObHAw0$8#TYpKDBVjZLmG%5$G(VGuD!PS zUvBc|!TPMDu-&o^=YH3CmF}Q@rgP4p$DHT-oN7(hGuoMV%}K7giQ0qm_TR-U*m30B^m@mB&auY3=y$HNp6Om#ix+g~ zy0l!M6(A4WBU}^qf%XprM_#yw8l|#Yr&O(5tMS1&$N_ClD9Q(S(G5-_x80SEf0y>E zPJsHS`PdWQa-IMDI`-&M(#OPTHUU1H`MXy~#AMlqyc|Z-G|YL_52o1w)KQk_q{z!Y z2+zjcSMJ#Ff%fWt&pG#}I_EyieQoY@ty!+M%k^ft-Y)8n%IPD-EYM$mAXyI`pKJ1} zb$LPiOQ8KFtoK}>Hx=~v*^f0K13d6R06*U|{jRHZi`81SsNI`26)+jHV4_nVxbnfh zbc2DiaCP$|p}i&xf*tz-)r(r=g9OyT3K=v=i#2QaH;K>uvp$yR{-8P}PpePLbkKeV zU{-y)Fg*V1kXD|yLY>dK?%%QBT1-TUH7S8-u;J| z1v`%Hx}UpkjfYLAsI2F@#60IUx@Tj(zYLjwdarOZE(5V(Jpb``0d^z-{saQzMuhRu z4JSBX^Jh3eQuhk{-2=grcxmiS@$x)EonB|%<{8e~%`SZ4svD?lLJ>Ytb%PzVGCFyB?WgZA8>0-r3ODkyP%U>oTGf7-gb%4V6kxArx^>wgr z3^I-`Lw3Srh|)C)KZF(tD}PqRGc!SZ=7G6I_+Xl|mbtbjl%N}&8!idg(=I-&uBXlQ zlG*@x*%Y-2unY+1b7Dc@xZ`Gkhq*X!!JNpldfL;kHlb)Pas715r1~l!oETW^^57>u zBvt2QTTe0jy-5yR&tLmJtovMRSk?I;_qDm7%5xvIU-yZgxb`sD-`(0nFCQ2uW?`L| zx$b(gbT1<7ndTS42bQt zzWbamwCq@2qqy_JfVb`9R_yt*AP1NaxR$-PCR{4Y2d-iGF|gbG8ZK zjOY#-P~*@c5-V3`JzzS3aemON3Vx9Hc9TH5@kfeUJKiv^KI8ykJkR|KmxtVCzsGjI zJNA1;bUvQ@Tx*@{jdRUyp8K0nbA1bH&Tm8Q?H%9h<--%jtn*t0`Tw!^9bi#oZQCqq;z2)DUcpGItx5g5Ph)G2aj6 zdraMD#e8?!b|33Le)lw6_nGhC#_u10x{Zg(I87^roQ~*@cdYX-p&ww|8cG}ReiwAz z5_ta^pV!lU;s<+bO3?*5*zVLuOAqeBC*auNG=p0G9CQD-={-09I1Ye5LR=T@)Hk4; zmGMejyw3!$97Ff#dwF{(OhjH&~eATG{RE$KGjgIxbR^1Y6j zuS562?kB-}=O1F--^_!ac!2NO2Jc|^;vwFjr4<7I1Sh^L0p79BUk{>^rb8)t{CpHA z;Qg=2cfNLy1SotwvnZzha;ew6Nm?O}3$Rb%#E9pC`}6`z`>)}iBL|QRVE#Mh0s~PDB_t5+B5Fakk3L&Q>a9p1YIp6-R z6o#fMH)Q#Yyk8Ns2o4e$py#sbTM7FV}E%>L70Z_y7otf`;AetzcDH~$dZGEb-f|y<0Clz zd&i(}zo&eUS>tEddYJiM*O-s(_i@aZh+{ss?mxo1zZGKb#R@CsoYq z--CRQJ+7nM{yi?;@0#y1V?M0=?3gcs6Z3)Yr@8Z>$6)ud?!WNlL0I=+@8m&mchOMB z9vXV;O(UEqz!-l4=DV+cB(D8w(z_gh59V-KO<6gol2TdoPjSzz35vC&qOQ5%z?K#y zG+_ef|2;sYOWV6!9RV9#cTUzs*}fxC?(PvN&u;`%4xVitP<+rzfYDR`9;e3N(ZBaS z`5x$gDsYcuKCJuC*}DG<>%K2j_t8tR0WM>ybU_}oooR30M+1N%s-xc%7oM49zL;O+b#}q|HVZH=>5(SOc}`8 z#gc>QmA$K=#!nvZrho67^F7G*d(8L1?ql7@F(1}_Z1-RLuyh~mzn2}AAI}P5KCoB6cc>vCv;s!|xp*Ks- zs$Xt4&(HE6$pASZ-uoCcj!%&(_*1^e9@oLq{jU9coS5&{k{IYP+Fr}C7ElOM>Nogbh5gCwdN1xa}0MD?%7)GL^ zVdYg7{6mId8-T}&eknJ`&+t_((NRV1PSyl5&xX-BZ&G>53ajF`uA?%Kj1#H)eF7f= z<2gxY{~p)4j*kAlZfgAO{=H85UOcY#beHdO#e7)z-+|sIZl)n)ElMu5O%w3%UZ_-c z%GhxqDFwy9ntzZvMDVwwB4Y;18A+mYbEpfMfee_ow-fTqmt+2G0AG53bSyZ4w#%ji z5jhWDa>a#g8|n8(15pCWlS{P6AG8$PuC1vMpi#rHfBnir1c*EL41c7GL|tIlKh!+wU>oW7qh< zDc=L`Z@E&DmNfI(_g_)l`NFOFj<0Am0g8T~XiEC4znXsnbeutHMy1qJqMDY)_(Xf! z)<{chBWMrXNLn%-#=6tV-g%4~;GXQ@A7sH0#s*QPrEv_fsfR1UweGY1g!xh7w6PuB zV;LZvtQlwZHS@Un4^fvxp@1+zxP}~gMpKSBrz=}`VVG3uWgF3|YqJEZBAoe%+e>)J zFXnsfn6JBh59|H{6PVNK>v3xjm-G*ArqL`Zn>M#nT7Jp~V4Du{B&wiRlI65~qLSwo zqmJiUJHhj~jpTXM26Ku4QUNId7XL{4Nn4%?33i{$1`IDQM!bfG*autybeB6}{rY39 zoFrbLo#dpJ>`2`F<<058q$%b;OE`H6tlqB|H1`cdIvTjit_U9_t*dy-*nVS zts{$hiisMYEJi8sAMFg@=j{aVvv$P$v>ow00X%L)J@GG?LT?<&Ky4<#KL?|rKS*Tk zSj<0uH%fQ56wfJ8=c1>M+ULMaE}g*sv+>E!vLHxJp79<0qf44{=rZ7nmK?gKEl1qY zlWV^@Sh_TNig;bz0->Vhb$qQ*>mj#X0hs$A?p+)!I64!6aOhUYrCbRYl!a_sOX;Gg`O{-677|2yk{Xa3PGkb^rqawrmT zS4WPF){`S*jAZMQCQ6k)T`p4jW*cAi6zJ zN=MZ^^{AY;j4bERC#wZMkc7Z{g5=L65O9z9-vQnd=r7`*)c?e2=IB1>vkyEk%APl1 zayM7ELYzh=lE;te#6Q>q;>MsprNBS>oA^i3z2wk6Knx&OSB{7?kY#L87ixgGZ)!K~ z{BLcd(Wdk4J5ewAk--qm1mxvA=3_8ihs$pw%ier18}&^~cfS=Qt!ZRM6<$^S7`NhC|9;`yz( zWfWHblM9WatP#i`@%WeWFOW>HHzp7X(H!DnSVIH6vk>N%X1)KGy9R{yENXOTnUKk$#>NxcpX|IGjWZuq~;wEw_A0sM0S{FA^x@hkcFSCK#>RBG28rMo-( z-`FNDwS(^>%l->~YyQv8e|pdLU!HFIf1v({`ET#a|FG6p#Aj^Wo&Cr9e{-0a5UQUs z5w!#V9JJ14#(xdJlK-Qu`0p6B>Hl2(_pA7a_^$=qe{TIB3eN-ZvBm*ig?q~#|1tAF zLm>fFIAt7an`zU57Ds0O_v`9^Q2Pmm{7;<*Z*J+_Mp*q%E_{^U{cj5-yl2|~U&TN4 z0hR&(1ULVKN=p&1krCGaGXU=V59`@6T>r_iu|%!FKL^c@){M|zYI(m>|0CJ;AE^KS z_v=4!4b&kf83J$We<}Y^|H&N&^&gnA0dZiMmDN-I2W~aRM+NG?kF88m3-HfD6Yzgp zUn}QV@{jAkqlKCEUu9_5e|^!UO`G3Q|NT|^kL$lM_OlcJ2G5=$nvxRM|Lxt})Rkh; z{}VHM1Zo2QIcNa;e{HbAFRcG55OKY<7;B}~|8MmFP^nY-cb#Yu&SCZc{3`wxU$mD3 z{{%<(@n;|0|05=b`+t^q!~Ya;0_}IqhM@*Wn@)IaF}xY{|8MI5l_#Th)QS5#hIO%8 zj-~OMu9b=EyDJ0aT}Tghze{2Q`dER(Djd`}Pp zSzqY?{kiy`)X8Twao!=r`Ro-F!|DIE>4yKou&p(Cs3EEY{_DB$YMe;{@c-5EAK%#j zPu|v6VcgNyYl+gDSaeTgXBg z?Rw|M*qw@QYty`v}j;dx@qgvpfgSXb-HvX$;{uPNETH5V5 zwaiLyYdF=VNAYU=QG%L36Kln%wbLlnX z|0Rt7dI{sdVC)xj{MUEp|1=o?)vtmm;O2h_jQ^5dy&C)eIzV@G#Nt@{m8Gl{^Z`yn z)iZ25P&#!|+bK=urf(nrp+H>HR3|QL46L}O?obt>wxslyihKQS)osKbRWCA1)f?Sa z-HCvIbPxEyueuv#z>h5hn17ZH2vyjGRH-tzzy|#H#(zSaX_^Mnnit<9J@2eqLVZvF>D?N4aT7|j0*KzHLmaXsL&0n`98ZO4HPu<1a>bZbVqzIM;!zt!c* zGa4$yIrZMP7uBswF00L{x~Ae%bzNm6aYJP@8KJTT-BQ_#ZmVoVcT_!5q^cK+Qr*Fp z0biyJuxx-|CmRr_dH~H5w#4JV&7p1ot%XW85&zAtMfV~7v+e`;9l8(PgYF~s7~mhc zSB(b#quP*iBpoT;rX$6hbR-|qO3K}6C1h^2R!Q8YSBS*ZEBI5}YGCYd$N2B=_!muW z%Nq>2A3Xon@n&_yf&#>2V1W7Wn)`F#*UeJ!{73ZYQK$m==K`5vIM zJKaQxoNj6rI@eUhAJJ0Jd%v}WmPn`TmoW0Vb$Uup6U8I!Ah`_pH;|L2(R zv+iTNf0xVdb95iL@1pxG?#}`DXPPnhNHnYoiG(yF;Zu!B=tLta7~DWegfv#!RTG&L zT2Z-43o0H8HK4)p{HN67#n|>&18|(*(}LrygaM+m=+$J8>bxmI`8D?E8MXG8h}tQa z7#Dl5`4p<;jKY)_qti_OmjVCFf&Z20JW~d+4Zt$6mMH@)8?b?G1F#HW8-V@5Hgp^O z04omYITmE)0xUmpP<92WM3uY&?fWO^d+F)EakdN5l(es@98Vzi(ikk=XUBXT-Php6 zd@&s{AA*>VrTdusuDXxyK1cU~`wra)?nOg^f8bvDWFry`ZbSls4M^==Q^7p&{R^P> z17J9{l0`PfRTV<4aX)d;&@aW(*uHwp@`#Y}=Dw)T{t~LUzl<8}uK=#1C!_Y(0RLo| z(jwr03F>MCupj7T1DJjQ#{n!G0I^^&W-GV?I{C$Flo4=IW4gai4UW)JvXy?Dd4)9WVMO?(}T`PLURuNovK32@fsr7s% z-&0`adr0m}F&{_wvE9dhAL~AF&(?jUe5SEzHUn%vn|~|=b70Je!o-P~{||s~ng5B| z7p%%Fg&vJQ$mG4n{w8X5z_^88m>w(#{>eYt0A?)6i37U$fsTA|<4@*;hZzwH&kK)B z6%$kVx3>yVBz(Y}{gd;-2vhkbc1qZLw`vE~5W3N1A=rHa*LuE~?{UX`U(WZKx-Y?w z`LOQem{0U`%*Wy${62pG*#4LF^4Vbf=K$|m1~9DQnGZe{70my)&i@9xQtc9MHWD__2Jjb6qfwSsOk`TvL2r7$)7!2$OC> zC!}i7T*2QNGE{9C%R<$FHh;~p;p_UV7JM!>s4%pycVIgg4F3^1}_@{iZ zODy=Mno!q#Fh*@ZaaHkY(J7fmB1EPcg-SOgECV6ZjcBuI4B4Az@sWqZ?+9)F6*VFO z3J?EmzCL3=C~b-*bwb)uuTbDV1aOK(+9ydu=N3^2bv}Zt#@{*S`|f=23o#!{_fg-w z%_WWy^Ung_u?%3$fOkd9SXyG;e+&4Yya~&ZS#n!J9LVUrq2mn1D|1=fAs-`5N9y$g=5FKF?}qt|1Df%p3e0r$uu77&L% zjtegjQC`64&IbGy`CydlF5;X*YGHs(Eh9jt9vue+f(-N|2cb;AfPF#(+AW@r<_P$= zfnUgzpsEFdO~B8Q;}`+=apJMgnAffg-iEIk@1qR5K9wq=cAQtwB1dL!K)c$m*T6TM zcdYXq-m%UH0_VrsydMSbkB~^?FcXCOB}O6i?-A_&z0Ua_ca8rG`5rUo3;lDxhq)IB zsAr7MX)l`woKMHRvoYcATg0!ejrqUCzApIq?uGgOm)(7wLFY05aR^O~2PA+mh-cg| z*jUQ40e@{ict>?7aYiAf=!i@Waa5)j9h0d;0Ze>@9I#`9FzF@~ELDlNi6xWDd?y=t zc;+`jm)tulr9V7Zs(u`%K-mH2VGE>0?(n}iYzv@L46efz|L=Hcvl|69gX&ecr;*x0 zwGi7eI{SF6?;Kl?c?X@>W_V01m_<{c~=6kFf zKP%?zCg0;f2D*Qtsmva9e=6|Kk%4LO{uhHidvM%`bNo?76A{XQeHszoS6q`| zfG@9R#`WB`p2IuVd5*0Ieb>aiW1auZJ5t|ABDK8$Kax;A!zhHlU4q%i!>RHAxqq)y zjh~b6an<;_^F1UOP~Sc}pHXHH+&ciU3}8&m$w7jwzFs`v=g-E(HqiG<_cvIMbskQ@ z;vP*+hL|9UxM$>5%xwcY_YM5HCdBF+;Pel6tqXcGLKGep_{&rh{xa3*Am9+lz_-dl zcd@}1iMDca5k!cIAmH^oAc+XI?PNu_KAzjwb9e`xXX`ss-`~MIQrk@;)m=;w%3u`vBv+kd=KJ%sPiJM`@JFNw}VoM|6w@Y-?_`jC#an<;7z6ZKb40_aBXai$B zCIj!bY#FeHm|xe^ljHZt{T0NskAY+6OUk^`DAgjE&HZBtH~`b1p!TV0ZP)bISFrp5 zrzX^MU63_KfRztkQE_JkD#RA-k}V~6%a)@(0G15=h#Yi|4R%U3m&*T$?PuEnab-kk z>?KQ?`5cb#y0i74ef(!zk98jN4m!`_U3oijzZKv?AVm*?kU!p52>m+*vv0S%{=F~c zd&*~yfqu=^Hej0%{g16i|yWnco-`s5uQvE9dGJh~g- z4V!;z!TIqv0V*$XdWa_?nEXEn?q2}X5jj1bd~Fe45~942T@zTu94FFq-+&u&RQ_I} zw`>vNEn9+i0RKAyKEOXq4$9ebP{FnbU46ozV*{KgaB_vCP&2X+V-)`|_iP&=XOD^@ zrYAb$dXBB<`1qb|J?OhK<{j%i=6y4Zdxed_{RV&=f#lr?Lgp~NQ1V0De~DrmV(dceFZhq z+woVKyrb!Vz~@WAE0Bqoj0c1F;r?NE|6uoh1Lu|3GJco8Tj(iUNO;N?BQF3;21?j6 z@YxpZ0)N1?2M`y0Pi){XT}RgzC7XVhe+fO*1TkGJLIgXFVaXrV!bK80j@7UI} zd1vZ8=6yZzz7DV!;7TAlSAvi}NH3HKZzj4K)5V?dkveypOUAVzhE+T0I|D#Kt_N~p zmXU!3Sot0v+x?~SU4MlPn886B=BnDj_z=henB2dH&o@jo**|W&(tAU7XFq_)3bMwE zomE~#98`!b*eYAV*eY9yw#gQu?SQYzL3cjkOEKamsm3DdpYZ)1awCTbl`Uj(x3-?` zF%gz9%2nSZz^3 zHjQgVXgnRzh7gv6u{Cu_alt}t_ZtB}Q|tLw*}(O5AAaxy$BaBs`!uZonESU-e0&GU zKsB~$Rp+!;S9Q$?!w*;s8-$fz9K1bnw3#F2q<%?#B0=y62l=f`$`58!9| zI=+>EydUmYiBsj3L-A&z;QKN68GuYc7T`UquzpZ^MtxZ$XPiiw(h9~t`CEmXWb=qk zvY(JUU^B=-cXH63E$B8j=)ouKm#HQOiV;8U`#Cm1+8h;wohLeMJ%@L!^WE8c4)5Hy zp2IuVc@FQ(f%m0=B?OXQ1XxTEV!o|~!Y3LD&X_LI;D*LwS&T}{286~m0;uH3rjB(#5g-Bhl}jHuS%I;*A_^51**vsSHlK+fk%O*zLU*yj4(XZ(RS~j{!{5(-imRbE6;HB(S;JxH@tyKH?zo=g z^BP22)FEV9 z4}H39IT-o+0}>w2oXf2UcVucDVPO0KdxT_atAq&J@H4@!%eVji_ZR_W$|7{U=7nl=95RiDY}j zM1(RdTdTIH<*{WTmnj23DhJ)=i=4WFk8C-iCrbQq&A%u9C5=!ycJGn*!oj7H$T9#9K~imb8p%I%u@l`dch zzGe%4G&a~MU0JChLjHBOpW_P@5uvb_sQif762N4)?`rBIG9hE!8zv zt&Aq%9qWD_a9;zc0%VVCtJ{Lw<`KbeAV=g?a(2Zt!QHuu!tT@`w6+IXw6D zDUJx)Ib>x=?XIh>@0!nHoyYo)dGE>Avw4@8NsyXrh-!y7sB#YIxfA&Mxe({gg;;+c zU6oW3G0Z)lyA!{s^WV5AK%-*CsA8nQ{!vtE)zYE+)xdovpd9dV0@)ls zu)NSkA%_8SfPPdCy4H?7WlIQ4@z&CwZ1~S^m$D*Dp>{`f)NnYqzNdT+^N!;?j*sWI z^`P(KGePfX5{v=+$l|H*P}A%Z7_(gg{DZG|f;bP`fH^hIXy~CMh$hD5J_hcu{J)WS zt~TNJ#RyS_Nv~deP|^5$gt^DMk2@{O040C|@C|oH)fcZ<$!%KGNd{Q4f!jCa3SDEw zt+FNUnxX`*`+VP6k8j*xTnE)b?S{dO@4hvkXj&18P?-GtM2b3#OWs?X~Y-AyFCZx+V^AVa=2r>XRV0JlluV$1YeV0uT z>+#{*-W9;#UDyAs9@xSr$VxotgHK8IsFZ0p5mfX>e$ z8jJ(TLWgIljafE@bjcCQWivkl|6l`V6_Us{EgPxW&EU+{hU0vEFaL`R9(xGmYpG2` zL`I&3ztx<^Zy>41g_oJie{^_@L4fSH+w*mJH-D^MtSE3OGgtdjK_G zdePry`#HyzFh)g?#}nPw?l`udE1v`Z&b0NCGl}-T9%S*Pd#KvsIU+gTCb-MQ@jU=+ zfMZTOvb+?BBnA%W^yjRH`}bFmOO@bROw*jU$MK*pxeYDy%r7J8Gv{dRWbJk?0fc4 z*LI*8f60RDlX(14B8~|h;hCXWvkd4rAUL{@GJyNH)(E`;yaYU-L^2{rx0LMZS5oY% znA_gH9DJ@N&y%VslKd-cz9K!ukWdSjnn4tGTf6(5&mquvhQ?B&)a)c#I{7|g*uk(# z;2+sTncU$C0EW&?g|5?SF9~FI`z=znbwX5LW?cu5+tdgAQ#D;U_20JOJ}N&zqpm2$9Mbbus>HGhd zxWB6{kr+ePLhX+1RJ#Lx$9cT;Z$xWvH?qtu7($)fh+z{AWAosVDLWWCKP3tHhanU8 zk61RqHmMd3-Wi4jwfbV6ZvgBB{8xQFH2s?vY||_O>HJhdVuIXsbZNvR^lDN&w*5@q z=WzcN^AC6gNCCfae*)1EHma_4t6qM|TE$!j#0BJ9TuX#LWj)chzpTHvE8kt$#rvXS zi0KJ-K1WLZMlh5Y5XFOblI3Ggq1uU85iuzO#^>FJ@tJple|U5X51F(}WZ3|_wFbp8=$-S zSYh-3`2~+DH3Y!CUes0%etqQD+aKMs%tent4zTX00UiP{_YVLGfH*)b;2ylDD$1H< z93Dqx84p39`t?QC>Z&MTMhej-#SueX6#aBR06vBU919;)T@B^oa||Db@+~%_%+bdX z13wx&?i7s23Io97F;?ecT;65iABIPAY=HG02C@vzM*2$+AbwT+YzDOjt{Fd<*$;s4 z!T;|I&T;Vb3JLJ6S(_$*U$m^3FS=;<4kd$M0Nam}09g0q0hs&yHV8!nqTp3k8^Hb)FgGt_D_5`7vr7!?gLM9qDAqf%`xl%uMQ^5o@Em8>*smX<=Kv?LP< zJ`vugAcrbclu*77?Au2ll?~{RnuZNQh4@(bnE2TE9Qa(L7o)P#M-ee55XR!1fH7Gi z!2fCB{~YkowgD5bv?0?YZ;;-6Kj0mFJZl~f9N&!r;AblSw{*S(_<1G#%vv0_2TFW8 z$U$utIx_qLingjpagzw9?#BS{p!?`9;I<9)k6Dt%Z2qwfbO!>qGcbPu0)XX&WOIuD zN9=9*JIpZ#{!MqsVs0Bd85NH{4Er4i{)2#jumRu$(D-lyjX711hIu6+mGLVOuPlBB zoB13ruHD-Je)f4xIK=YmABbNd7LNrNofcR*%)*uK4nxv!1Nv-IvHGy>>owXqf ztyp~Z$kms4{NeA$fSuWm3c&`TF~Hy69Df6r_!Y%RvaQd39SZMI508|d0AFhjy7)xT_t}Z|0LLpcEW6B zP30iB$4KwDlSrcPM8qSmhIJj!wS?!}@dD@p@HPBz`MEoQYaw|4BCJP80C+CDR$-b9 zDJwV>DatQFef6)P!2{Ef$%sPWrVaB0@&LB@3pV`QzGHIDJf`W$Qsz1O^^HJEimQ;I zGe8^jQYo*K?9P}(815qh+*%M>Bur=rTDJ;2#Qee~d)JLZe{bk5SD31q6m8KH!&^R}b;f zR1uYm-;+hdV=VC;D%g*|0^oRLGr$Uf`{MDr|EK406aGaDuA$*r3qPxfYYVo36#yJV zVBdk|;~F3efNcjJSAqY(1vmr1Hhd>wCBP0a7=UY4_?Wza|1JOBJAmyomJiG$&cCt# z;!h6ncX*%w=``Gg|1JOb?*KeP-rbTX&}l1#IucwPaAr&K{Ja52Lfkue;dN@q_sre7 zet;b+EE=30@|dfXj#GNE);R}Y|GeV>4A$2Wbg>S=JUiaTZekwid-egnIP2^Ka#kr6 z=I=WW&ptuN;n^o(w-*0O1OK4obnFx6eLf!Zgo&TmdGP*TpVyfU_`J$&0N3f64d6OG zvjJV#xthal5La`U4eGj{$9+C%U?TTAG_dQs7x(wj;I8Z3U*iktvfk-(;DWlYvoD7y zk@Y)s_Bv-jbJpc`v`d4v4$QKyi@mOa5bFyK)@DzHSSONTt>gR7JOOK+dEdS828lfU zm&r>a{!bte{;(vE^&j&uQ;?WP66kgvPS0+DKq3VebG**H64rHfUH8P_GaJbI{%h-a zch&{4_UBsn!sq+EPW_g3w%p@gnfrh5`uCoXYyUsBKM@+iG9BM>Kg{t3cYlBL@bNV8 z_e_BhV6K0SKc=2C_hjwQB@ay2x#Xo=dBPXKmN&K-cF1G*^7>hxyUIIzopql;l30hO za2C(5>s|HjPwQTspW;urkgn^Acspn5Xcv0}tmkpQ!=G@YST}&Zu|p3(ud^prwf2p?gle?NMs)yKA1e^eO_ns$kjk5?_3Siz{lfikU3uGYJewR z=V}0R^>YK*deU)1=IOZZ2=jDYCopIIzT*U*taZ)-*@x@6#q7gzM2Dim-ksAz&d=Gm zq~qu87O>Bbf5bfF=iQk*aD5GX)ke0}e_SLL(q<=?{N z;pGfl)W`V5QueQrrS0=Nmv}4Xqpzsi1A)C8MYY^b>oytGPD(OAXuk*cFnmV2PEq!n zp18_FtTEkBZ|(xpu`P|XA`6Y zPp+gb7`I@HrH|5Kn%-`ai{iU33iDqQ<-a86dr6qDkHfSlJXBdNeF@%M=d+{_zE(c? zQW^h!Ej`%ZuCZxt_>F@F+u~F!DvD;h7@Z0ZXc)&+;&s8h$uE?LnAq!}w~i4dd7q~1 zhzR*;rNENmpIYZ1I`>ewUw^~%@ezBJ4hs$z(Y6uaZJ+YUG}Y~R;n2X@v;N2qiv;mF!yt%YkxoGt>3T8TeX;ecagQbg? z_p#n*J=0;1jZ^gei%&;fTy`LB^SQWF$49;2pHNkG^1wJ^>}mm0)I{(q&&b`kPAZIq z0}T;e7}#9%K+|*W`NW~8B^{3*b6dQ5gk!+;h>I7Oja}JvI_Y$XddTvXi?=-;5wdDT zTG_H0mZf~^)an$;otaaP*Nsl5w*(yMXUK2H8!O|?$dS7|CHl@n_2G^;7Oid?wC$$* zMX}S<+x;#BX zd-Ebk8HrWqPw$_ayuNWs<(v;xhLNknA463in$A0{;6*x9`O7{Yw2Fzh5L!F6NjG-s ztG8FL&6?;fov693Uclm&UP%0ns|9a2iCbT?5-MD{HX-m_91m4rc%qht;Fh7Mnmk_A zWlvt}KHpj=$KGz>GQREpTKv0rT_`M3sHYtob)A>wbC)q}v6B+c*gx-uhn~~(*(+~^ z^_wC%L2~?R7mMFKkEZUt^U>5T@QL|I*8>|5tsD4SGj8Ftjgm>xXU-Qi&pq&Q^@!wC z>2VKkd(5s4ydK6Q!Sj)Sn0SWnNr^`yUgm=P7sPl{4c$bhs9nxW-msFMd35;TxCr@z zQ+M7r_mPVDjiPzF;e?fC(8!|-16N4OrbUlC@#!KVcbHsxOYrv{uBEFaHko<+9%{0A z$Lnh$I=<=DdHm`sy9|^X9*I~i(O0Z$PhVj3U_;mf#vrqSMg2egmTmE9;is54%}Q6j z+-vMK1XD(>QM+$_Q`7&=f&8JTWu5y;E1TH}nRo?vp&5VyShx>;tM_ z9*-W`&&_g~mv%HsPgJW_W_jfE;`{K5C2^$`dzd8 zn`ZSHiL>Uq$6juDSkXS+!O48L{HSp*SNW7GG?fp$RuPjtApbJMalFZIyKEIF8(3sm zAAaSr<>uv$l7j2Q^iT29PVw@X`Xrqit8KsIw5C?%4vPrIp)-BMr?p&&e(yl6-5{T# zBOU4a`v;{J=#H^|fa?v_Wku~08bx>0<1FX6714)@KJD)!6%BU5c8>5?zM0PEQZq)! zx+O(!UC?Y5=rkl~f8;hjPpa+9(iPza{%Zwg(|<2}zdU?fT3MOd7%RuX>(^Io*>XN? zxz1ppiH7Jc(mk|=5FczGS_td`cvW8B6l?V-%BZ&zSHCJ7@zqU58wJd=jgFbQxq?0 z%^9F_`Y4a2{k($nnF}-C&yyRr?#RvNyL)%8-5P%HxC^6N)7)v({t&aYQg8o($MYH# zp9UGZ7xE=4LN85ii^Zd@+E;yA-@MsWe{Yt?`M%>Asw+Jb9e0QA-`KLAY)(6znz6*~ z`sP7SP9lfbxn~!T;nNzjckf1rSsV7BTP$#ICS9M;TiYrvG_KiBUBqJgtI_%IheQZJ z2zqB0zcqdPc6e#w!nM1{{UNedtaZhw)*TOh4Jmh_Oy4iAX73dD*;SESH{^aCc*a$l z=WQ3JNz-Lo)FaJ(zS5aC_T#Pu z&WPI+obD<8Cc1$jz8f4XYrO&T)U2mB`T86?mrVfcXADb&YSh%9qmPn{Aem}HuM)nE9gwb?8 z>PXe7VGnbcU4A*rLxH;I%{9A2=5?FawV2-EFP$}PLdK}en!Wd3Tj#rQrm@3F7Y%8j zOoP1!5_@!yI1Y#pdp~+n#(D4A8aqB^4T-L~bc8`{+T>cl>R_C^TH;dg&_jk5FTY!+F#8wN5B- zS-h%X*QZu9Yo&CBM^E1zSVt3kH(SrCaXKx3Ab`cy(5~q2ff zA3yJWGD*`|XYbRy`>dDtyKw*FEBl!2m7YdxBQ^|+-xzVqj%c}JlJNXxzhyjTVvKdm zs#8iI&3GVe)cFR%7E6`I+8LV@Sj>bHr8 zp6e}N*v~!s^yqZ;;`kWJMS{JLB`#UqCfnzFaBR{b`$xI+u=tO(wXrhWdTXDA=Yqj1 zbC=&yAb4xn>>tWsqQ<{1Ez6!F*D75*IBZDSEM@)T-6HYN?v|qiw=CB6k3T^QJq^8+ ztURM8>vlor&800vG;-Z;=Drby2Nu&=#03* z8=bK!(OWNquD7g$B9F;d?(t{ zS7pb{q;5&C&hS^yyHq zflOs&Y{cPtn$p|+s%Kd0-8B@RWbHiLUr6ir8qJYQ&^;dL1mNeWpn>E!d<`Zguy{t%lfT{Ezs&GcMW&qY=UF+mm&P4RN;W zW=>E1Q>`8r)-68DzfX1Q?*1z!Kb+wA4of=VIC=iNJJKQU&386ON65MxrKZ_#l&F2T z-#GO?MPJc+W5Ukm>gd%g-&N6#)ESOf2k$56y+Y>p{J2j>8A4AJcw=FsLN1t^%_jg7|ZH#vbpZ(!+ zW|)DT?!&tNmX9J#-1}LCJwE0w?XxG7F)_!@>YD#^^W96lrz;9Ct2wDV&*Z+fzV88> zKG&lRM{T?$NL*BXhXRiiWsTgE!Y?iV&U!d)~ zLVw))^z+p7{+7N|X68pF1oDrreYS7uvk`_VflKQp^8)9YydNmf7bfm59IanwFRfo3 zzc?Z9#szZvW#8(%QFfzia+=x>$0fK_n7)plG~x6}zv|J8(ifO|j!oB-U$A+LqlHV* zyMrD>R%jZDS1mj_==rChl}ke-XS681&=M7F3wJ9t*ll;l*MCn?QKWqM>=oN>K3PoC z^yxd(ZL`?zr2+MiWO_dz<9ozgWq{f0Vdvu)4SB~q-z?Qicd4%FisYeJ6AHE7?Vq<= zxcEYpoki*v+t6*bFH?!xGo)T$UbnJjX@u}P&HFhFyZgG{@AgF9h%z6(;*P~!^;J3+ zt8F8<=nb09n;Z~iv>qc%pz_3oiaJR!)IvTyCITidn*Jn6#8GxyMINmcK3$f zrPa2x$jC%^bDg)__Uh-$yi}~m8yKc$W~`p`%6Ue zZ$D7Abhb{OocKYL%6!?I^Jc~Ldr=;|rKK$Co$kX+1wQ8@YUT?JkKJHu<^Nk>Vz8oy zr<%;{g9na@pD)UMlyGqoRmI3DZGTeP*{WfKf46&Dz0_yra;Jp4Km2!}f0UbfwX%w_ z{#xj@@hvOK?Btkpee9Ei9fmB~9b7nVgTjtOiugDxv2ays;QgnN>m)ZEH+!5?J9ghtmu>GS>d!D&sxoa#y`jE5DqqrD zcZ^Yd=fj>5`Gej;=y8Mn;&+)uZ6o2%jaR?FuVG-DU&&)+&c-lVMV z{N)OI!MGOtvwDurdLerxXTDABN86RKKYndvZSK4fztEMls;=H#U46A`t9eSZ-TE8x z0#344B9R%Xg-QOwEs=dz?MCGNi6`Jv}M^Nch!Q zzdqv%oGysRtZ~%aGj>`oab0Ou?)zsCcB(y|qpj%1_ipgsrDFa|s58AS$v5jWRj#bb zdr*{c&O*r9WA;^}Jv=*>m83fQ*KBr|-u8HC+mhdc_f#pSr~8(IYj|HZdA-riL*dKj ztYtjBy+3lhm-gBjh7#|n3tdOm+3>cgyg0eExH0u{hMoK$k7nGwy6%>5X;fL#C98l4 zn;j1*E}m&ahOJ(+PR6^p*XtK2hSV!wo9s19ao+lghdrPB46i$OEOc9hg3 z`!v0NvmPb)-e?{(I(6~AwW-O|T5?{rXtzz7$+vgUzO@2vZZcNV>(fb8v?Kggq`36> z6O?K5KU{pH9cX<;IokPcjiBEEX?l0IrluLoLp`?k zo*Z}0|9$A9nL9_nObf0Na{5qjChI%lbdpAONP6(wOV`>=rMFtt1y_@&GHOGQ#yO=mqx68>)YJ--Z2Abhk8%M+ zBF+UJ$Rq}%0~&pvtUO$Pnwpc7Kla!-z1*PD=(>5bck@*L zLC(=<4i5jQ_S?()xed!K&sr3njw!jl==8aYB~q!Q%vMBg)96pr958HttV!9xbIbS> zV%MoXd@v|2R-%`Wh@odYne-eT_YY}(*>>Nq66K3ui`;f>z$xp)E4-er-<=Hx*ttCA z=Ix~fBX8}%z~b%aqvu9?>MeNu_S2!ZIm8K-@KvkLXvJ=OEy-j3YpmNZ6dXUsKWh_O zc;2r6fRCpP1~gw%mHVI~=Sv~g+?T!@XgKF#`i-qVPiW4g%nonrD0rYiC{ioL z-BoDl+khJ{a`xU_owLVzh$v6ITC0}dY{#(i(YN!3ijNr$OHrt(S6i@8b=rk~X4hiZ z*)3lG;i}B;_!!f7?{7XC9cwxFe6~iz$MRuqxdU@4|Rm(QDhuG!moJ?4dtWAIK=cV6wgsSOfQ+Z&^Or-Alj)hNF zerVMcJAS;OqFu%Bp@ZA>>xr3D3O9_G)LBjK_iz9qb9YkhM}zID;cE@%EU8v;9U|a$ zaV9;$su>k(?PTbMOFS6lgg)huTOV3?uI@;`gJ;8LIz(IuZQ0y9U}%Jhue5=dP3(lX z5ocXWB7)k_yN+nlIs2+_O%D0#utj0%Bx~c_e*`vI4_NhZ+_?`;ueZoP3^zE{7U${0aB-=%wthd>{?_JvP6oaOrez$#Z-afF!LT%IdX}*0OGL~xWvMD<4 zB{^h{{eu@dPL;VwK6xmmPRfY6d2N-F`2M35hDdGQS?4u$>FQ|40@|cUk#R1Y_52dj z?vJ!1R#a@Oau}3uQ%y|Dy0bRro#WGZrJa`RJyX=frXM=oTBf?eexRB3$4tKH)tiUZ z3%-1Oj4#q_g>I-v|C5&oOwD%{J1#PDa7oY@<9!i=;Z1d7znzQHJJs7ufA6U^l|nP7 zZSJO!Yz;-5Mm{Q8+1KSaK~*2sJ40#FDGyCg_DNs1?Sp25 zQn5S5AvA+1z2Z^!y8Ts(1iyqdJ<~<-V>)sV_z+@5*08W5~ZAFH{p) zx7KV1y5Vo3U1y!A${*{T9aphs%fgJHDAS@Y=&qIjUEwxdhhzI-z5fZHuov>*Q_-WX}=wQlJFPGkG3x+0TIObSQIk0F=&C|wr zYYv8FM$_M9xn+zH8k1Dz(4eQDtMlNo*r>4&$Ilz9rvEZ$Pes;?biHBK3s3i%EDEu^dk6zwed$nQ1XO=T_nB#gewkhrzV_R8NE3D-iiBY zeWmX0doF$_UMUyMF}~_r<03zG&Z?Xe%$#;ELrRS0hmB%zW@UG38uCEw=en% z(@W-gw)c~NlgHc6?c2Bg@WHu2z^eUrf|~EIRVW?_PHuQzDPM1vih&T_N?c5_O>T*4 zGLK*JNT*@93X=a~>N5MQIpUCuLSjJV%Mdr&k?s(TOmX|UBsex#+n|k?YmBQ(ijYW? z*6wdc;xTE>hZpMG+YeasK$xP7bh#9TIde+*);H_TDHQ>~Vi@>298G{v0k@?)8ea2k z4%msEh3Ia?&#;#uSc&deeC%R@Qc{Hojh@ma4*dSm!%z42#%{0@5z{mBCb~C~;j!Sv zhMl5(qw~B6u`?1ik%r6kT_=&Vx!tbGJ$zhDdBgLr4>v9frPs<2(A>{uY~Qt6(2q3& zv3dFieY{*_zW0`EN%~vb@FuwU2_cZOuc7z%`yWr`rzp724Mna3jXDM*x;qUcs$1Kc2C@Zx)389mkFydE?B*-lVYKcdO}dJ@1VFXmC=)>yF7n z{V@M6wf^7}-K$J7^`cR;NvK>9Dsqr7Q_VbROM->9f4~tBmprkgrOnYc=oN`^eserC z9DY`Tuvn!@e+>WFxf2cgmX>{HbKg#Ua|R#%=oGHIuF7oDJN ze_Z+lKv>Lt9d|3BFRsVd?OcBjLyK9_o(I7l%>o}5hc;W=ppBDj%%n}-Yg_NW z!{0%AlNY8af`YCs+obG_bte*V1TedW5d7#zizq0tQ1iPC(XP-#B>52#|7a=lxrsc9P#EAzO*_a?HJ+e<9K zJx{A!Q)bQs(ZWa}BHD;3b3I9FA)m=F;}9M$;c%(_J@WKu76=8j8FGU@E-}5=L{KoL zWri!klW7W5Ad|o8U9gA|0x9H_?q6?t%3U#%NK^9GTPJe;^_FiAz6Dt2cn$-=U<<(4 zl4%MApIG?StnK~exn0e>545y(-(XQq6WmFXKIf~MV2YBb8v`ml{eE1Xt@HD6`(Fo?J6L!{$rsDDG@N!*e}t^>UPW5zxkhZ$JJF+87b5Sr)4GSAkWw{ z6V21&FqK7{sc(=KMsI(AdiPV$#@09B@Xtj!q&~0vx4WOrM0~UROJAxd6tYnDzZoR% z4weAC1z4PN%=jb|i)MPx@-qv<>F&nH(`Q;%IEij=1h^B`dDc#*bPQ+hZ;fq_|3s*^ zVUJq6-YQG}h(46&zxi4uwNpVo&TykjJxNeZNs})N!R_IEjO{zZ1@!;lB@dgNpPz`IBIb7a}rK}e|g!`=ef9>qvOvF#RtE$5M^&7q=-r>7JiL_qkx-Kb2z>^n<$25h*z- zb&g5NNnPiJl=LFefOgX+)DZzy2qr3mDxpw~V45OWtf)+Kww-nPKQ*lg#u?>G{Fpa& zO!-SJVf==J^lmWbFpdo)tZ8XeTPcKGrl?|>qOej?xoS?q z{t8vhHOeN_MM`ETOhiqU*&a?Nj+4PeIxTZ4kyf|x$PU5-tTB=nNMxc$m+3ss zMKTr3y{G~yk}q;P4U4}_pBEyLC$?*`rEB(+TJ*~J#uM8E4RuSL5x}hJ)zx7>_`zxX z=trpyp{@W{1JBb>4AcVn6L2#?Kne1T>-JDvG{g3q;vgTuU9bG|c|ESJ&R+X_*T~kG zS>lUK7J^57;mjWdH$+c8KTqpkjVV39M9(>n^ge%FZ{`otE&L(6ndjqsrEX>e?8Vqj zVjplk@pCfq*K23t5?~@wh4JO4Sr{EoOEK1Vr~s-!ZjoV*8cwmV;@iGuqcn~#P zeBmQ)Q;3vHc&B|s^vv^fwa(S~k)1=4912;hv~&Rx-Gc`&+}t?@(2`bLwm0eA*@ zIq@^t>jVlh+MR2Fn}Ewm2*UhHAwG6>8SlTWgo+}?Msg1_gU#QC;6B6YQ}hjbX=0q; zPB0r0-TiY3n=V)Xni=k43+67|9K3eM#m0r%yXJ)D_&x7=k>C90SkglR^MQVSH*z2X z@NM8TNyqoEdWpFeD^f`+iR7L2AKbI)|F-IJmiMPdPKV7T0w%f&d)hwZyVU;n_}51p z*U!~Dt{o83ZNJ^x`2gFsWBj1^G4AhsNk)kaf#{RSCx8clKLX7RFUA4a1Gfmltx{4D z4hZ?qONzxuuPWp6*@@*K1E|#v|IEUmPa#$FXKlxu(i_woJg2ZO{zwGMw&G8{d8zdl z+v#bzUwyTO<;x#8pZG2&F6M&%3P3S%g2YCj^T)5^TMf@3QnWXIr*$m-%D?=^<6HM1 zJ-$4nneRr_jJ1D;_!&F?GQ=0Q{5|4d8#}wPKHk}2y-GXL%`T5HF714YQ;10TcK*Phk0BmC#v$FXK!Br}=&EexR7CENT%QG*Xg zZJ&;xNqCZek%dcM4Kz$&=0$w7d-dw|yzoL((xVla1ay-l`a2BxmzZ|>y=CTK10WNF ze#Uc>=q4ZI9~^$;WS6y`Hz2Urhj#i{$>A%$=x2OkC$GCX4uU6x)eZa9;^#Bh@@Z)? zyHkGB=0>nNevoV0|BJVGewSzCdvuIi{%Q$JfL}0r$PdN~_yde4!fN3D=lA!>tG{xR z>%M-Hmk#wNE=vsBl3;xb8)TVSlTO2S&)xiUn!9gG1D7<+&sjMAz0-C2C)4QNv!}}% z!Ja_c{mD;SRtA^T&xt|y;`zmE7!R9q1rzw?n+_0Af>exM;KA8=aVjJr7sHq3B1|N=L!N{6bdjbn; z=Q)Xw#ogDZGkNkuG&Q9*g?a_J#NVSyqdykFMI^`%@TTd1g{lM-&n8*VldAud)&NLe zJ+fsN#>P!HZL`cf_Q20>hlUf?@hR)DYuk;2PiqoxOU?r+#^stG;rQ zeP?1OlAB1FVV0miMcF`^SVMwvIexGs3&E`d;kDhjvzcK_H)CGeMM{r$UoBfYPPr$X zgt3C~;~$@mqF6HeAUPse0SIB*@MB@s6;u~ZO|YF>kF?60-Rr~EtM??P4SToq)2TiX-NdDBUyv`x_XFIop)UsRCv6y?FStue zW&=NYW^WHm{_U9j#k1}Hmju^|4V19P^l;PgB%M_tJZo@|bpjbh!zLX4-#*NdZlL>- z*S0uMfPLxkj2R`YSyN+98u{g>_OP*uZzwaA#AWij{DDfP)XAME@w@9q2_+GS50 z@D7Zcf5i9s8$z@I9|vxZ#bxV9e%8pR?`|TdCptsCYX3Ts?(j>&PNXDhUHmPiw>Pt-qv`rv0s2Wu=~>C_q=DCIkjpGYs)us6@U*U4+_*GR!#hi zROg7<{0A&T@ZyO-ZxK>XN*CX)MmC?tqQ=g9nF~>USP!C~@r8H(Pa4eumyJdR&9ajl zJHE!f(HBq=&*;d77{huO3jVB1mIGVA|9C6ceDw`Zw`*3Cm}-7ms;mK%zJwtj!Y3UJ>kD0%$0w@oD+wtV65J>-B~1fT@dP9&F3dNbibVXC7q z)k})i_}78vrtTi2xOS?We-A=?-tmlbjGrZcZ1JsE;k>pd!`0XBQHwSvQx^#KX{WfN z?Mu8E-v{u28uD6zTY(5Zk&6JV#kAY+Ws}|pkfM3Y0S#5W4^@9M7N}!q4qbIZDT=I!#=fSBftys{WP@y z2Z!`ViLsvhBUl&YTxjUQ=(zgy$(Fdh^2;am*G@!@hcZdsAWOxX>^dOG4$#Oxd=e&^F)zAF^j9#qz3w| zt$&jc09%f~un7oTi=9iypPiDJVw&QM^f_~gbY9lj?xNyWHkbG!xA+?h#y8xlAA0r8 z9p8{`vO9{=k@^+#NaB0Ihnw0p)_nPd{&ZvS7D`#;Ne9Y%OE+U)Ln2a2 z&$?aPTrbMzzU7w5l$C|dvEPbM_!WRKCiDNI+8YU|;Zz5pbr>)$1V~A1b7zIqlr~?6 z?IyXNbt78x7W9|s$!9-+_%8XomHuSx0H1FE=F%?N7uS(*1%68&cHAl9-EG~v{uf_3 zx%|Z)J)Yzk)DL!mho4m-T*b)C-%?ojYw#md`ngk+EoHGsOt=dQ0=(%>6V0jL2n6u~ zzXEVQhG_x7%855ShWbpjPYJ=Pt^+5fCNDOMX(yVw&P+bHT!?OppM35)3584kruf+6 zn_mdKRGE+LX*b4>^1qG$K(F4VOXRzON65nq_er?5vqz8J@|lxz|M93NIh-}P30Vnl zO2b0hg#Uns1(U@Z1d)>3V*OO(A!}y#j1Am$(-d>|Wf-e9v%;?cq}Ce;)dH5*T%V%8 zQwUPsg6uiDW2>+k=k7!mw)4re*@-FyHeYLeFQPis8~g3erEKojLxaSBX%yE7nOukcY&X&e(S5b& zg*CQ!e5~<(b^IA_O~&~}^A~B;ngDq_a2I*_#jk-c9y}3M-ujOxiAJ%I*79Ch9%#aU z0KNN;G;E|F?ym~zEoWwXXOyOIWo3j*tY3<|86WT?0CRwpeX*$eDgcWGkS2e6EXS@v+4>A7vuCmu0i5>v5j#d;o#i z3j8&B^am1Se}QN2dZeAZ*0tNnVJDKm8r-F3@Fb!m4c|3*=5%uvsn|0I5}$$3{1u^_ zZ=RxKMb=q?egq)(xvzpqEzgxt=zdVy^!%&h`Fl>s_HIva`)!qg&h}`NnM|HU%`ohj zF~0ppFyA=r_dS=6I~VK0QTuzxKNCC7eJ$TaL1~f5TY+Bk=r5wc`-GtNZ@zv;KXy9t zH7zq~Fg-gT1b4Q}U21ACe={-?+(V4|DN?aBCyPCaFJniv*E@b6-*$BUqD3cLtE(+b z0j?kmvMn4?A-(jnvib_7h!l5=MXPtg>Rk~~kQSullj!VfWJG%AX zeBl3`l283_olpenrBdbxklOiIfJp4#D-&*Hf`D%R$@r$UEa{s46KP1(4#1|JgI)cl zBvoY3bklwU+m6P1Y=w;Vb%|g>5yYG1uC8r*ysu52*L*Rd=rnZ!(~`+taYYHg|9$F% z(G8hzZDLc$3|IzyI_a1(_Y;(sFT^ZUQWO^Vsgq}%RwvEh69^XV5qoyD>iZtRzKj19hy`C#V>`|$a-#;j1wzkWqYB%3Out3W^Zipt!g|h}syRL$ z@x5z*<9EB(%%9qRECosn{oJ52kBs;mAvp0LKWmaF&c>~0oTgaHZzzWa(|)EjFs0$M znPJaM!f~ZYels5BzDvC`nlqY5^TuW49M05xHNeX4p&lG zG$m8m6k1!lngMhOoDp)-84(9X5Jovyrz?A>NF`n&)M-M>I_tGtYi&D4Nu9O&+K(JW zwcO_%`Wk%B_ZPtLTfR%L-X(y)1)9iXu+b(Z|J2hbfBl6YHSvot)?(aw$xwW-!;(g_ zIbq7n;_uST@J!dmPaw{Spmsv6R_K1T**9Z+W)Vgs#nf}fkTcyWaCa+TKB)E8c^ zAj1%JHUUU|^RImTMI?6f%8ITYt=`SQ4>|6Ds;xSJ4rr7}aeM~K(aCxsSR$D#EFTGV zX^&^E{jIUxMa5_QjPw1i@sC7z@mkNb2*i^Td5_0!$z$NS7r6bdb?uk@%{wc^Mf1WW ziI{>f(j|mJ+S=L)(mUGVgZ)(@WS0oYy%cI4YN=K&BJp~lCY7G+Rxt5J=z1@TQs8zr z2~`zbc3ClxJkpl*$~Yr1lK_+hbCZsW@fTygdUtep962eaoZ;v-bwP)ab=%SFwyQA& zXjLe?XXr}fBwZ;fKrA4&h{#S~EackAPkwx0tak^h$UqVpICB=8w2 zdEwLFYUG)p)|o0?uiD;k4W2*-g8T1OvwL#;drA`8Y>Y++9F_iX2LrVmWMlc zh?%8}vIShRqR1=&^DsW@;<{ycCIMK9sgIz1+(o`hdG_p{Js5kG=L89AqmcEDs$P$( zqoQ<8)|KtEq}o}dQyUc2i^O99uVzAKqGAatY;M!<9ESb&_ibZe?-oG(5#-CcUUwcj z<0as}7k2dAw(f;))?QYap$1RH$f0-NwKKcW^#14?mpA&RV*P@f~| zEr>O?91HmnfTc?d%}y0q0Bmv#n@IpnUnvokk6VTx3!uHVFPb%w4`|4uql&)rC=vn? zk)nAf>VX-Ws*lr|E(EpCW`d2VuC>4Us&eQL@QA<8sQo3#FATS+wu0a`U#XGSE4U|ge3q+!Temed#^auEy z?+OMpQBk4N(vs>3T;dhhmjD!(&hb^icwc+FL}s0T zJQ!$0)NNArx=n_%Yqh%AJr|{MT3jtDKr948emegAH5079$#XAs{wZ-r|IT1tS029c zUErqg-P^*?KVR$Kj(6{I&(>bYbz+YY8j5~E2}RG!!oCW%Fg6$Da=@DR5JEtu?CCop zA_bE(h7+)4Ng*3Hq&^FA}DfD_m zk`SVMx>R=0)0M7TU6~Ms>0U(7z4kYLdh|}V_iU5`@w&{n{YL`pf!FSNw0+TkeX>&2 zj8}2A*WEe|be&cgWflN1`T;7pHUKFun}?re18wc?r?Lhb21KE7uc9y6t4KhnNOEenuI`;LReiipy+BNG z5Iy6tpR+$;Q`e)!WS;=;7=}yA!yP|}#^g`$TG!5J-#5;63T_IXZFo{)1)`Z?d>`T7 zxG3zNK~SHCWY%D{;Rgd+SLa!k@ma&on`hY#crdBr8OJ%U*gi^a1`(`l8T7&^%~W? z_BXcqIvqO<#tuK{^M^b}JKCgV{ia>LYmc9aQ&%0xHnB$&Lfa!ly=O$Er%Z(U79!+w z%LhqEIfT|T&QCZO0hom`gld780Ho&p1_H$dL%#Avi_1D6hQg?V27yBga}FuS)>9!} zbWKOuyI4~?rs%Rdgh6hFC}Xq+|a@8w^bNEW+E%{xKLt8 zM5HS~q-P#z3y>^ugc~D}GCti;xG7UY1cQQDEOn7H+`?t*0{|dWREHn)U(>p~5whA( z*wKurLeXC2^1X@%2udVp=E9+cF(p1hGDk(!?CNG~R?XRqk z&H`2`BiK_v)R3pTPl&p*tP^u)&Me3(0A5}DsU|?Au+C^xW%=pqc%#K5t@8#FT{+yl zb&f<6Apbnl<;f$3jk=E5y0>=@{rlwom_qzacYF3wFnO}&VW=Qo;?3GK~n}Q_aA^?tNKz0G} zxe8F~y6EnE=$MyB%o~2 z11;VcM7)aqLHYzCmi|l80w9 zh09|^a2(*|1z`a=d-L58i8v}`hXA-)0H%h6K!}h_5LcA?4LDYzYpIEUc?)3l!P^2j z{{{!Leb5Jhf&xeV?&v&pvj9?}AVhMLg)AcgdNhhfIL=QP0wDSTUlTF%7*=!&&^x;N z8GCGLgf9UIhZPhn!+kXYQi%)2-_XAB(@Ah1K*}f}@*n#gtq|z?P|gJ!JtE;t0EBQ@ z0lu05sl*i#z*onf2>L3}ScgCXu#lE9|A6b#U^7Ix;7SO14~bbUnr)XOEV%Kx1=AppLctiQ!%8>>28jNTR$)e z75cBfc?>bcP&WaF6WMf|6lUxI03ZNKL_t(RN?&VlG;1hd0+4FsYFdw}HXp%el#i1Dqp zJVqBPq$F59{ycAm8i=A~AD_3G|KQUCuvGh6+_x2Qz8GJgPy?08!<@f;n8%Q#2B6k4 z+x`55gtqLV21x*P-S?=M|MtQdg%U`;U3Hnl=Lyc{y!PNF> zb4RiqdAMRJz>@m&UjPuQFSGpIIfn({u+rTGz`}UH0uTrW`m%=_+faiOP}Fh>Tr$#S z$-@do;o^xkg4zq92_Qwl*PdXltquWj?A)Ez0*LmWbqV4`Fr=Q}_J0C_f_Va%gKgi0 zJVq3yy3Vwv^Ur_s11M_1*O0r5060buyygLZDQ z3Si~Z3qt_Zl0sh}>pXtkA^^v6nPBX7$4(~?db>~f*%E-l;z<{R0O*0@+4~TR1R6%V zFnJgdg0;aQ`kE`*%LOnYO_^BaYfG>bCoJ7^C)~n#EuB0JTn5nHanK`(6(!>qO@=L5 zLXE`*gW^nlT;M?8++rmcTQ1ttR`HKB5I6pAQ}dfSa<{S&?XhQ1^C5?7B`O@r9@eKW6C{_ zfLtX?<4_t0$#J6M2;FKxb_M1Umt(y1R-8srvVN{hN{0n-+$~&I0noKRdb>{&DVpLD zGz~SV9M6;b~M5jj<%CIsg{iS1Un@A>2Etz(fPlUQf zaAL>xNLfmLkHC?_ctzo@3m3rbS-!%nC@c^WxqwIv0X=A9tL#)d=v1m@kC?}3Z=Iqeo`@)fv~A#GSOQ|v4anoKg@CsM|2MD#=Fv}lK-URGNMVSU= z8UmV$iUV{in(PqMWnXqvd$^&53w?bUbk{D&WWil-;k*RkG{#(jVt~%J-M$J}R5Gr* z>8xY2(Fj0xYXxF|yf)a?R~McbA0L>8BC1pEcnNl*TWWZ-pG+QE1wvf(R^;Q~lf4781wbck+f1N==2Y zrRckNTP%PU;FMc9F9DFiPT*32_LgnFD&ewm3u`#!Z`5Fr5t9Ms_1JjzY;YOK%o(^8*WktAQs6`I_>`j0Rn2-n-ug6+_jnCzvH7 zauyK{wMNs>*)6+8BduzQ-XRtu8SedubY;RgUyU7G6Tr3h2X6rY;{%w60G#vpEzC%1 z?PQQ=K@9n}3{sKDwPNK+-=tt5Ix#q3hQ(6vc04#qoH%f__f2k*7K3z>Cco7mKyH2j z;M3#6C z1n9Q_01)kKrl;#Tk)o_asv;Z;?d*%juJTjJoFHh@BH~c2T4>Qp!5Lbis6!}qQV3&% zRGALwMdI`yyCskaBW!+NB9c6uSPwHVfrBrv#aJJ(Zy=YLhi_aYC2wBS0GE#3e9R(L zma7#SRDgnhO7^mkHlbJ;6nf?E-miv zYZ{b(fNnj+o_K}m=$)WeYZb~ogs4o{@Q^!+U3&D*r1laKMB=}xLonGHc*O^i2VYiz zF9GlF=e6dM1BBo|r9}MamqxlI7EBNYOrSs#sEGrdkX_=0Y!zX>Snvtjyo)6*iLqyoRxhs0v0ipl0$dSu?MwoH3=jDcg)dS7=gUU%X5VbazEv^KrsCvPfhm(5|%mR?*wL}-UpIIb6Rv~Ro&MXTgo8C2>KqTV2%opj(N zu}E;$JXDvtN8ftF-c&Gm2HMg}#4`lP+G(iV{4eM~c!vP_bzn6vCC_6}AXJsF>N@<# z{~PI|8*s1v+VdC`d_dE<@@==m$`vDBlmVff5SOd9 z5^5#D8G1RSofC1{DCWpMV}C<4l!DSdKvn^e(jfpZX9}N90G%od7+$DtE_AwT|9OS*;Z^7e%Z}6F&Jxu_SWrj5CqbXeIdT(NF(z5fQtU z;d59}-1ra3osUbj*f-I&b@<%6IS=2cQ53#YQiA;ccSiYaz1&el0X6DG2@@q!=Q!OQ z(VIm;JHsM0ip98bzDCye?d!2`2Aa`y_agu)oICSuHUZG%(X%_N=N0ci^TxTYu~L1$ zuCN@TBnT+n+vu*Hab9LRF5w2DN8g;E=ZHeu&oL}mT7$UuZ-iX;%}K!j0PiP{!Nm7; zor-UK4JJ+;>7ooRghCy~)TzZ1bt*l?*i3xtP9Or>LNa`x@|kBG_0E7SfWsK8i0Z&- z2288}TT1|4<8(aw@=h_nxvjIZ>M}i4zF5Yl&yIE+l%N#2cC@*)Ao(*t#^ZS55lWz(P7TyBfcGVjAs}GNKQHC86f=ZZ3`$rP) zCSrkYbQQNzE-!}oRCD0<>n$7qHUh6_O5D${3(YSV%AZbPCR>LNP4rhySWu`aw|yP`yKk2C zb>D&1pT}bvW*)vVLsj`zK^T5=hsg-Mpiq1iSd?&75{zFJdzj?0IUM#d>2N}t!X$s}X{GYFhjYuHEcx5wl}|+c#lH)rUWO3&z_3pj zJ)cmhC_JQTl>YpuFl**W7iWYZ$|^IQokpnpZIriPyKUR4^0Q|xYlYTlOWKbBJZ^Th z?0;TK5kA?Orw9}IjdRtrmM=j{-AUpkJP4Eun+Rher#&1leca4#XVKq(8g6^%NEc{u2x`nfo6Ec&tzak<%@;CWmOQ@riV zF#TeH4+5X}ai8>^or#*dfLk2^-Af z-3BD@o4i|#CH1E6y5AqwEmc=nOVzDzEwpl0Jdr#eK@67|~#_H7( z(|KQNH>R6paJ;cS7SRBd~<81NV;|11~%ab}J)QXD#wg7xFNowKYh6eS`s6 z6-!o+xD9|*gS75>kBHb`*mT7284D;LQ+=MkhZPC-u(3l0BIQiUX+~nquVpDzG3bS4 zgqab^%tQIw|3YS-Kq!x+tsyvq-f^oC{7+dKtX>5r!)<}Ne4^A zyk1`mb4x=p20YJa`lpCMB)im!g58G zD1Y;NaAw*O;uW+^!4a6_dLekSpa8M@F9?gve4WLxZ$PA5TGjZ~S0kqXS~2AC#DY}= z5J2Zrv^2bn8t{QokhUJe8$AMqpr|1GfSw$p--B@`GL}fJ)3a(s;v8=fvD!KA0&M^E z$R@ILZ3yu!+PJ_7B5}JAyp)-Z^0OzzrfHVmdOzDy9JQOT8QgA_RjVSFrFN?q=Cr?;j2_mKClEo- zP|uu<@diunjGh)0rOrBaYDO&*m~bBAk=F#JqXh8(fG2^BIDUh(4Nl+*;K!pUz%N%S zV&ZJ=Rvz_>nh(xtBapTZ9G12Kd;a-|g@WB!8~}v)41gP*7ts3o8Uo&q$e93}h)4zs zhXUne$_tG>tVm)HYffUKw)oc{0?Ue#tOkZ!0po(zn{;2yRsrwoA#P%We|<-xm}zb9;!d zzx7Q%v1nbJ=rg13?1DIot$4N-$>*PM#_Nr6|DTAbrg#m&DxiD2;8UAkF=PQ6LIDv< z6tdZr{JgAfMp8vg3-%JnM|cA97!gx)>dwVwL@cy394eGL>X_-O?beNu36&Ka;-7zt z_>YGnEiD%<#Cj2i`_^i`A{Q;}c_uBB?7zKV@T~_0cBk$Z(PIe0-oQbhSp075xfBi* zZUSK`h5X4UPwW3YN*wM##BTrsXb&j>ZM)XtJ+(h-RQhUPr!|R)B-DlJ9m2d@WW31 zsi)C6Y8i=asQy@YNlH$9_-u4mpkfRK6dWa$w;|FmE)2BOzE-i*YU$eGoT zN&TRfrq!u4vub1Z`etP$j2Vyk{VRwc+z*+qT;K_Ws3Wv2`!L7Fz=y!ojx8T?^ z-%tj);VXzgt`%Id45X|9)+59Uz*0Oo#Bd&(x42da=3aiY;J51)vFw`yDNKGoBFP@h z8`$R+i{EZJYr_GFGG>YuL9bWkkw+qSrr(IR{$E^3!~g(194>TqoT7Q_3LWwFp@4o` z&_-tE%qpkDUf+8UYer(C1fTJFfQDsH)x#wCqbt=N!|6L+A_P)YrY%~D(5Sqj8YClcM#kWWF_L04R zk4KQ{=<=LyI#R4XE28H=LHHj-RU)#e-~Go-CPGgCQH*N~A`jF0MPyM|zgnJN$E@7i zNIhNqgihBeV=RYd1W;0rxMn%xqD9cOUvTvB6yR?V;>&0Yx$Hz+xp^oc7j4|)3E(@x z#F>`}ao2weZvDPOUTN$eUvEoeeP&i}35cqbe(EP?QaPaCG?lQ8Z$YG6+EC=~yAN>W zNO!W|DYO@;;)?$v`e}~`4*>rd{$u8kJ|J_a4ulh-GSwgpXwijOY83*|q`s>Qk`lPZF<3 zpeTM+^;O^v;4f$o!9b!2ZKT?>M3KI` ztSB^pykg_NPaEc#kyBbBu@!R0l#6_AIVx1KXhhUJv`t;2wuk8_3V^wx<5Hj&un7SZXTySJg4*SRoTAud?JwD5 zmB(ku)z=it#Yz6Y0}I=P&4|1Utcc!n%U)i1p?mkO05AbKm`Jt#F#w=t9bE$;6dSXC zzK!(KDolwFJ!AwnKlZClD&d`fdJY*yJ|j8%AgEOmhm3>lOUBI080D%{FDR((xr-_4 z_07)f%Ln(uy4A>at6}5&DuG~lOh-kq56MPgGq4wJ%lDJOaUddhR0kI@7N`J5hsu-C zNI$V#Na`m#};c5gNYq8I?G`_QEkB{@t`;1{a@{!C$ zh#3NAK-x5RK0i@RN|dbqC3`Hn%5+(OL$R#s^}7r`NNkfE5n1P15x(=z1N`9+5kKrA z;Qd4^@2>#>ZLNTd0Tf3%7yN1`j@+^yazf}~4L!Ww4>0U_>VefhZ`We8I6h|2+^Z*G zHvQPQfsj_m8%DY6)Y(O~{UWLrnRs=DY{p)Z2WsT3&MCB^!lPPQwn#V~I`2Un0(R-- z(}8jjB?3x;GGJ8bh=lrwLeZLQqo6;odw*SjGjC#ihOGb6a54fi{cRl6uCyY0=#Zc4 z>K*v~-M#<2z~%j^J{gNG-G??1h1%ui*xL^=X8F$|-2EPJfS&&qn0UpqNjp}&>I0e9 zGp#1*`8m-&{JL(S`yx6y1c@#cE|7+V3Y}iK{!y7)&)+Q=s!xW#pA20yqE3@?SjMOu z@ttCng$SLJp=%J*-PedzqqD~f0o_@VsJ)j_XO#E-a_7|IOCyG6|(k5hkR z>98;Y0qj+lHv9y*@4jPt@&o+5zYRz<4?vFlspp5tAI}qt?wWlvLf1}xjzC{I z1riW%1oTZFh~qssUA@iWo4wehFZY!L(3^f=I=eig=EdW~AX!Lc{{@jT&Wh-fBV9cD zXhh!sdbD-_`-MdF0E}oMG!P*Jeq^wVyjfRA6W^qqGw!^yamNQ6wJoX~qI`VU6A>eLI0YP-+%=AK8j+fYtKH&$4nmr?#jftFkb5N#^9 z8(bpC%J&Vee-iXA}g8jU5u(|pcg?sO9GUomNEwHP< zjYx(E09wlDmhc}Z-gy|`sr}~UHypOy?A+3d(v4=lcjViGMEBNFJv?+@z_f>#kun&c zCWBsiW{CX8Ynhb0dwX3yR(kJ5b-QK!2Vn1*f%X7`Diue%IHV_Df3o|mcmsXCD`3>w z=@vE59viBjz^IMju(;u;*O>OZ0r+z=T9GURpaMVW{-evs;g^4`UEPK$@ufi999V%- z*M8*+MTGY-)05L|S0Q@HqBjsmqDPP=OnkFz_59r(b|9hLRjM!^0F_VO#NN`L?RO~w^} zzfZ(Noj8(Z06@$CemDHb$+b`6KDf14;)lHh;Z*Ds7B6)mWmn8NUQf<&PZ>`fZ)PB( zj0oC$0>v5i>YU=5=qJ#uPI}q{J#FnxKA9c^FFTE2BdO@c0BrE!NG4hJWh>r5EPbO~ zqg&KGHFS)CAKS!yOk><=eDqPLamC+1V`0lLt4P)uKp4Bwa*_dw@8o`pYQ7Rd{#fBa zT4`yaXZNQoy>9R1?wGebJ_qwy-z?rYHc1#%go#|wAF?!~UY$3pCaxGfR@ta)WvrmL z+<<8LAdY{^MtTQjT|u`>*0nC-K%fjpoNu)ZaH>mGHuNEr`L}W4um~{%3Hp^L@1&mx`!vS z_Xczyn9FqchDNy<*G3{sGV0a2qiXu>fz5h*`jFSlbnEKd-AB2*9=&cy18PftZ@qLX z4=KrO^wXHkI6sx%#Ah9%=CP(h^aO<1i>=afw&Dvfw6Jz_6n2?TiS%0%YsN5G`hS!@i`_WmfdnXmc(U5WN}8lI&XAMY_ehg zbXg*5EP10rkh*IaWX#Iq{gZ=5{_wHZBTuA)tjTcw&B~v3ikioc3;|{vndHhsqY`C& zD=3z{wKHdeeCIn6JIi~3A0@j{$qoTP%QH_$dtroNXDdRnku&qMNaDxv2GT~4DseY_ zy29u2O^%%9GYOdznid4(w4f}>s#h0O)I{kR%kjDA{ns^y9mY_|_KQ~7Q^p{oHAu@6 zmniSmCie1Ks$GAx&rbNn*n?i`=j04zIFPdf+vu9U z473FyDghKn8Z#c;MtVgk=_x!8fZ_j8S@i`xTOWL&NlL1XX~5Rs7BrKK){~=hSF7_z zFOEqzJyH9T8Hlvsp7U;;lWa(T?|J;GhyOR_qRSadDo!?8Q>i~SOV;0AF%TJp$~Nrh zPX=M>x7xnl!|d6g>tFcU4a@+%$!=LHJOI#MQ9MLwA3UiB@isM5bj4Rf#3Xh&AV4@3 zM^y$S>b#1}O=V1bV-qs=rk6^OK_1_V^82w2 zK5V0GY#-$iqXvTPB%l+^n>gVYl?Oc3UznRxPoM+ac>#pe(iY#U3OC%ahl2e`meA4*!G2{5|pA@ZZ8Y}C5d41q2 zL6*4c)p=uTBA!U}Pm0;oWKu_1wp-V%9fmS7bo&~3)axqmboLdW57hCYn~r41`LT$c z?1Z819irxU2U0jNC`NBYWRABg{@{Zrj2VB=18*n2T_L2(0|;Y1a3|UpP_*xOkHX7t z#h#TH)$5xb+0&<1wQbz;=PrL>qW*k;rv+uHt6p6=uBJy=e+^x^H}^ahy771!_8)a2 zju(c4ZRmz!?dt55nl z1ALL>FYeNfR2zU6w8mczAiI3H_iv+k@mIBd17d{&I>S&f`+|xSAAarvE`C_kz&`I3Wzprl}dOPq8HT*JZjH!C0a zi^_c->gOfP2newk`?RT`SlZwt?E3H7k!E>@=9j-bW_;Uk74R?p zY)79M2m>I|Rt@?(;ZR^}9R)QvV$Uly?e&d^y(lx!+3DTZcI4&`Jb^HgB8-D3 zBg?Yt)r-g140+eSFI@!Ko;nC04-LtaH965o2Zwee9sPNvKd0? zP;o5I7TE(y)>P>q^@++oZt552Ct?K3R$(ixu`1o!sj_tGE{+|GSke1Vw5-~cW1tKG zXraJ-pch#9noEJooJz z-#EbAZ%1_WFO!0dzgQSZ10d1XufGk*2Iy?~gv{!hWK>Rx_5xyf1qBPwuWnwyd3CTW zFd-@gFn9v8G^bu&RIRhd14+~*_WF8Vv2i=fE8`e~ut~O0%n;*-s_P%G{!yQ(+}%n2 zq5>;Mz_AYd)EW?$r`8{P>@+|5$x;2OL%=cyaKo2W<^h=DB=8lWJKEXzi#zch+aF1M zGxCSe*@ZIodw*Nwu-QKd|71POhso|kj>=iBE}BqdI!7NN8>1YSG3v&W@2{@0ZN!il zuch}qsYC1d)Jxi6F9(+F9E8p7qUJyM^pz(dc4D741BB%@Hb4E;!?(T_v6O!o+M9l- z%{5Ykf%E{v*pEi%S^(AW<;>!s)aW4hXwqE1o~Q;MDsYHmWLPjGllTl~b=S zoY;4U-=K{2_se4lV81sH`jP%C6V~h#UX{F>Tp@(SW=8zs;QE`DkN8C8UJvUQ<(te7 zNU;mYv}|x#%Jc*6MW3Zhcj>qG0{AZQN2}LJ76!urfHo^|DQK=$SMzba2OBB8VtHsI zQThxAM4HW6yzs)pQ)@SEP^CI1Jm4?ObL-VblWK;YYi~tYp7|8pLt_|9h%_k9u@3Qh zzJrqC?E0G-s3xx%yQ`D>OC!Po(THPuE?A%L3kD_2m+$3+4NS#y!7>06 zcni1*ZDUD1`#(o0f}AMJb93#tf>(xsp)o4`=B2o3_ zetQf$U1d!J%3mrO!U(`;Q!_;6V3IXe-b9mERPJ(9UsFIOC|j}5CtGoGfKIf1>~1HNA8=-KJsDL~$gG~$s}WH3;eb)eZ+r8N%oY(zY;1lnpjnQ>EYJ6_w5Y%xC8oOZ#NG>%TVXPqm|Mr+y%w>m(BcJqT#T7T{}ye-kO$_tUS_`S}LZo?kVPKWref_aAy~ z(zkEC&Mw3!J-?VFs*KciF`=K-RG#SWC@hPKOkZ7DJi5fvl^yWGc|Gz&^Y8?j<_Xe1 zSStaidW9i}V*ljp<0pNwu_Nzw;=ua#o!otQ#Gs#wHY2v(Tw`D`m>xhFp8^g-3y8=r zKh0}irJ(jY?D<9A#FsI`0oV4u&vaZ`b(?T1&f=2ttdj?i?37U2FW0^=`DA+xmfCrA z3(Dg|ZvNi{N`ZrIr4BLLij6e0m+|O?%Os!^ufAQefAZ{{8B;TDwyYv&*UViVSF)!N#&cs+fuUdkKnn$CqHQ^j>UGn)ZUy;Q-Gq{r9Wxxr z`gHfB9hXe_>+s)7rjlM%P-Z`IsOb<;G@$NziU$y-^7jr9&X}5IQ@S_uD0Fts-0gO~RN(MWi*+v!ANEsQyVE%0{|wsFd4rC@4gtal zyF=YO4f~q*vGbm*33j%b_WYSUcE8kqarM`X7qXW+3a8DRlOrUJF+%~p`;XLhKfTDC zg%0!~ANAzvy1DQ*dVSJ$y1Y^`5H5T&j>BFmQsw$v)la7D@5J%`({pD`&C!uRjOtAH z^4*;|ragIcbAY8wcNrJ=s6$Kj9TFHS1^~2C(CdI5;S=u0t?c^N^{75iq}#t^?=zi? zs+Swb0>T|;+UWH1Sxe@Rb}CA}WwIrUs1d%b-U!4fTQWq!V0iQ-UM^j6u6b(i^f@_7H2K4*c6EGhcW3r9`g5I~D%V`Io6kOrSjB5I+B2T? zrM(ixP%;3Zy)<+c&^=nx{z)CXzIB~u1Qd<@9T!*K7U50n5i$t299!1(>*p`ZcG%vG zk8J%Rs-a8_-M;EF>auHhLS#%P;;j4AcDZ+`tOT5>H&K|D_2zSPXVkhBCB3iPQ|;=! zEo=nbZk6k<+ihIgXE)l*aAy*_|0%*y83WLx9qpZgTYyXe-=V#9?)aFBvJ0Mf*G#@O zDkRX44bW2-HlY+wt(e6A)DY{=LR-Y3_fwODomZtP4@3`snS!>oryx?;b zxEwef-(5^S`ua|TiP>mdAmxWo1`N2+6e6HEi5_^mH{s=0*`U z*1%nF1A10h_wB!~l#V4Q5XXn~{J#-GaN-}wieeew-jS4%H6eXsf7X6U(U=|Io>;OV zyqAq}Pn%e9yH&2eb{A{bM0E0}(a4|F4Ly>Dq38jGaTLt}EJs^r9N+#uxVLR2|C+x- zI2@)k17P?&bYxT&jmi}{hfbe3*@~0}sUEdYo~~~BdJ$LazqE?N(W~Y!~mo8%6%bz}AHB;Q(N$jR6?35x5d?ElUWtwV1a)mQes)v+^d+`r`c3EQft%O5%57=voimqfar&>Jnv{)bX$i1&X=5z%Z!u9BG8pOx05l_T1=@~7 z0Caq`j)rR&;XiWN-1Rp?XB2FCwyepw&HuufeAjxQHEBeRlBcH}QtL4$CNeR~QhD7q z*hEhB*y|xP*`xj`m^JXu%qd^}+qqMhW+_T$SVryTtLbs{Xcw1V*2ubb5qtQB2eXGX z`C({}0T?kGZJ&XX@QJjsl}vo`Ez&1WHjn*{M!|62yVrBLp?>3upmy!v-E*rkzJ5S2 z-tmEGUB7fL>;g~BDX1Zi&b!A6hazzHVdqTCB%l+I>krDVJ7!Fjmu6>8(r-B2km-+7m;!FApO^x8*ZSsf&zm*s z;_R$Rv6^q@{)dnCA9k>4(dS0;??Zb=hXwgzXb%FKp&57)Ew(BHP~C2tUwj(pxbb98 zpBZ~L0Q2+0E|k2PqbFsw1U9#}w0jUevkrX@>ZN!9Q7Ux}C~GQX+>6vf_AO!+0ZGGn zU0QJX@`E+%FNCe(#_1DJ+*vjH;xt7#jRSjTkBaf{7hh;*`Cskk%$bPX{;g=E{RjGW z!v+|`%>V#&plz455Eus_g8^FKc!fY~3%QGz617oCUq%7QsLC%domr95wd?p>9)EBg z0&RJx!F)Z~{;N(nQo=BXJ3z6|X z13Ww3`**&#`Dj3u3oOU)R%GJRm2J{FFALP+Xr%QB-ZoCOI|O;jCOcN;gzdBIr&Wnd za&o3566-5~w?pOb+xPOuYuyu4VZ4O4riIV=!EnHEez*c?8<2LPtuH75yt^7{Tloe# zwU=WrDvI6v_hR}Sg^s+k*<&k|gRSqicY3oBBD3ey{=4>;bVbt^l;?)u{C_kQmz}MJ zX`*5fT>s`V>BVdQ`Jzb|Ri&qw#p>xH`j^pvc3`iM8?J0*-Fp$)eG>S0;P26%#bJrz zYyiSoi?-*$wLls`;N%HTJ^3h((o!;K&yMZi^$w9WrL?kmLRn|$o)h){KyW-FluB%g z4B&NOy#8e2ZMQS-xBrcj<+9ZK z$Ab5OXW#z1En7N$!RrvA*^^X+1);KZ+jIGL2UE9wbKXpI_ji{pgpAdQ}$0C2XNaI#) zuSfU(GV08*fy2hu;`G>I09YrxzAUhBm{~Bk>9z~1F062+m72x&R^5LjJp1qozPWri zM-NB1{6XL+z+GswP-hL!HV;6Li+~p}gaoen^BMp60CIVNfn{cu%+w z99*?yN4v*g3%L4`GOS9+H7zL3g-L1HK%y6eBB1$8RU!|8(vLX5E5nwtX8yFw>PcCd z6Rb?%_2vF65?*}x1poEjL%2IsW3yKPcQ6d+_pRb=HvnOL75EL1r$3psa3N!V_d7CY z%}QED0e_(R$eW+mpE})sk%Wr4#|ISe=hAWcl%zFi2%)AzG!!^FFJ9LlDGug4^0&>M zF?x1+x^q;*WH;y?+Ue!z-#oy_YodDncC@X!eowDvZTRC{F#w>Y4*wqbqW+|?+bO>1 z9!CH4r`U3Gl2(~irT^4ByEYwfI_>ra)J1@^mtMceASfTyOUJ*|B&{Js2$k8?pI;(s zEV}+ar$}F0kyDm?(UgMOb|Gv=0>^Uc&B(5o^}AJ`{^d~~zwao1UlhOB0e^$Ggx6V* zbIAaJ_I>XJ{)^BS&>v_!xn}p4lgC=^{y=acBE)=?X+!Dw z(I%8Nvy)s@AdUK*9<@yqk&(e?M)bgtV=Fo%>DP{nl~>c6?@w}hmXCxYfEc$ zdsR>})nEub(s>!+&qzt-gAec36NFSkD?EkBuPWHKXWDWPjUHP(p{g`%N}|(uy~*y| z=H{XA9AabiARlP2ng1QSH%-qKoT~;PjLU$B2yIBBNA9v^jQRDiNuM||Wt9g!U8h<$ z9NyJ-to3L|ySF09DWvndxhbn~2w+Ybn@h9A6q{n-oS_u@C(J0BnwRD*jyHa{>i(ZT z=;zs=A7SMmPN4>)I`+fB4}d3A`JIO{&UFI-TKe$4Xj?T!EdMMV4vO!-oAMw007rRw z${Uik;qgE0JN)D6&7PK19l?&tQp)O-S2{58*=_dinJ(ASIpt$^FSyY8jdVrHOvdzG zERUf5co)zA>lFM<0Qq+NN33Pub-55@vNL!0xB$P`l2(`B5V(g18ITdzXS>hJVjEZNp$UA+0gaaKNb98dJLo&;V6{uOOo?sFa^ z1|S+!fghu-MjQd*a8Pi|EtLQ8hon!Ml%a)7sv7tnyuZ5p-0f94t_V&%~yV}~? zj&ydp9RangAfN`u5Lz5%z|dn*j@uRc-i-8&<_uT5l2w*fk~uN6G(9`Lq8Dv-F^<#e z1d0=#zBBU(PVMut@`2;L{l6#id!mRB@B#2WblcC3V8j6QhAYur#HbN@VYiciW+-I$FCpv`{+1QcOAtq9R(w>jD!4!hUsaNuw_9L{uSPWrg?9M@P^ zh0STpP2{^y|2+NeF;je3#yfpycJAONH*fsnC?CJvVix0rwv^oeLECI*1O|*4fZid{ zUM%_{U^*?}y6{3uzV$5%ZoV0jmX>fuu5~|owPX65HzZ;J`h&rE0CM)Gy|S>%|D|}Q z@AR^&SLKrzo2h&FB)iwgOwHd4{0G{C9p}unUc4AF0M>COnjyH<>_dA=3B`BaMbRC1 zkX9Z4*qy!M(gR&(o^j`b0T76TOJHog?tk-cA8UVqf)5@$MaSuwYjC`W=DEGa2=V*G zhyjQnmjM5SmQfh}Hl+|`EnG<9U;i})H{FCS*NT@c_sEvH6D*PaEHD57mvp7=bvgW1 zeYyXhmH<0mX<_3t&Frc>)15wSfCT;o`~p}%5bZx(Fk%1_$2i~~w9LW+GXW(dgS_jn zr{LzB$yu@lCBr`8V7^?lsp$cm^5o-nGVk z{+7$nB?I6%th{qsg}fq6de5lm<-W%hF0zwzX%5*nIb2TH?-gXgfvs>K2S3evBA^)FTtk7~Ftn4Dxyx z2YbGq%nMz(E^^_z(1mNB3wxn`SQ!A{ejlDK9^6~pbbiuF$GQ%JXDsoz1#JZX72r*@ zwA~S;2qOkyVBtV}0qJ_QX+_KPg^qFu8B;PypPEkk)C@AFX#d+w?EPv`e;xoCkoXV! z@$L2D+vCIA;KjYgjeComU~62R_2+10e-kZZZ`iK0Kin{400tM8X!{&4M%!1eINl2= z84Av^P8=0ZoD~k7Qzxa zD#7+3T}QhJoC**)8KCQU7l9K2{7rs*dwlp0`jK4;O|>6Fo3CFByv;~n{-9yR01O={ zz%;as!|*YcRIc1Cz?Nt0CVq+#02oQ%8ookL*1g znQV+qCiC$zzTb$?&)~DRZB6f+$Yfu;%49uy7~lK%lF7Wf$YkTko8CKcvVK3|0l4US zgT9c-KK_-H`Qtqvg-?v1<5rc6$CsPix!LuzbG7S>*G((=WBbrhpD{OYwz@q2b_<1n zS~I~v)n90tKA^bu&FL3>w~TuY&#^7%SuSTzG~bV>!FBhR?sepL@4gXIXXb zwShJG#Pwsj{L4l3TLMQN)3r)TIc@rVi*uv8DVBDtW!U~wHQkBtE&3Xf8u~{Y^9eg+ve-a4hFaw0)1rF%)gUf{5YzYgfBz`hC2PwWQxW)(Xbs z{cjF=qhy`OC_}i%SNcPq)7kEZzukv_;{&-L`9$drE(f%R>ig9C4tEsA_-#V~ceUS= zi(CCZ*KKzHf<<_YXWQH^D3;c_`+hguS8LQ7_=Tg-+}sbF>^3NU4(nL`9UA7dU8Q^G z*6lcnv@IQe8J*N;qjq(Jci95BV}?1-1#GcXiNUD`Gt}+M3_gDftl=bqd92k7ZadVh zTZ%^8acB5Q>G!zXp6|PD`=JgOHQ&12W)oa8*f({H3^i*oMo|B2!QlF-fz^G}z=96x zH63CvZLs*Q^s@HBE*H1$=~}4$**jJDT%BUQ^!vKQ1)b+ugRa+Ry>`G}@wX1rkF4%C zGumx`CA4SC*%w1f6v6G8K+x%x5=GC&x8s8+M~t%ienoG+?Cl$L0)*g8)X!yJ>h3aG zioHx0h0!pcGXfNeOdeGl=ri%}_#S;XrM66_$8Sl`_yBqUNdNqgT%b!yty`+`|A{WdeUJ1A~Md#jHv<5(=_ zu2a(6FrNa^Lu4qoXXQBRleYBlXtriia}nf-0q;%98wzR7as`K=tgw3A~r|6WI*Cq{F6-*cRvJA<}Q0pgwX{H+CgKKW0^ z-}sI33F8@m>IjolE)@BB#YNt|Z>U{74ETJ;5_UERyPA*v+teri$x_&DE2-@p=x3V$Q(-@Ra}j-Tl2fA})ZCR9HGIY<#;2`f{H=wIPnyZNyC=+T z6ApGdrfP{(M(oui-3qQ^5fi`UEa2vMa6&tp5j14>RiJYBZ z#w$~faO`F@r#QKjn>uS6*9v;58lXD2>Wen~h1Jvfw5=ulosEpkJExN9w!Hfon5Ml> zr$--rV%2_~jqf%)pEncJwPbJ2OtsF0A6NteeG^ zt5>*)>8-h}3)d~%w0v!gK4{OFzVU$r$I!mn&cf@Saj$mEIQd?1@!Wp)+U3vLu+Z0R zSj2mBcK96UuBvNbK8wOjhu*6ewux+dle8~wRo& z&k}U5HuhloZrPp>=Dm8e<)6#R^@M-v~`h_8Ed%Na(v3+k>w#mnp?P%o6_BM7k z9PQ(znKoShps_1GPR8xpA7q!sH1<4&}{udyrJ?dPJzcd`1Y-OuN)oMGT zeXn`*zLB0brFD~q>}6y7%h3O8LH}lp_V*auFK>MyJ?7qBF0Zit5VY?(fBx6f561d= zPGGMNVc~(z^~+!{TectR*IFO#_powgT&u?`HJ*OFtc>c+@xlfubeg8rCM!V8y z`5o0Wk0_ni<)}{MctWSKjo0aj|9&ZYZBU6)jb{w8cuv>EVV`7P>-TH%diM_uWN(Kx z{0=tvIJVE@S4Ot`0na}aGhD`+$Be~qOTF}3cC>BN;~FKk?{z@O+;?eMy=`h%ccW6M z5vtVm&e9imPP{?muaU(MYle3ocdqE^ZTfYdAL!S+f5b}TFqs|noFQy-y>RWv8vB}C z{I1kX_aBb7X}Y&0sac%B8XdXUzALrALCNZ^FVVdW9n|;0!D#%D*0SbnjMsqi>SuQu z;zIsVuWB%cNjPj5`(c8xq25)^Y9}>YU00!)UpwXZ5f0k}VA*0W<7>Hny1Tv4?DQFp z7HgEg3k0F@9zi3vzu!o|)PAQk8qFxJR`2uP2k)92zW1W}`QA%Yluz&1uJ#&m4hyO~-m>vLJYG z(`&uZeuD@NqxS1>QR#=M1YNH)=MvB)JO}q*?|VHxUOhZUd%e#l)v^X}uvHB{5N6do zp_$@xmrZxhWwV|0*?i|BHp5A&mDVtHuiKevy=Mu`^Ea%gCJ3y-4+iG;l|gV{tJ8|@ zZ&kC-$$HfQrAp&D_LH(`mymJV-0}B=Y~&>t+j*I4QoSh6_b#byoXZ_H$t9Eh=A6xD z0FO`VC^eSt)9Z#m3tIPa0;~V6fz|uWz+65sFsFA6LcOJ0ZL4^lx_7a_T5s4EhKB5= z#>%+|#Pr;FxnO9KdUN}1_2(|h>>HO`><5=LHXiH0UtO};&{~@N+IM|J(12#<`mupI zzl$~DXalSLqJec;E2svf37UXi$4{X>&vM$d{hdR9ljmucj{I-GBc@=%|x3Zhw&u$Q$@+JlGVi0EaH!?Qbame_2(D;1@OMEo^bpfM6RXmM%nsX* z=XqHZSjqRbo^SZ!HygX2zZo+~r#~>zp#Q0hR?)g8)B5=`wU-Ce5YX!YeAaoQP&6Qv z=?8`D^xco=>SXy?Zcb3G`W)vB?>M zKO8>Vu>U9T<6&ivv5Fe0#NTKRZUMdXY<;(n$2M*>_xr|;=6zS+O>A!%{?-^!O0QMo zng8flFcmVEV$axkjtMf^I6cDklL1&jv#5BVuT&EIm-*m456nV=5tmABLI<-hqNo8vja zPq6uy)#_U_qW)C3DEDa%j=4{Bk8zvgcG$6};|~0N0pKgZU_gDqKY5YQ={Y}N`JyS4 z8^p{$)HER=sdY}Evc2w}4~Tq0_x`~bqzy<7$ZmRQ*j2Y*`bP7fHU7Xe`T`y__dQBF z$q)A0)5B_nMICB#wIIKpf&s@gb+95x3w#ZMhW6@qnl=RiB>}mu3j=Zk3fmO6QMOmN z*8~Yc2BM~e?&p$VHjlN-n^)W<@`uaS2e(~|XA(~;zZQ8oiaNJ!ZnK*3R;vQFgg1ev zq@6lFv1w7~6YfRT_d2Ngo$x_yhwo>b=zn6|X6#99;`G(GS5vzm^Dgwy__DaYdX74n zt!Ke(2Mbh2XqxPwaoMJ+`y8Ov-&>_aXXTi)3(Tjw@`Suwere=1|=s} z@`kuI9Q!<+Q=0u&*hk^Q0XqN^EnDz9qJ@%=eVWNn3^X*n@?l9p;VNY?ixz^}Db_AK zrqFHtM+eas%{g3!7*+m{j&?TO4=vzj_ql7Lr_3gG(qgn<)+2Qmf7l$FNgmQzQg#nMn4+) z52LnoYTGDI5Pf%&ACYJwU!su~fj|Aaia+}n<4?b4^yS4p%lH$6nSJcjdjHIwieQ$@ zf&~?87JZ29`7Z$vOM{)AoSS@nS@Rp}Yr(~a{6KxeK`%wj5{^l@pIisrHyZtq7q-C% zi9NXfN8$g1-;eguxG2COfJDoIMr!`@7Y6>~$M6Hb$3(yA=~qC!61M-pUm`Fo(@VPxrp@TpBM2yq>mA-;n?X0c}$;eKKT$H;d{xSs*;wD)%* zjANJKN4&a=V^fYmhE4!y+6yFKDtv1qE#yy)eOkpQjDrvHTlg~JQ@!vZv&I zcRI{E3fPt#nHck&6?cMz#9hV7XsFDBf{cS}C&%fS5_e8-89^Ba(p%h8-#ehy=Re7L6pL`xhXmJ{H|)$qx4 zu(vvc@z(wk>#&%ubR=nnts**TSmUm6(eof`j=_XSFRx3uS6Jq&xHF;;7&f^Tj=LE&VvUR zf%AF5Spd;;zPFN3U(3Y3Ve$o&Px|I`&@ox`OLG~~V!vDBPkzxh0(|7)gWvxBmw#4O<4kHSP6p!Ja|*yK)x!k(@<;3IFx?a&~nMuOQq{hja0>elGXfQj@SwzwgXn z+i;%G+QGPjOXc>v1^&!k&q@gYHhFnPypPYf(!;FoO}^~sel&Ad2uqn3tiqTTXv{9b zm|gw6(eJ+fZH!;|{SU$Se*9bb-hY;}OTY5$;4Ch*PgnGFWv|x<)#0ul*##U0OFYYa z&0!p1k3<{?ZWAZ&M>A#FtIuy9(f(S>&)rK7f6}sOw$+%WJqy}5pgj}Xw}}4{dnXg* zEb3c6wpa5i;4abl_L#b|%$y75;cWeRQv)jw76f&(0|&0)5rNWUEbikj5ABnaH);qA z3u;-isFjmy*;BQYYo2jXZ+gu}Py0RlJ_NpBAl?HpA7{n`e&N-VM{sQ{o>8@zo3}kB zQ|YwUxSHQ5RTBd=IDgmu%3yUz{M6^t5eSnB7YTLORm z3X{(~w3&-$dyl%Ry)QT_k9=&WI{A~FU7RRq`@iBtt)ElH_nhoj+CDSBh?C)pnM$51 zsBEqqR5oXI28vygpU|?}@mf_E=%G#};vUP7R_#>pU*C0?3VSWN&kfMe_pB!n{uCoa zKL1ecxlpVO?R)I;b7hA*xTxY@sI8nmN=|m}U%I%XaieVtn9?>wP}yT|!0wuXQOu3) zdF;)c0q!RJZH{U5Av&f84b1VWev7Ocb-`Xuv<`bU8PD`p&G&F+W#J!g!v6sFZuT{H z(bVR-dREV=@>{O=VE<|^S7zX*L{wMqo0{=+JPxVJ2KYagZo15jQEc_8WM&p{77YQ(x}?JL0FCPt$V)-rLAuSUn7^Q`cfVXtoq_WJaOR|gwbH1-hpTM7U5 z-X4Z6-cPA^dcUUG>-CN1py%)UXwO+J#%nIy(qQ6d>*rMQJ?|Ty8tE6KXNa}aH#n+O zI>qW#)z9daw&(N)QU93wzh<0P)dBi5NKv9e8|FP)i}t=tf38oi@Y)c=-VRR{ukskA z+0gI}_11=8=yo*xLEJOk<1vv%dQ8Ed-E>AY9Q2&2`LXV+?JS;ArI!t+h4pNDOsggQ zeGluI=YB0~xLeEW@6<4t?P_hU-D;)70gcM$h(_gcRR^CDV*$5r)BH86jE0`x-Q)d) zg5j&w=eo}-S?m4*+u;6*xZk*~;Ww-l4W3iQy-%Vc%zaY)Q+5I5)2h-{bHsbjO%CQ< zY8q=`V*gv=?~1)Kr%)BEy;jK_SC$CPR`9G1Sf`DuaO!(Ugb|3&;a z8u72SvPAzPbpPw<|JLItM4*u}^`5Vt>z`ReHo&jbH%d-h$#^O{wFf3>IUbqZBIvsWvOh!*y?8E>ND z-BL7cZTPcciR)G6JnTI$#NP7~X9Zi~q-3-Yz7D*2rlz2(Swm-VtX^0|P_u^K;5}7P z`7Hz93yu5H-ZQZ;{5$rfrwV$XaD&cSJx@I3>r2axLeM< zWs&mip>DIUvJuBw;n4l+v<*ZThDaPV-)*Kd)KswzSOyd zEpbw5>(pR6Y5!EZ*MFC(#6F*mz4SkT`&8^{PZSvKEjRedp!eLWSBvt4xCV+DCj8wt ztMvVg1@$oWeaN2u)b{~pA#C-TU8`z73v-7ZC}ty1vunLJ6fdd&8e87rEy&VGhH3Rq zD<@*loA%y+$G-O;pko&H-{*pk1)yVmU6oqG+45eu6H`*3drcGL09eCc2yf%QxZ4-l z7yjI!ci*T}Q(T6Ge@LQUF%TZtKAG8tc1@apXN6})Z=3(x{DUanb7u{-XMZ$gu3~Zh zF@}k*u}a#v|Jfy-{enI7N!T-=3Oc4a=V1RnPmCiNU0b8H#M|<<$1j4)19916pHnQs z*Ty}4*N?Eb{vP(Y-!N2Kia(&(Z`%8(7=-Ddqobpt%>E}j>b)x{-Ko#N1MXiU zCg2mqBVcddc?{wL-Z1XZ*M8NYZ?#L8`&2eFbk7%9%Qf3i1Glo)i)El(>LcEsv;8c( z$HwbwhE43KRSMePdif-PaM*@Unr`8f9RemI);)_Y6THMIS5)zB^T+ct8}?xPj$BhDue)ajEz z!^yr{^^BJ3%8y-d3ZGfX)WBNG3h}S$$OPxt4Qj-%h;bx!sL!7_2(5k=ltZJK8bghZ zyrR>0Ubyo#$J_jsezzusbncMP{U#rb?~_|}1vH!=%!IwYl*(zX?v#8|FUjzkONybf zqrP0(m-taf4IjlT=M`!Q`_*ggX`GS+u>esS=GgO{B<4xfQ%wtbvP zm+@?(qhmeWCO^IGH{sxO?V_)B2}#RFyo}Z|e#Y`O{jE! zGnxY)WD}Ip{3HE{{LCEzuLG6wb?Q8`%*T6LgrD!s{RDWuvu>T?^#g z0rbR+cvPmXZu zd4$|3x_7^KSJQiMnG8S21Mb~Z=smpO(mjg8q3}LR=B*}9MajDBjrVba@eUt5J|7PZ z@4I8vh@VS$i|<9rjK7PLNzaj1JXV82e*91dZO~ zL1I7QLEiLU>PIm+3-6gQPV8Ssmoa#;hm7bTCE$bq|GWO{fq%3IDAtDJ$vOcB0m#=x zcH~Qd5rBRGvgh3akHUYA$NZxg(Hjh)IE_C6J2;*Tuhq5Y{szC*kMUgW5$mm(rF zbFpV^{a@?HICgN1#9$>mZwp`w;1z&B;GdqyfkLG(vO7Klg!=p0?fz+=XT1MW|C?=Y z2jmB;+9OU)%EOfI_u}yARiH9Z7jP#a*FV<(hR2-lu{Q3GyYQ@)fY$&NH~FMq#Opuo z?D&Y~;Oq6oRv9{NprKF|R1$<8+916|ul2n&{TAekcaiUki152uSkMmM1!Mf5bpKEhR1{d!UfDXkm9klK(*nQCjnv-p zUb&ue9yy+Io;lv}-g$mk{51Ya%?euQv@QwM1uBE}{R)HG3>M7h1C|3eAg*zhqEXm) z=lJTjJJIIHfI9zRKaia|8nAuka_>{1TPe{i-4(fQic`<~70%e>lF9Ev?4w1zoftbv zdAJk{N%4b-h2%B?LJ^C%k<+^z?wZl~)~AJSi~lGNW@|wIWPo1~QxD z1GN5`J0J@==mP~n&zc>MOazXr0c1lx%8Sx|m}` zJH?Mmal1r2#WGU@d-e^A9MF zmCis&KuqO##~=g7m{lgm5>r1&G9mRvY<~rR{Z}#elfU+(F&6jo7w8AXMql{A7>{eE z8@Qyf!UlSw5VXU}f*cr-OF45E>BM&df8~1P`EIo%mAivAEE>E&+ELi|qj%9Ch})(3 z%dj8h`DQ&we21Qs;-=~B2a1E0Xs2@+LSsPxDbOs%AyZ#SG1aEN;4glt;BWqca~Y;G zK5-KI0ddt7%Zu|F#MtVKIDd)GtPphr;*wK#79!3|j2HAWFzN$X*o?I+DN)yW_SwB4 zp4L^0F&@u;VdfPN|NmtvSL`-0BKKwt1Trz!Z9d1CymF%B5<%ydr1wV%-sI4gr< zn(4d@#F%rbyUnyqv2KVbH1|Qv#Ka8HunbUD+knbBgT*?Yla%ob~M$zxA@y zQQR=ae=foqS9IZ?WAHbAH^oCEu3L;x|CVv-k@wL~eIVB{Z5w8cYb81GSiCq6 zv{ZG!Cd9dhd{_R;;1aeqgc-JV)USNmRg71kJ-~)7Kltpr(G{Z_iRt{4$@p#TZYXz6P?e0-rB7#*`<|Mojt93Tc=6 zz~5pV_-@;F4)l)(ROV`hjk$=-xxpp6RUu5fs-x!5A+^+hK<-KBQM~`M5r}=pc_$kY zcTVxc6uV95o>1)hnMHg)UB89&$F(dLbsplT>5LoFc@%R``3`i}&GvVUargUiUR^X| zkSYHA(h5FbioGY=k8R~H{PMZz^Qw$r%a)t@$#eY0HHrM)aLB?o^us2cQFEr!v|GqP zG0{)ZaPHh#(BB78(MA2UIrgWv8F}+USi!;&VbO3G#f*NXb>3R&JUVY?8*&aPcAVm` z>D-x^uZ?HVoJ9ugn=u(RAt(!51jO@ zNTR>RwQFf;U}EV;?t9nCy|&%%lxZCeS+hgf)nD5eQjQLtFI1M!quBF39~fijk05V> z;?F7e{{mvTFHGVMb3f(C5B66sIk#i^uQH9nAn~-ScjU>4GJsRT^z!-*$Zz6U0YYPc z?9n*x`uMJj)afC@o)4N7kzVBx+$$(xjH2m#%vI)CX(D?kw-d&P%kZW+~g~5vDUA=PVb#*LR zILNMqbRM1YWUccKLFZB4L@aVv=**{!lb{Q~ZyFEbaTf~G6@lY@hkEG_efL{la2 zf~-VPxaA0$T?FiP3xYD>MC^66GNzoCXzcI2Hmq-c!SjgM9x+gicV3Km;pJYg!m8%Z zign#gk_U9tU5TlH?py`|1Oh1>s z%=AXYd~fk})$Qoyq}V&WR&n%u4hrNe=}G5N&dsEL zx}ZQ_h0dPxD(K9pi}!LvtmzNPG~^Ne1l0qAX-!nK3}l8)4QO^u1KJ6WJ{4@vw}AY! zGU-R$JmtMaB5&jnV*e5UF9g`zJbd0!8Aw@vB>!&efNHlHb4V7L!%gIsAg;b#`s42L z-#=Bap)`CQZMmlg%JiZdWrhG2iEw#8Du#)IhJZ=!#PG54fa8P9$+ zAKBVBt9C=9wxnOotGQeT|1Icmd|h8C(eJ%@@d+T)q6~yyU)rJdDay4Wi0l}kw5ET( zDd%RZN&X{D{Fmt8=IccIr7|{N8O>MfqXrI_3UaDSzwb3&4&}EH_!!rNZOdrwwWS?F zKXP>lB0~by3r+b(l&?neUkUniA2a>#pg+4x^v7r!=+CvFpX}hW#^?)+JG6?UTpxl1 zo!cs^O8?GA&iQzD?K1lI(R^fM+pOA6t){B<`z7iMDL;t7%P9Y}M{9izp54y>m_&bU zkKp_HkGYR>o=E=btVNQ4%6lUDKMef`9Vj%nlasIbv0U<>{uos4R%!iLYW$xw<_3!T zUmE}5e>3PmiGH_leGXVhOqQ!dzM3gJt54evogZ_71chkuawBU(nNXAWOU|YjMqH2 zslkLZc=qGafi-+1(yli?W?+q?aaLipuEgzxPEqHyUg2<2Un0)`<R9r&# z&zdr5r;ls^VVNWQ77+camj-GUg7;#+oM%hbde0%MEgo+vcQpJ~N#{K7_Lv}^^|&AT zLX@{9^+A;9pTdW=hYu*Hjfei&ZPJEUo1QQ*iGH6$ro5s(S~{~(aM`0#)HbO1V;7 z8-6XGbGftOk7C~1y*~KuULSb<$wC{9yI{-PmL+2kML%Dyrc2{}nKvmXNuuAI=to{s zLnHmnZM&LDxnXrSD0Plol?wY^>f-vxwReIArYHLSV~*3_(5n?7@y5i~FT~|Nvq30& zb~8KC`M09A?(gGV$q$ih^{JTiR(2muX8S#V6La50IY1xGcKvt`+IbY~09)S;XV>|k zH0G2wjxoxAh4imivRZ3OnB$5P*5{(Oa5T<27^zTenogTZwokhX=nwF#QGZYVGoeBW z^5s$ot|~I-npNBfd&IF&x(^O{EYN&aW8=4fu@7v$7Di2LaoQkQ((jA$UyA;4_gq4;(1{#BJ)XH(mGEAX+afPOjtw)R5b`5EfrJDFy9gs`RAXNr4$@KL#P zKslWIJdAyC&~uJ%i)&WNdMA}(yyM~d_AzLIq z`TUu29l3~1%;{S!Xq!d}N@Gr?frl)~`+O!sW0W?iEXRMveEYM~FLJ_v6(Rkzahwu18Ir2IuXdzSJr*E^|& zxwUUzey_&SpKavtc86-9bAxD40{hf*AA7$~dU{NVpMqS*gvKijg5Ofmz6g1N^N<&a zx*Ohq3fjg83`#Mlm*iifA9=kE!2f!Xe=#@EM8D@2rSdsF(~Sb{&)m%=|2OS}Rd!zf zIlR-vOKij;#zsW3gkCEOmo*s8jD7H~Sq?1wU|Yipy2Y+Z3Muz-F>)W5p&z9DN6O=* zet4^vP(nE`j@64)j@7es9INN#I#ySxYSzX%=gW}`NjzTyx)*@%xu6^8S^}|Z!vSLgKO=>Waekt$A^6oWB zP>4LI99H7FDKC+7Dk;B@aueNu5wzYBdZi`*>l6RO?(x6LUbSMFfZR~fJ~%tCn74CS z4Z@S1a0of0~VmW$d{)mNzs~vBdp#ov{zz7V}1_57xPVt^33EibBd)q`XV& zhdQcfT&@dfP*>P{( zCH-G$(09LbI1WM|c>#TJNjMxlqlo%oN&T_9UtG^BDBqKE3@KMq%K4OXa4DBq%3q~^ z7+OjgJ`hUiOmKJNIdXYLo+Br=9`PLcye`Ns zrMy@tmXIVbofV{UEW97A63TiD~shRo+O)^e>F|MXY)-YmO^;$2rC?y&*+w#Djv zN=98_?D^|}n+BoV@^Fgzn*yNm`ZzC|7yq2#zaaKnf0c&v zwi5xD2Qfof*Mh>Yy^>YNF+sY)C<|}a&8al+sXuCWWC}5toAS_!=f-?)*6>Y(vd1c+ z@Yz_HWM?oPU1V(dnG$utx3g(oOZ!fbTIS2^M|=F?Fzv|4%cXupDzGekcC;p*%tV0#~R(fkg%MFAeVEad2y zdwzoT7^vmQbbfCNne9=Zp!YIXJZL*|$#=n?i)8HS!;B5um9Gf+YH2*${sZt&=fcq1 z{>|!gr?B7K@4OI+exTg>Xuv^0*kI7m1G=d@E9nx#N`l+7f;O$0re$-M-@F;iA)wdv z8UB_}-|5wzsrr1)3j3{LjPlV3ZG|0=ocjKu`HH}wwx5?f)Ln}<$;bGxb{&5D$S=|h zV|dPH^M}pn$F1s~n7(U}Mn9*YhVtu6)qbeV`(7h8>VB(W%dOJtyUj{S_kUwS9LMn# z-~SAN#@~~Akvt3n{8r1>J)(2txv_!m;%;>9bSJmxQ)=CVXs7SccLUqS-e~&b!Z^EH zjl%G(?*JVEFxD;7ic9%lxyT>v1n>j20R#akKD!lw^q3>yzw5sq_}h8_E)wf2 zN-lmP9x#Ac1=!K152ENG0$hX|Zum0}Xu$CfboUm&CVnx6-rI{`7k@CG-it>+&w*7z;J+UDuLu6?f&Y5oza9{Kfc8%RZENrUSXXfm&{~{w5XrCd4B%bBPkL z76NGhu|L2A@Za^%^gshNI~*_(unkZqpXK)Qh`Jr>9&#V!9`C!<_hPfyrV0LW{x_P( z`6soAYksR`e2X+dYKyoQDb3@WC(+-U#x%X=y}v_Wf7e6yKpp&!^!YTvef*Z&$s_6wb&YAdyUDedaV^r@-e`l9jI7UOE9o5DDe6eKt5lZgZ{f7O%DX%G2a48 z&Dq#<2!CdP^Wo^|rU?^{w#o`p1PVbK@E0copr$VPSXr><_=DdEY6A7G;s@Vpy!+KF zwL5tq0B+XuNb>~gr~mx^=!A#3X#cZ2U>2ZM-#$0Q>G1L6{x|co+aVe(2oBF6b|NjP zKs<}_Z{j~mNMPz%oY6H6=X1?uZEue&YInp9PoVsU5Nv3b6Rm$tHEKjeTG|jz3V=wd~*Gho84`j-8Km_p(VNKV0b6L ztg#==R)P0a<9-uh8(=4N(l&jwLzAxCdpPX@of3^J@tWqh|IZic`T+p4o5gRFO(kpYr*r4fGvRSfC#`|zyTImvP;)^ z`!82)s@d(5=*9hKKs~_!x62s>)7o9+JBPE;mn`x=Q<&Rc`v6{x_8z_?6r=~FB**&Z z#;>WCP3MyyU(G3OcFT0;GiRl9XQeZVE0P5|tC_%3FOWWvbb=%cMmbR8d{PaaQCdBA zNM@tNk8;`;OuH4#R)f!_$9^!|jn5(hhX6+a$65RAy-LqnW8);+aVHzGC*c3f6#_!n z0Yu)97*O|c^0n64mEpTa5m<2Na+9pMH8t-@XE77+<5nBb<{cF-yItx$YU%u8YgwQ( znWb}?CB0y&6C_!nxxspV2y?s5#||@|Q!AcZ+#hH0^ksEU3`_IRn3xfyTc@xd`@t*< zypI9I0ZswVu~rvDGaQ2&BQDN7Cwzt1)dByj7p>{Y_8~v2$orMce9vi09<1wC#qBb# z$M|F&TP9c1*|f)TCNZ5)Ysq^$lX~uUu0TA8TRL}{&f}KOUbdD6(g%`GkYu3}^8xF&G)nw7BT&6L``*|;3Z5Sa!~@O(EeCcQcPN z+04XyI-7d;ChoTR4Dv{v#Yu7?$pXoNwJgxwP{sLyKRzgpKRL>HPO~TnIKMo0s8J3u zC(t?O{INbbpRBjWH}QwGK=rO%>#-lqE`$Hq05<`*Sc~}0sW!E1NOl3u2efzfzjBd% zGZ!H8{^M6&k7TE}Q!%Wt=#2TYWI#{_mfSezmlm@`u8vuPb2e$r)7ksreXKO@*Ffi6 z@c#4$@qBKb>wcWWDxJTM^NGdt=p|VoeIV%sNfu~ssOzbuI7mDBn4bY{7D zhCR+Lr*rJ->~e8VkmR5@vx(_l(j;YCS};4NwjBGx>^gX#3`hlJuy&c3ikx2WA7$#N z9k>q#{M#?mWvc-q@8?hVI;qWrzSn^7RAT^DW32g~mC!OHW|>1Soxx6Z2dsHdb3L8S zU5fV`P3O|%tm@D9a;c@x;kT9rOPwIe0?iGTnI9rsX7Fc58_%p4YZ&0X_LI+B$bo52 zFw22)PT-IAX0=W{eYbV~woK#LPXN!2V?UUs<8>Aw7xTewUBhYL9hdqG_csBwPWm@q zje+!ffXMsMWla*80{m71)BvocEp-5Neg5SL_q3ynICd0c{yyGY*m-8&W6aYTzk#BwKa(UB_{rp4j>tT4k)ZN2^Ip>TCL8}G>3q!f zRFj|-?@^n8&T2mv#-(%7;BS-(NEWCrhg6$Gk_DO@syILJXI{@1>sFjY&4zQR;X(BZ z&b)4vgHta-4rop=*#=b0LYx!sw+$RmJe}P}5d-`1-q;Ujh2Vb)Km#zaCY#q>Lm!G` z2ltNw{}w&q4P3=>PkZOFJ6fc%eDJvtPz)d$pc*Tr1JptK#Av^SBa1je)c4@MSZ}2Q z8(*xyV##}qd8*AI)+jL5vRx6&1FunAM$`c$1JD85oWSBsVGT0Ddsd3~COfY@ z8(*~ZNasV}Qym&J?@^zEYO+v$j>!kOEU^v?Y7>ZZAk`qT)CrPaAblX|god97d@{12HP+j=eXS)`x5`#-MxYHAEJ`br;-f3 z_yh|8iR&+Y#f>{Tk#*!+teeSX4PWh#HPh;N1`v=(g?5rj4 zG3Kc@iNt%VRk39smnqibi2-j3NDd@fAblX|1d<0!y-=1cm}~{i^{Ha57OLHI>2qWK z9;(@L!6XOfIf3NBG$)vC1IzUy*@&fW1J{cm=LTxCu%CQy><4MG(y87JopbNEZQE4~ z8K8K?C+(60p-BLvtv9i00y_iVp9P!)Kn{vdbrxknnbs~RW=V}4Gw+vH-Nq+7?;PfO zs>4)@_ozuk^=Z!U=JNRCoM5iWB-JC5WP$X7q!X-Vf#wEjevtISe$;Kd@|A+W`aSCP zpnen8?4jC4mp(Jf0czG5=Y;n#Cr~{nX-=rTZBXab=-fa}ZVrw84lMUJ_-?Fug!d!^ zzAINsHX-dLw|v3`V6?>h`Jeg3vpDelB;XXlLJo3{2cL;qQZ45%+4!cpz7+2<=BXZ) zSeJ?F)Sy1mz++q*YO&m_!-P65qE4ucELiFUl7%Rb+kC=!W33{pU3C@pimrTPtXU+= zfix#ba!>`^z`~bYGycV#Anlz?m?2B?p7Cnm~3{5?4+JQSESb3l!}wI9ioMW2r4xG%%TCp)i{jc+;ElbuI8A9Fp`Wh%vc z)F`5wWDAa<1`pNYA|N@aNER&T2T3nj+6t#$DimvWQN1cr4t|0Rpmvv84oq`GrECL> z^`huMy5~#gt}RTjr8V4bC$Kz`=cchQy>6#e>gv4l=3!HRPs5$`?mu}^Jd0@S`?^)z zo4qqg#bUtoV}RoTlN=}x1?S8jQY&XVYK&3MnGK)HQ;ySozrxCwyXKxRm+U-oeP=n> zQynssjZb!7Dc)nuQ++DpJ=N!mJOp3xN$@@11eUUJ0-q6(PLT9M1-1fz`P18C-L~tK zO|{!luZ!xpT{Fpnc}^fXFwF^O+rTs@i0j4jZ38Z0ak@-rtOrwD$MV|4T9){3d2f@M zS!7eEj^rz*{gi*|BA>*s0CCR0yf`3}MS07n5PInW;Jpjhynb1v0dqFPf_V~*;q zZTeE4T%nC0TCt5!cAhxyq3@{{pC#|9E?wdQPU&!p)0k_~S<8Z@PLO1Q=7#&`2RZ8Y zP1A`r>!@BE)$gM^hKUm)1CRr%UnkB9Cfk7O*j3Rs;I1#d1K#T`>%XAZ8P$D6RGV@B zx4bt$eJ0h^@8l=`r)+^C67QFP?stwI1kVov4g(}Pi0-K0KDJ>d)mWo?OEWR{sn!_P zT3dj6V_UzLr&Q$2HLvfi?L6?F=6b40SBm$r)rt2vu#US4+igrdcZ)j%o=PjPyQ42`ep%8tM2ABQ@y$=COMGi1W696U>m@P$lX{@>uJkq z>{ES3sxe4oe?ICAQk}&ms5Q9bdwH_Be<$gCjC)$&k&RD2ol#50nUT>REJWkMM-jCEen=9f#iYof@yx>lP2F0>oii` zPLhLU)b2#RMzMaUSkG0O6G#qBbAs76uv{;ewhg$XwdIa`iT8BpbWGP;V0X)sffiS< zW|;V}9e47({v8+PV~D(8IL7xh3kT050J{MuIZ%WJ=l|ZPdOnSP()(od(byODK8=0U z*`zw7RBMxJjZ)pgJ>%ucW_>T&c@MDh$<7mb4}DLyDJ^-Q0z3ZJQBLo9o+~ofBb8*q zQYT2VKy!oj{19I)hfiC98kNgYs}r?bsa_}5ElrtclmqjeFdcIO)pC{QgoAiQ2}`#rg9g0yT0_)fKSE#x5V1JCrS zJ&bx^8vCU8#j#I%A7h_t>{7i=s=Y@wH>v*K{)zGwOF#aDY<$x9REM_|@8Qoe@t)m= zP5;YT_yI10w*(hVAjyHG6Uv((E{(`C)~sF4jP-k$K?bOH?IM#LNOMBvZ3FJsCbOL{ z@wYN}PXoJE7XRC1=ak5+SC`fUk2`Lp7xA88_jk>&Qw?FZ4ZPnDFv-EynXS{Nbhl;Y z*?d%EcPaEfjs4Xa`&4U}Y7JAp-L0rMd}y*f+0vI=rj2hg*PD3{eNQ!cEqPD1dAFb9 za?N##sW!2tERY;jAPfAB2^svIji^<--c-AIm9cIwYStR%z%(aR$~G9sxZ7L7d!bBQ zuM#pKv=UfWSu)@k5pl)D7xKT;7=0WU`5GvHKD?Dz%}C|ijs~_F{NDmF$$>JogJN1= z$6T|`XVUxDHXn`sRT%rE_i5}?&Dkxexl46tccAWW^lyBMSaaGm*PCs8N#9%8_%zoi zS@RxiIO2U8)^!PSTn2X)e7*v>Yyy%4Nfs=1f~72+;ROE9id?Z~GwSq;a*)0baFTj@0c`GxEnHr!3T0XzkG z99JJaR2=(9er|P(Z2;dl0yY6ma(3sW&L>ND9@XA1W#`fQ&cedJ&nJ+ zlZo}Jsa7-9?xq^%cQ!xW~6#$h``o??^H+KBnJh{gJJL6X(XGE*7^^!`AF}JV;_1y3}c__ zE>qoUs=ZA0hht~*DG##oQ%L8-e|yWC_psrK_ZhJ57hK}9xdiZ^#`mWh}VjW{3B9C7pWd_H?OOk9jdhRjFKnL6(%9tWKB~38jmAFoKGmDwjoQ;xcbsYvA42W%lXLjw2iW+f zd5to>kMjB%4-2nT!)|xhybe0`iV&t*8Nwtv$X*bf0h`ZYw)x=Wwe<6m%|~l}(dIMh zeM_4!40@l&{w^B(V~u0~AnI>Z{qZBH!F^^vpJKN2FyEW?J;puR_^G7xG1sS=cz-F9 z)2*J#ogdgk_MNR<)*QG$j7{Vqvypd^y*ywNw|hncpSDBKXYYb8Fv)>=PAJPZSkAb+ zhaZ{Fx8yy&=5+7!i9Tt!gkCFunjUcm$D7G>?4n5+*`^) zBLmAUO9yzbSa}vildh(72Oh;meJSexQxn=36fFv2#fwqU$Rr2Q2YFL_+G#6e^U+$r zOq&mSe;4%rUW|Rx`{LODLe7q2>>mg3W535d@S~hvUdE@G*LN0n9*zBNi@5YIfwK33 z>!akmb^p1^p6@+@KearwJllZFJ^t8vPjXU~=8m1FbK*gs5qpT_<-82jJJ zS^N)jcKT;IJ3C&^uC3rxEN%RRL!4pqSF*hh4w$+BuFJu`JGXZH5k6~|U}+n0dGUV> z?!EI@o~!=*>gfz&fE}|XOe@w1tEs%{cB}O`#ZBL zviVGFeQ~{KviWGOUzW`mO=BN=pT>S1js2fs1B}BQFhR~PO_H-4Yq(_6_h)x;>QO_) zGvEG+^As9#Q$JYCr-f_CM&t@kKeqW^;|cc5zk;!Uay+je9weU6`lx+e57|xP&+5o#&s{6i3gxcZ zA0^K%pH)LwwlAPjM8qXvMsxS;4@p=T)9=IA_V0Y>>c_p*XTI;Akn(#cJ;_1*kL{DC zn4a0?*nG6VvsT*QDa+|vi(8JjPZeEilnpJ}Zx`T0uOd?vkbY4cry-e37Pce{qYjOuGYnU{mZ09i^ZVtP=u zRuy#@esShiu`=Eza#qjDzf=t?_1h@7fm+biJy3VTQAw@CzJ7J ztT@?M-%OWj48mjPzd@!HQn_?P0e4k*yU}&S&2F#(tih%Ku*1Yd0LAQ7<)XdbZGi9{ z-9r-c!Fx-%^V}fie9wA}_`k^0l`R1*11$G)HLPsxoVu!8?fkWatKDAzlC8#iZ&%vi zk^Fp>wfQDL$3+95N8!(?N5Ds~;d zK4QeTGPV9M?e)vFtb{8PGWaw@zWjXcE8yf#r^#f20f#~gvDTmYB6kY-{2RtT&=jvGvNIR1RZ$0MxDu8u z&k_o4k_@+PFX;8Q=k(0xEcku~@Bsd|xvRh31^l;!z=WImz=rtvrxC46|1bJ|9BgfO z5#JS7ura80&VBsHxVIkv68|?z{D%yL0d_QUWjg`8{9Q8k52>9WHM)BGiLY!5X{~Q< z^PQi>vmjs5uU~28pNKC`nmqpj{1;>zmM+f|@@&$CRJ&`261&R=W_L-?Y%c;X04mLY z4QqB=Uu?;Hdff>z0hEW2{@7f_KKTUS4-av7J6!U@5M~Wa{2Se^i2rL$`hPw6PUF8k z{zv$^vfY5afPIZ!4F}pdryhH;R{p7vs@=Xck=Kx)FYFVpfam{(wKnYShstsa@=M78 z=5Tot%e1*GWZ5MN`SythW}g6_UjtkL{007dp4KK=^Pk>3`uXo8UIHlAp|aOxd@=mJ z=1oqi!G8%-9?Q2&6Ve@$1V&(g18^PiDENO2Heif~)jm-+|J|M& zeUx|!Xj+B-p%}986`k5$(tzKVkUwgWY98#qs`7se&HtqTP5ckXy(0ccLk6Ooy0T8y zZNIGo-cQn3Ih#M%ZmV{iv1+#%b4UU2lOG@dZH{V6I%B+BgZK0WXNZ@8s_X@>q2I*x z>71y2aR{@7lxO>8SBC$v{h6iyuaN&3_txW|_`lQ7SzDdw`aMZZtqLyuQ~kbpr2Icw zhW&3E|NK!6ga1ci&42&M$jih_0LAZC_9CBA`0;*SlJwxeCEOU+`wsDcfyMfd^gq`A zX8Vuy|HJVAfQA02vA^28?j7LaUs)Q zY$f}L)>$Mk;j#U?rU>A_CEOU?GxJgLf0tzcna000{}+4KNdX>p0sq#km&2K?jECa? z`7-SP2k<{QpWQ5j|JTuZ#Lvo}9Yyg|BLCz1cS~d7za?BB)Lqp7l^OpVEbM>M|J$tQ z{|E7Zp-1f-z{L*mZ@oG?98bRSK>lAX!~TB={s-k55-|tRJYWWl|C{JM;wRNdtjtvt zUlRF$a?n#5>}BxZ0uly2RUnQ3MJE5Br2ki94j})Zr2ij=|A$QWKk5HJ8`h#YmVfir z#y%?HYUTN_zqkH>2>u7=3bY4g<~_Y`9cT6dzFEnRbj0_{<^Q#T-HIM1|M$@P-$MUe z@_&wz|4-6Bep%1Oht8M$KM%wIybAe0+Kg4jFKBOF1Ymh*pQ_z&N&xc(>mpY%U`f1>Yajd$HN;L)-Qct2TRb*P5*pP}^n?_u>n z_Wo?F?SCu&2N$zDmb|Ce;J>u~qw|_7do9Bk!{hpQNwntwoe}+V%=#Z=pZ5MA#DCiR zv(*2z_e1_aN&lC}{|G;4jSVOJ_xgW&5B~B#|IcIOKlrV%=6}<@dnNx*Rr11T690ET z6?B=s3jJ>Z>X(fEUt0f_H~vj~|BUQ^Y47)8_AQetr!9FeyoPGMoz;5uL=#Z3|aJ*v<-@6d00do+lacy4)L?(duXSNTtSKN9~V{hH?; z^nE2e%KMxAqh7O$W4z|E<6iRt3)rgq-{jl&{jk*kwD(8;KU)9o^z~Hl_8D?#pU?Y>gP#A#-kZQv)%ES;$4usVo>GW1 zWGIq@5@n_+$&jK*sVMVQLWv~GkfDK)DPx%>Atgm-$vn@)!8vFD*FGG{bKgDp(DS~} z`}^Pf^SSJ^oW0jxdtKM}`(4xC=h|Qi_id<@I~XeCz5|tW--TZDghDGCxDWmp3Q3a* z!RrzJPi+jg{`Uo|!0&ieVjzJEG_<)K4e^(uA>PvES+**45B*2 zg4b*=m;37AODml~3Wo(tl z>wl7ec+LgKf32qC;Ck-i&tG+w$2PA0-N=6;kJv~G&*7;IE}Q-=PPe&iE>9?j%Nxq& z@`3WWu0ucr&>zvj8xRY!IRlosNm%s%4`y4L=O+kbJ~0@F{q4vjwJIx+s7 z^U_2b=T#`3(;3R(bb(%Qxx?rO+SGX)v3> zVLkYa;{ue#aS=-4xC}k#bbwMhuRy;}1NWeOu3PAxq+8DXh5PuQJcW?X(mh0|1_S+D z{tH(8KhFNw@z0ux`p*CJ1&A?a0b)p6fanwFA)2IxNy@B+KC(j8DAAjxA$aXSZ2uhZ zmcHUSU%#i@y{`z|Jk0-}Y5U{r3--5JbmU~YSin61X2j%J+oX}#M2B8@>stl?(Z}p( zp{E?SPy)v}D3Rkl^oKOS_3!;a@y7N5&JWy!!dWi%k`R&z;0yTQwkO;~t+VCjK%ekC zERO%JKlA^8l>g-K{L?+1hiIPw9Xy(YsN?3KO;6_f$kG=^b~G*5$t*$O_k&h`Hw@nI zoSa=+UHkhK)YD&?Lxb1d;MxEQNV~pnt(fI0y(DN_FBu>OYB?Cu`H1}t^n_!h2JC;= z4`gz>uEc`BsDX0OFL0zY$^+$se^2Pe-Qs6oc*V- z`hVE|f5JaiEYQHiS?Jg-w)Z6X%@~tus8xGmd1_Z{->gW*+ip-nFn_Lpv7+F4phP&2 z7Yc4Ic;06K_cMCWp-H`z<;UD-Cw{F4ZmhNmSK0$V`hgIr9Qc8kT!9$9O$zX{i9~<# zzWx)ZF|)cyJrjA4#p3xFtOk8Q*#6(FYybUX{wZT-A&$p$J?6mPEdYQ9aIge>WMcYf zm^*+&f8&O)zn2C}*QQAl!07f`mp;@AF0 zb^PY3G)$KQBShXUEs1=9pufsLdp559|EKI9<{$ZCX~Ych4P(6y=(dW&<32F|tiM_6 zKlV>$I1f0EbZN#e&93r3ua^NW=w(7}YSG`~*iS?MssX#z_JBQ<{4Z@nCtSbaw_-sa z=o_x|3x4hgiaArqBj~$^9y4gVa70lo4LD_CLLCVX}yPDiE`{ zD42pB2Hd0mH2*J`Ah`X{k-G@}l>cWd?SEYRZyo=9&*r|F0N!EXH2~{CC9j|fR0hod z(O*z0u#IJDa_uTd>1X12U)0Zn7WH$WCH-9J-QJ*~SawV3KdpfxFi!ZAGif}5VPPhL zVF^lPScZ}S9@9^w&r(Deks+x5r`8D&5Ri}`WWVyNVoMx|?Xg%$;2{>;nus0Q_6~~@ z2JOF}+JEut_#fQ<`Xs3Fv2FF); z{va!HxAPa+=3(B^`uPw>|0RUge+3oE`t--JpM?IL1{_z%h@8L};YJO3;l_&dxK=cf z&GBS1hH-W}j$r|c2Y3WD@EE6oMQFtrtmq(~eiCz)GV?t*;dXOS-aqraBRKr08$Y?2 zx&x{TP*5_`2Tu!{s(UVZ?J#P_5T0G zy8hq4;a~pU(tr`*`{*k0I*t$|!HUy#Z1Xd;?%dMcW64vJx%hhhO%bb!L?V8s{Ub+8f>;^`;Q9#n;` zdq|FY5FtopK-vGwxG_Be5s5nOp)0q!uYYLX61Rj|vw7g}@ixzYf0g@tfd9K#i1!Xi zKg13TR$@?V{l8zxKh5Jgi1yLky#6e9$`Ei51Fr+U;RzHG5$^rZ@NcvI%J<+hf&9{8 z4HPNf>cI03=@$Y10St=?q$uJ2QqV-;_@eUc30RBs%N$u>RXm<0Zf7O6B^jqzL6%AZkoiF%T4LoO$8V_R} zpAKi7hVBDA02+XG5CwDq`vSZUHpT?lAFPiF;q>T1YD(}aQ3Ah${{%4h3&wvLpUh3^%t6!ofO`V~ybkoH=a?r1hM=)_w-`9rYXYyKW?FYfGs0JdM#1fW+}fYtvwtx6&jQc?!0rEa_7C{Ss`O!ov;g1Q0C)|+I*@*n zhJVl7`TrpI_^fSV{y8X_^TxHo!WDx`9PcpqkU=$Ql+-|Zl3sm(Rs)aNLdN}>2BrfT zN1&Skw}1u$fd*h5;C%sJ2ls$KSRWH$9pHVzO50#1CfuMyb^jIaap%xL%fQ#q;`?zEI#3@R znIj@5$p)M}2VlgL^dH>A{px1`Sy4N$)~)e=xCU_l4xkpA)i0lj=CK%$`h$KTjxBh? zm#J^smuU#P!88o{1FYy^6sLprz5tF1unzu6Ot?V1H2IhL2kk&^Pizn0dYi}l`_(uP zxAAcPe%0pj{vL1hY%upu7>M->fCC0%xeWHcm=T_r%cvjXKUn*P8~=sd|G#1XT*>nz z>hsXtA;3MXf%Q5N@(Fwka{=%x#(F_Ee`wPJN8#p$+7CV-gKZw>9Xj$J08D}%se^je zGlnAAO|aiJV6oaa{4o|hWDA_|Vd|asVH$w0F%3f3aT*wc{BSxLS<}J4j|o#h^b=rz zAVH1!>-G=$XFUatZ|v9M;{5tH9&Gb?e~-6$;P3G^&+53!{UyM^JqBVv57OS45$^mY z)LQ%R=lm}z4PZvp(GYYH3qi03@H$Ya`rHrm01yfAXV!Ov!~fO>uMM~bkfqP1Sc=jI zliaJk!`wqhz+~8wdZ<$2ep>{a3G{m!h+@4t?!nYE<;m0!c>#C>4fxj;- zftUdMgY_{XlyPQ(h7wx*JN8d60rmY>zi!Ru@%|pP@i^c(kN5X@n+M#(HqUYq@O}Zn z4g)cr1F!-A^FWVqY8?C>V@2y`XCR06&(!V zbg<$J@H+U{m;kp8f;O}b*2e@V`uV?Q`*_^|A3yqA{kk7)ezlFaX7hM|zs}}y+}i@~ z&tf1(YXB?o*#$kqnZ1O9*Z%&%KUn(-xBo=Tmb&)OL6GVK019Yeoes7Ih1bCL2VnQt z==&vS>B40oKoDd#sXZV1&U*vkz7gOHv|#XI=82Hq#Ci>cv-*xZF@2qKV(NyRnR*}> zpaHiHI#}@q-(v#o4_0Er_qM^$VuC5{;sl<QtK3uG^jDvv>n`(_~s*1-Px6%D{T zkjbgWukDHg^$*X{|8H&Z`kU(jSzD>O^M`fH7x278hF`$obQ3@eXb*lEi`{&B6xP5! z)@$PqOdZpXOy8g@09SzqU>&#s9l*W-uY-*-0rm$!!~~{)?I*zf#XGD0MIK6Q@897a ze=d^&H2AZA9nR+Q{vK}Q;cXu8@9{Pda}R8u;S|8h74GTHFc94dkiLu_Var%Vv8}fM zc+*f5ihatn)7+hAi%fc?Sx zegZxwTxXbsZ6Ay0@bBztd7yD%^H^Nl{&)Iy>unz2#$#TM^Ng$he$D1#?#%)3rT``w zi1s+ZG4S~!dW1D?5yg{%8dd1Qjv>dv8a@D}Nq|)yAbaPRnGaat-|4UazfJtQ>%%(4 z%@5s|bgf;_J7m}n`0s#b47$e}_b;_y=KMN-fw>d92ylt%M;+jO!AeZ%S@Q+!+Xn0V z3BMN;?C53({to9G&*gB!_QK4r0yv?urd%Vr#xHkseAH_g4 zh5$z}5Wo9!+nyFo-`)`jQXB;sThRb=0_;aISbpc*m9U)wI03-E_rGa_=hfh{WhKhp zZo%^o8Fs?lj}9HgPE3N1%hv2fGn-*2aBcgI{W>_#3#~|10NqL3Y1vGXpu{G?1$p z(FGZPg+_E+7KhZa6H|cu34k$J18V3o7yfVKum)gXfY-rg;1AZv1Xu@nU$D|P_}7^5 zV}EfN*G6Qd#E$$OzBisruMBnL#_{lR{wMvqHJe}8#>3e>-rwVG9_Aj{JhcG^5^=(e z0`6yz4}!IP!(dLY4I0|>4YRlhq+uP1+)ry>t=CwvXZ&Ss{rZexpL7ubH#U^L_wmSq`%(|Xkfh#E^TNV;C;b*9c=6`u8#>0jAQ*9`TN^x z2526%?HAX^@z&cs+^1h}^LT&18t2#i{c4=2S@rj@%~R`RAjtr1H{c$1tOu;)>j!`} z0DQmBhjEmA#}Y;)y7((xp8)W)7<>T#?Hl}D1{|NV!0%6GW$ymav)=Y${)Yet0D2EW z=mgo(&U4J|7`zVfz5w4ga0G3{_5B1`2kZL@8)Je6-OTvk<{OOtZOntk8oa~dPxR}4 zXyd^)588M*f4^$;H2Roj#dvI&Q3qJV)dgO$3f>cbtPk)%0Qd(s4{Jc~=8HDC9s%I> zJc0oKS2lRfAny55_}PI3*~)Kt+aCtJ4+8W9^Z|4OlqoL^*>iS`10DR}3*deNtb?D& zgq86le1B1zdZ}k4cfTUdpog8rwe9~zzm5*JdAz@e+jy|e1AotP0yCmn42>9pt`V?( z=;&7f@Q!%c2NmG_y1FCn}4OgU_XFcF97yg4|b+C!QA6*ALhRY;2S^} zz-M*z)Sc}EJ+?ptb{llCF(zDD9W&S%6Wo~km%*6t?62T^V;;2PP&Yhw|7ZJkYc`Mf z_kP$OgLlv@Zg`{_@ZSco-UswxpbGjNHgV+8gEzZVl=fACu|!J1*@myG#tutYdmH$?-Zw9D42+c>y4E3C2ZC}9a-~wnTu5TM`j0sMlU2vFg z`fttm{wDA1+5!wl*k0V&{c69Ce*IX^@AT{F4r6BJ?qYj&E5M^O@4ylXFg>ucWZa;QxZ5$7b-T$m#M|&89 zlJdp$YQBUf^uY2cy(+L)uLb~2k#F$hOLcLDfs?cal<{jH4?oE;7T z-)GhhvAB;7ARfTn!?q7|{{`^g0PqRmBftlMQnjVwyE_N_>{#39@iAfJ7~%z{?m1w; zOaIP>|IYU`ywCt{>>iBe{9eC~&JZ&rbq(8p=mmC6rv$9i150Cp?L&HCnUr2N;Q!rs zAD~wW{QcGNcdPXQud6!(@ZUDB2a5DdH!_ghSpb{{BpB5SbCDgxu`j}wMF#I2B_ixk-y$NP`ZR~zszmCfc(<65WJ8&oi zn$^q)Ycj#3G1}nKh&2tY_W@w3jOw%2L3%;OSF8091NQ$H+xVc^e|g&l&cr=e2KHGl zq7P~-)utCW+I}tIy#}BP;4MG}Ksi9_{>5*%cMgtR zQGCCSlbi!K}E`t8zNKCQgv_<4cq>E0KDzP{J#Ns4FL0B3Q!DC zpaEf@siL~1#4s&v;=y{XCqM%UKm$pu8UQ}v(5eqmdp5fy>si=B#VU;F z9d6&j&!;m3{ImUj4UmAZGy&oOa5|tMq0PA}o=_i$Y#GJ-eZ1|z1pJ@fH#_n(zJB$0 z`(3aTs&Rn-RUe?12>4%(1IUo}F|o5xKN1m>!E5s2^25Bt~VS^BqYja zWjR(Vw*A!?8L4;Q_U!JSRzae%f0o;g$HRHRd4W8;#dZ{aVP~~0Cn6%p`*yq*;pZ>l zcVzGb{ImVf)BriSj4XgHKm-7ui?ux=A#pYxoooRY=cP(P!6)^S;uX!(lGSa}JF7cn zq-ws(0#0GTpW*+(-${tQZUV=C#QE>IGJD?O!6Ma7bP9hL%Y24um1QP#`F5K4$ zT70^6CB2rxN^-+h*0+fDF;|k#QJ&h~Cx-_m%zkiLZvUSD5rPmb)0T=LxG!lZ= z6%SY7AJV+w!JYN_gLK#WG$`;7X;9$O_1|wygB$Q#|NZZ#kt@XnH;6kN>~ZJe(;(k2 z+!w3ggL18u8(O)2a9=AKtfoC7{0H3k-|Nj2cNi{>yTD2sSI?#J1y<5H9=hN(5_dd~ zrWD9&nuemjkXzsKdY^8NQTFYbKLweNqD#@)%f?^n{eQsB=2NgB?6 zr9ycB(DCc?`(D1^zW(>`ard{beCyIk`1-$@M*h3{!=1IRzQ3o}@w1VyjeM@-8+R8t zR|C_F@LWlQ8(#flWd{n3yAU`KcNj0;E>_ccJ>vBV_FnLT`2DJGzNc}y;Cx=`>POrT z6!eEQK41JX8`Gd7ez4DtX;4mFh2qcOm|nZD)dM{7_x(F*2yFPg!2WwZuKW|1F8zK0 zuHL)8r@!;E^1tsquB3V4{MQv238z;o9(RBzoL*rBmxhz;JPPje>uL~pc?jxS$s8=W zSUG;J#&}oKYZpMSq}ML6l3csMYW8avSj}#Y0$%*_s~LLY(`#D5{{vSd+|9522Y15v z!*N$wE&R#>ph)<0fAKy*S6hvG69+u6LVZwuKN!!3m!A?K$VtJ@ZX%ejV@=}C3`m{H5c&H&L*q*>B3^@cXi?qp5PI?InnFL5GeL%g zEUMvU@qrn2v%@P`aQ>YS{$$>)mCyWc2ou?px3Z%rrTycH=s< zLSy7j9m8`MB#yIvEx*G0!C~tFhr51h!61<#r+Ph|SoFgf^jCKQBae%h;-H$3*O71f z2oUK6PBf(yy#?fQ%BF}@WTN-JV0jR??rz<(dHasE+@h3Am`A~e9ba^Njt-N1zTUY- zb}yDXQ%R!kmLf*;+t!)G6Iv5jj$Dg#bKZ|g7{@N`b-(|CHZUR5x0$5t zps=xb{drX$d7$cAUGgq5#MONfXYbR6r7_GT+Fm$|c6#5&d7^)3mWm6D%k<9j0Wy~o z`NGaV;i#dTbz5nqHL21|iu0+6y>8t_Zl)qfkWtN}il7;^(!j2(W-oWj%k2=XzC>6m zg}@?CC!FLtyICCZX&;GK3Bq3Bu4cLnC1J2S-VS zj(4EuA(D`%yn4BjPaF{#PgPogXur7yv)q4|qYWwD-hm#k$!mJx%*nge{obIY58q~D zHl=;s_R#aQ{pT%$EP8^vPUH*9EfUa?6^Z%O3EV1ie>G4u5HqBJ+#O;s&5!8PL3rFk zbCB!<)zvFZY%lJW$5&mrOnv0tCXZLBbioNc4puoC)G+ zrM&V8oc1v7Gvo3n&ueYXAT(UWIzos$N>`>oBsU{?dT&U_})ZrfD(2_Xe%uyTwJ1$Jy#3Rn$On5~X8*SZP#>zt$N>nd~S zB4a%E_>|hcW`(Wie0=PTV+Dh}_eF8W zZ*)8?(My$jRhQTmIxn;FE?Ay(kaNTOTC;XJiJPRo78Yd>%QJMa=bVz9q?8Ey4;g$b~Nv~ z{c#K9%A#!FYizTw;?ZmzyhGcDoK;@voX8h4+O?aP@2l2;dADsu(WJ1^QON_$L4t>) zqRPB?wJ*&?enB4K>~ip}$mD+g_$u^vis-~XMuLYnjsz&hdwtaxjuz^XC=qzkszkhD z^;2;rfO>1{(u(4{ABGL3%#r#MF%}hts?pr)2{rgs)q6nj#b&QAraiPq#HOa9p9>yp zJdhOm`i9k8QmlW94teNJ-*VEUN5rWgWNu!$<35tE^_I<&7Rt_=*;lgL+1Q$g;M&e} zsLP0$2zR;}#tZvF)GPg}V(rL7|4p3rtI6Ese$S#x5hn6uDRW-^9LK_oShcUvnhi0K zz0FlVnKmgJ_t8j0b5_R1^8=k@=gYV<<3X7(m39G&I}@BWsk+`1nH-z*kPef1RNrb< zF?m0Et|@_YXl`)=stLf<@r-@qWZ@#7eO`-pg<7RoQk=+Z=iUDQgnxSF4R`} zG%Z!nG1kjucJY{feu3*O>YLKnNqOQ5o11P=ExL)miH9K?TzC|>l;+7^%~QN;zH6r7 zsATS&5XFA_Y6p+%F26hGW4Dvo~n1@ay zf{9RDJC*j`K${quhwGAcr6AI--9RhUeKs7{&JMqdO^3JomC}pyQO0qjW}LM$tU9PE*rlb zR8{s&>H3!NlMYXO9}Wu+PZg18y$)tDP;GsE?bTbQM*T#L)P!k!@0exhUe*IbGGWF9 z<~x|Qx~MZ}QMcm=+6lWJe~hTkE6gsNuSw=TpOhif#t_u<_AG(YCq*PBYU%C5*n{y` zg-pd=436*8jw}eg-R}0}`mx?JsUujS>;!S*t?;NfOo!b!z5 z#dde7K**S!*-z!cX?fRaXi^G&CBy7L&6-UwZ zM#O_@$K=DQQTxrBowC6l$vtR=d;hT zK|DniBi`g(p)xTfE3thKbu^f|sa1)`67=wFl^m~*Ns0+Mk&Y@T$jyi|x%>PAZ`-iY zM^Y8F#^SG|^v%uv=XlCZu62lxo|bKW60KB{6YShe(VauOzpVX@VQx%cURVdhoA`uJ z;u%cNkm+Jy72`ml-52Pn`;8W;vv8VLqXK-@)EhmiDA}nex4_mh)a^ zVbLhkgXydna!uo8-YuQE++t|omA%8QTZ}MKbjtxTS4@+qQ{8yzeZQQ2KKl^GK`9@R z-x|M=G?RAS`grb18KVx=F(1(P^#bM_2j#@a_RA;@b&K{}#8R@ooi9_MT8&!d?);!r z{S5|FJwXu%=5*}26z}i8ugk}Cxvw{=mLxgf;2ecfV)U7qZAr0-+V}a6xS`zDPg1-h z<7logW9$`SSMq(i)6q!Dx?69s+4LL>kJCi=frZo6GfOWma_B!2bdd^UDO`7Y2+q(M zg(93Ny>wKvOuyRX+An|coM_#(V@dZm!(IQufKi0rH$F14ha(EmvPN-C%=<0X;8}us z-MO&{0s?wD!!(OimtXpjiF+T77R;h6{Sv7i|A6B$ze|PTKGjc$r=A4Rl8Uyx96uEO zuw8j>D`B*c=*5wA0k*?KyJH6D_oT4cWyp^O7j`1!j7_#Eoi$I0&)-oZVlP9EASg{l z6cRwyIFk>ZQ9{zXCT+Ec>qmZ?!B1k>KB8V>3WIbj6fcZ3LJGw^*FT8+{ZG? zVUaC3=|*5|EtiiSy&!+wPPxn@sd7mlKHoIrc2T%JYJZD8|C{`k=rVC zG6tWWw#*z6H#9OtqZd14lynb!vW>)z_B#;Q(^{3Oq_-Sb&mctYyeEf|Y&LEjcd?kW zJpSA*{?5nz`+=|*JP*0mmJjJS6P*lttyXVY;NW)QV%Jlx zA;o)geiR1N7(>cZ%>W_9QzX{|!@@Tnkpq$>LQsksc)Xy3(XLmbJ z)9l+6o@HQE^HHEg{hda#dAHV5uhGL12m0+|-q0lGHZ_^)Wm>brhq|t!Y1dxd@3B2v zDn-Vc3|^Qx2`RTY3lVNEPdD<6$Gp?}YO2iS5xOnVRZ_PT{bV_;>6H%hxUiP9A-iNV zyWYYFUwd!}n-n1l5`4oNcmvZQrx%D&4L*$WfuS$5dd8Kb@^L!os02ps4e+ zRv+`;XA)}GOg6sC?H325$#yf=yLNWyHaWKMa?ZDOFh1gaNH~jZ!Q9)1kWvr9M1V39 zZnIKT+VAA?z9h|4V=mFwGIV6_Qns;@Fm+VS==f4&P{2FZ^L!C z>4lKIY$n#gN1^pWpH$S5j4?q9F4YC3^r80b?)U(;Zl{AHRzm6b%xh<S~9abdC#Z0+kdW{UVayvG&f~oArW}HB;)Zy zt*9v7JyEKhF3D7nOE0Wbs3p>#RnWKh5N(}5q!3%$dj0V;#^K8Z1kyp+u8 z+dNe_TUS#wwAgg3r+;3uecjZlYx?5-HwVSS#|1iJ&XP>74cgoJqDoch5i|(1Yu$O` zgtuB$-tNM>*t%91ZPk0M$Kme5@?d;?X;IX`=)+g40}1z@)JD9j8@e$v@McPOaZoRa z#OBfzpEXz0@mJ=FF778&u6^2aUb9fUb6d}mvcQ(+p)?x~MpLEZ7a5)O_s&7B2Bh9FwtuL)=Ya8~$r&O-&Jy#x%bb@dw_9@rp16?d6*qk- zdSCZ21@-Hxi_VNA+@?MPmg%2bhZ!DJGpIQ^j-(H7rg|7Pzw-jJ?MiUY$&{4Rxyhh! zrbjB75yo-Pw?r?fm={wb2sSMmB@sEtBu?15Uzu@q36mA>xyeJD#|?;G!!cDNWDsT`yJZ6M>67f&JVf`L~{TJjupNVkV*)c3pFN zSoqqHM@OLTbK5~X8AYaN)^x)<>^!^o_J!@mJWsxzb%2$E9bAc zo;m2qTci2Zrd*Ve-$7yfm8mjs^NW->8y7z2zA-)eE%RdCD6bwT=}3IO&$aRqUK?ak;*^JWJ7;4ryhZEH*jX{N{4b?I}`abBEC> zWRThJc|rYvd0~1fvuvrJR;6d!TxcWB>8FdL2&YZv1uySye#}gI+?8)ncS4|$R-yKZ z@+r;SOaUVNNeb0C0de@CTCzu7S&$xVTxj1*IJO?2! zsbfU{L5(1Tum+8N@T$nQ?=7q6%ek-j&ocU*)kYw#j_V&8?8pgy9Qnro41wnGg!|yJ zg}#}qTeqAJzjY;$(Zut)*)DMw*P{KZEK%7_-udaCG3J@}grb^`~#MMrN>@x$myuCjZZz~b$xs9M9 z)YajOWPNbqa_#FFH_hSFxw)qM=yx>}=?$-j$)Ov;&ZRC%gZ-(GoXoGPORKvZdCWda zOkCE|^GRBo52Q+7j?f&f);%im2}Pq@V|Dm&^@EQgJp&J=GGr~bZ|+fX@As$sIG<># zfU@ZhP5q>?$5d$I-W0e#~qnch5jYW97)b z)550Jw?Y(z<%8^|9bf4Xa&(V`ala(<$$8Kdtnk_6;p_8yGbs!;3wvXC?@AY$u{a~! zpM89^y)Ku#eZ1>^VPHkfa<&DRIkxi2g~F2blAS^7@rFprmd|F{p-EjIZRbM!n7f*4 zb%f$sBE6_nrz#A|l}(P)4c-yj&h|nuO}j$YGnbJnI3sksxM-Ne4v9Qcv?cAyN5SzewXq8c z=3$G%ky;`|Pj3o;yF7Q+2Q`>E>{~Z&&o3~0=t8bWE%Oy?Ql*%4Aue2X zVn2_4uzz+Yr`6E@%E$#X?!$HTM=82?_E*!qnfbOa`P$AFp#(A7=ZnKN%fraS+=_`+ zo||T^Fhr#jF3_wWBWrqLgc5?jB=*purs`0#9d~*Z7JDz%Yqz#4G4Of^r0? ztanxF^Gm{lj#dKJCOVCC?%f9#AG4-!in;bph4hPPhu!_INAhR*b+$7XaHUgFCoHKi z(x)nGx$*4`ATPZ+M&jF{_O$x-fKb9=-&B$eq8W2!`O9&_2M9NsNUc4&J3I^)g~G9) zPb$5o2&|dX$Ujb}y-?ew;VJL&t)|1KwW{J+$!qarQUo&|mc(_2oF5BJ8}oKO8yBk4 z=nW6-M{%DDwlQ#jWg|aSX&dlFj+T=yr>U}HV$n2~cqh;Fmf1`9=>TLljk@$P<6okMBCqg*qO`vPl?}wq-ITz6s6j@S>Y)TudR3 zG4B~{G|RK2CyqHBkxD!{9~kQzBysB4V@)2aWmc4h+)!JJKQ88B9`MXuA_Wx zi_AjvxjjAy__OyPpR+1IcYdD^e;)aH?^z6mm+5@W$aPJ*|t=#$@) zZp0j36d5Qi%`caF>B`*VofC1r!Nw)oiH%n*kW=R4ws+Qwqs&P{(X&%bkVFzkZHH8hi}$gP+w(1*^ZGW8&Sk4MXt6ajBz zO*508H^+AtJR&W1y}fs`-BOHLY0o`wR{;r1tECSKthsdC9vNH+k9}3b%R*dIh#E{A zN-DK^+-uYsznK`Tapoo?VfDeYr|N089$C1}pkO*#@j;93B{fHh-{tGZ-?kHryibNw zrBZ_RD{K#*c8f+je0a>7*LEuZlkH-TdD*upjQDLxatQ5}AzQi)I;KJVtuOZZr&lf| zWJ;H19jlqLb|7kX!%>x0pMz7E`y&s$J;`~;Ej(6!G{PHB&}benFg4S!L* zfvR_^G)Q+y(YpJPNqj$ejZ#usA@|kHrXs(S!|Wj^zsXl{P_%U#nxJFaI2&VPEc7`B2NKmLdvpCKUsfFXu=on`#YXHS!>*>!jt6%sDt8V$?cGD{XS!&WLj0H% zDZtl_-Zx;=;xEmXWdDRm{xK0h8g>8O7na@6Z3Nr|9KuWLq^%4P(#kC*;)F2+L$T@3 z4g!>!raJGN?s^(m^z!Nyk9tuxMq-5*;~%;1oc4RYB}fW+#<;MRJ5uOQpj&`HE%U|O z*iIX>21YcE{ zel>WXgCPV-U+?%@xFM1uf>&DR`IVFdWOwiGeDjD~V29IE`DT$br~llyjLf)#g{qcYBjvObDzw*n{p2sZK1MJlQVy(^gsODG4^6A!^o3gQuHXw)9JzkJSavB)_9TFuEny*^}=q zQJm`WRdLRGKc5<$C)Rk1HE~BB6DUeM<(ngyh*O5scD%}&F5anR_C8n=aU+nxb2rp* z?AUeD8>DCNAXVatdujbZ^zt-MHj`qPrLxLCBQ#T7#BV`wtSWptio2yGhN`RUfJI-p z>cLym0S|rhU$Tky9u+Srvk62;sOX&Wk2&2rupE0!i%G|gN9xC%+~$cdsj$V%52 z-bLz0bwfI2Qm!ZMnD@)(;PVgrwv(IGd@;S>{INn{;k7T<$eTIYh!*QR=xPa%A+6CT z6Q>GE=?`SUjf2yX*_U6X3fV8J3TLPJ0cLnco95bMs*XKA@XUgf%z)RmP^dPD5@ij%QMfC%Q1{X<%XU;y=v!<-T(?Yxc>{3+mIgN z6PM*xMP7DWYcybw_HgcYm+ez+Cr3r4f<&-8osw^DRSZm;l9Ds2dTi8b6V~-WAP4F5 z>?57phjW$J73dffmsE0mx+3$!@24F%!-+_# zJZoant&96kJ_xF;PJiTQBP@6Vw1-$e5gQhiB^G%JGq?17k|dPup;2Yeb6{7>8aVHg zg}L;h!AYP(c4u;_fq2`wu#mH{$k&F7r*kzgEt(cPZDF2jycmprVwWlym1j;`L{WDS z;UpxTRs#o(*SH?u|Wvu&HyX>d7mXJ?L+{qGhP8 z1a#&)gD!W5PO%PA`fhDvd3nC|=<#QV&iH*|en4M)9Ra3Xv*b%{GA~cqF1biq@?TI? zFRs06JpZ!p#Nb)lP-M(tmIihb0@C!`E;DwX+_iDri!Y=O{;}w#qsNJRnn+)`o+d3* zR(Y9muCf8OyL+UUS?YsM(YeQEik^mrb=qf~f*(d4N+Y-)ul|9oq=hSsUCe8jvZZDn zv(?GD`V${fr~=1ocj_yh)vEoeH)#C3a|mckW4s5hsBbPf9*Z_Ubf%o@F7L2}e(X>v zl1q@@+PzA@p#K`S7$fG-*{!O7t}`Gwesi(>J?Xbo&bH|xi(|J7QQNcW2xg@O&8()Y zRFCoS5OZ>ypR3vN?h$J#F<%sc2m-Y^=<((QEJ9=!6#0*=Vp5Vw!kG5I(nA>6T9?)z z>U$b8th)JB#^E|m!?%8>4qFtX6SWIvC+uDH<*pt6;M(GnLd-dQ^4)v>?8d6ell|On z74ur-iMM?@Pxid_xAVJy!pyX}Q{MvVab99nx`E)S2Ig==&cW*@ln5!Nv&;l_Gqaru zo;FteWM<#qs`z`*ep}E%C``}pZ|eJIcc6;a?kGoZaIePF{w7LF-fFH|$TIa9rl~jv zBUZ)PAg7Xe{^Hy1;iEUw4vO$44-*up_yx$2of@incegoDC%j|ew46lc(O_Z+qCp}F ziqoB?4uiYsYAR?>*R~M$S&EYBS`rP51Z>~I<#(JUezH}tAX~Zo&}FBfNdA*j%mLDY zhd6j^L{;35bY4IIJgX){&z)*9YxB9FJ8?9fw}c+f-#)&@>#!6$dy~^)Vf2ELaqF%U zYx{JOX&!_pF<)QWiX>9g(Z zx!&q)Iu9bQ`?TLR^J}1}O5Y($zxY~BFr$>ry-0{FF!i=T!4eI1(sDp`T2KMs0twID zgdAGke4&>lX~Lhkn+EYV{+z7jXS+Dcn-a~Zq%JpgW|Z434Qi?0&dY6UI!65H=t*1u z=)mR!-RvW$N47IOKb)vj>_DuvTY-oG@i3c|7|~-lz&%mqL9v;EF9tO{BLtbLH62G5 zOgs~r%MJxYgy*H0R-g%bFfr{jc{3TE96|eYt^f`^__m zZ8zqsN;8Ss#ff!hJx?w9Ef){DcSl%$3cKKXtg8gUb?sAPtOhZG31P--PV)jYxv@8% zMH1gQBf`bg&Sr1FbW|>7+Q0jFUX_lC!r5*LzTr1ESyZBpmfqgd3u0P2fl;lTH3Yh~ zMU`Bl16*%I7W7LOhRfn9j$EheQW_t=&zX-vQzd6Y3`Q@9JTDBr+-ppJ_5$s2{@#6_ zPW{uq@w?uOPYYBNK0--&>va(ocRtpxWC)^p@_3w=PJ9Vlzg$)Suq;%3nNN|li%w#| zD($c^*`!reM8RU#Rpx?XhpY8thTfVNcf2}(tM1WNR=LFU&vUCXgm;u=e%VFFp~Uc> zkDFRaXHRBo=OwSSZKmm4wE4IQ5L`EIB)Elz=@ijbAD8SZ=9M!h4i}~F(ngFl66DF0 zT$qadw5O)0npZI>7uv~qjZB-@zG|l^RpJARX(7A5p7KuuNbgc|^u^E=H{V{lQx?zk z2A(GpZ23fbBO(fuHBsMVHmis(zc^H5q*_(tb@GiF`6OcZ_CuqMMs-dnkR6h8ou=0F zJCdZE_}U-6RdVFvSqLVbJsB2ICLh{^erZE=+j^^xlNg1aqa%e(Y}J0U(r*%!I?$E4 z#0zKS*=|bjlN`U&|ET6A10vRECxNg}$?=8HjwA^$s%nvYmE*j=eH^@8pmrm{(AQuv z6zQOClU&O?E#N>+jy@Qg1q!^^#_F7&{IDWIfyK#va_{G_EmP;Zs;=>{pjf;_j}_j3 zd7Z3u#K7ar)TFJ!Rx+{0R~OD^9g*K2y;r;Awsr+M8Df9OQSP0n_e?u`6;HcZkZ&JM zWwaR)yVG&_u0N`N69Wf%xF6JxtQ^0UnR{Cw7flckD{b$gwvu`AkdK zq#^n~IUK3+rOqI}Oo8!MZOVOOB_CC-c_(T_*X~CeY6(I#u{;s_szC(1!|WPgGy=bC z=;*~q?qK`gFXhn{ZWhU)>uu-^S%gG1=Wa*sJk=AWy|js;Oj>d8-)}WlMIG&$t1l2N z!L}=B_D~``2v3tvG~Nt-5h(645|R1;(ezbOadl0Ux4Ur<1b25QxCIDq!9#Gj;I54m z+}+*XKOBNv&|twGg1Zg>%$kS$TxZoSIaO!ZuE3S|oBgtk<#ESbt2ZzP zfjk3-8`{ZF9K4#xikR;67`g9Ud^TfWKGkCb%+rrg6>EA{+sOA?>Bq1$Uk3k{sXCenAjZF!umrU-U>nn=6)p+P;z4tT&OfXEpEqHz7=m~KrbJ_1ppMgs49 z@z3lyGisjp)6WsLqifP+Kr`p7I6{h+z^CQ6TdKu5I1(yy=5asX{gi!QMEKXQ zXMS;A3Eqz&Gtswxw?fD~+6`7vMs*OCbP{AHY60V_%a=!5f&(+ku?bINVKHaIT>{Si zFj^RckgV4DAI#)n8S^v4vJ?y`5G6*C{V40&jziWrKrc1i0&!Srqz^M*r1?0O`Jo>x zR-)&*tA~^r9X9(N__Nhb{$DV^CbAw$PJCC(4XePd+ck_M_b+VGNRa1bY(A3FdN4Os z%LtWB_ILA-`Cn-NeVJI2wBSu;ss8|IFMiSb?jj`=_^Pbm`aL%YY(98LV#JZQ7ytZI z-FpUo)&bWn@f}E@c!#CSsvz{*D23*YJj%5!`0>QWYd6QPt9$##|AT{tqBX~uSm4jD zUk7P|c}mY(=zS6rZhD&ED@Q0Qbc5an9XEl#SNy90V@UayM)w66IQAHGO8QbEAP1X# zehsSfM!G!4)Mbs#f9QS(q@K-UiTEzFD*3@`4&D1!Uu4y&Bt}Rz-je+EJiO;P z@&6Rk$QfPI(h$(W{>F+I`57((**QBWy%Q38-OkeUILZM^ha9iMei;+5`KPR39*!vu zbKpC9v!gdY%jf>f9)_f7N428CLs9P*QY>#VJK($u zwPdYq9vdilh+pf+xgW4FbeUsgSswbssNV{?Le`^w-OhrzuCW11eBm=5OyB0Ku$HT1 z5#q;Ay~0Ns^GFXGE|cH0D3<(OE&6Lmj6=r8dh1>5u4vuo(|KKGWyZbl0MgU)u~R^s zlUZOk4eIte4TAAm{aB#ft2oA;>UR`}TqpiO+#~ngn;WVw?>{&A3`!UZ2y;2ZIKsoW z+H<5JT#@*za%Q{_(`w=tQqc7@Myqfzi>w9DZpgsoqhsIM?e z9=7KRkcj*sIHmgJ;`f&k!Ovuzj6cW1ef!`7KT|9bcm3!U1{N7xO zMQv;l9J%y)7De3#8Lci-Zf-XYY(bRT<~LZvikWmgSthFI4P0^Eax%moximHQgswnr zf+5mhMRGO+hzv^l9c#u`Yo4of;oE@wl3Uq~+qrU+c}FeGCl^r7T>belX&ayT4k?0b zUCLSv3Cghl+rYDazX)lapS`^2p|Sp1g5S-}(UWI;>82Z|t(A9PunK0O#;DMc8x@jojpP)!c6sb7u@LD}=eDWXs`wBp7HgWWbnG^{2bkX#2^&fRf8+#cVDr zbq zj`@U6><)T?k@8#YIwE`osJsnu7G%ck_|zm~z3<+Tm*RBTcN`o)(02j@8CIygMv`eN zk!BK_l6kK=Ba<97D>vNH>}fK5QdBRG$KShyzAg+kCxiXQZ_Re^8UrT=vwE0>G8!k$ zl$Wb~UasvcCx+xW1a(tGVuu;Bi{g9e4deV0880*)73-qM9Vru+JjM%^*WpR99aYFkoAJBnB-Lkx!32pPtqLn{z*i6q9Y&l^0fH2z0%XBXL~+Af&7`Q9BF9Z zQ+Rs5Gp$5l z!*f27x~0-)DwW{7<_fYKX&An#)qo8$pgD327S|lbczMmm@Sz%HV*L3bClq(wH$G)q zNes?kdCG`$}vdeKlq#r+36w(yPeoP6K)L!>X ziTGf84mzxjgYf{k_2K!ReL3KhA&nG9WjR&klIopwyn5(rgzYDTQ45!L!Z0^Mxr5FT zikiTHyCpV^f8{MhMI8L@h4T$($n~0#DFR#wx!55FZSub@YWqm#k=E>_`ss$Ci)OGg zBdB<8M@shnAfTy;eMmhIZFTyUbQo63QvlWw%OiS~p4EsAHW6z~@1D>Y-!q8gC+a)@ zkyg$l@fB#Gw@BNNY^()Vdb9tfJQ#x{of=#4(ygUaYH9-;^iq_I5e#wpN?zKnYclf-TxiM)et%Qk>YgXXSE5uzkn0CC?RW;$ zAAw6FR}%3b4|CP1J4N9S5dd1QEUXgivbsqm=wTV6Y1#%#+1nw7w0tYTrH_&LMFw_2 zfhi$~^Ar=e5@wNtO^u4OyZw6hua9wo(fXOai`R7)>z{|?{Z%)=yN2EPpGs^ozdoL9 zo&1%neSkSPB76rHX*s*wW(VqCqt7~imj(4)NhFz~sh;(yxg%e26!KB?5`%JGq!FZk zBb{oQh`9@r^bhu(#C1XK1F=aqeks7agZ;%n6>Peuo&8AWQ$^gy!7`Yq6oK@E&X7~6 zqy-#3;611$rgj>gJ?_}g>IfJ9e6-`u6dYI*!cCp0>?6`bDh=7k0XCarpL-3-Z`9sd ztBkWI@-YEHs7m3c2{$naqeM^Z2kIaS6afDf%>;f+{hNPt?(LZtudEC;H=RO)iT*%< zzy6;hCS1z!xGDT6iXAya9fAS-+8RQ>#{UMw+_v6G2CVy?{C;z<6K9Z7I z@)sKg0$E7?!Dix%tE#a~)vw!SP^)ktb8cmo|yp-dIO_r#6d1k5j8 z{cj^+9_U58tV(RVT9n=)zRs@7NrcxQ?0AZ-w#xLjox094Y0`C57rx2;Z@|K>tF5>4 zG(?jEbsacFfVN`$aht2k%25Nukq=+Kq7`KwE(nQ(J~(~56cmIx_SLgppTb%-{!j06 z?3MBmH&qIUcYO`r*F6z61zU9{sTAL^x(U2w{b%;`eH}9FvZhE>`ce%0@i82Z&7*0gQL}&-`i~E!JN-)~9}R$=i&xgypjUL+nRMSSVup ziZVB7-hYw~N+&}P1I!A^qc>E%LZD1&>^nS9sd6Z8H@aDHT5x7s4Ru;ZT+qh7l|o9u zh?VP`$C{xCG26FE=Qn>MiaT%sJLzYK&BUSA9s&MQ6#TJ0Viil+cpLXCt%@|wD=oHI zFZr#=nTyPMwldRXQ3#u$xjA<+e93n>h>73(lp=Enmg=~@z6ZHK9x}lT$qx<1l~`o9 z)+gsZ0>JLmYE6nM4V5j_={LtzF9szRc|&g4vtqXs;(DP#BR)0TqMUSnX!$EjeI~CV zlZ}Snm~sCaPyi;2J|VK>sa_bfi4L`PWHrG<24Xt_lwo$;|c}k9z_1sBb4~+ zz8=v^2Bm2+gF?n07-_(kJ6+cwpKmy^Qf9R{IQEBUL^gm^Cm9Bj-F-pUt(-OufvtU% z72tsR1<4at8sF3=cKZQE*L1=hHKWG?N0jq3L(I3}rs*$j7o6M z(`F1meIYmiJ`^Q;pA)YA(NCv(=#7Nwh)TlcXUeJYKBFvRn2)gQ5-x zzYNgVHEjY%DojcKF@Iz3+w+IPF9o_lL+*_>$J=)|*q=B&bRr#P)kuJR4fK&ekmAp1|)=QR*z0br(Dwn-cm zX@~y!pvj0$*|v!i5M59A-V%U91F*`N<26DIgR*zO#AO4 zvM{AC(5q7&Z+4~iVveYE{aH}HSse{vG%J<#I0%H)K0i)8kG54yYqK$YzVoqe|a^6=#2 z6oRe_pWjIL9R0l>0ri-EdtIT+E*n*!9O&dVipOtIB3P)EcNr- zploz)_Ywa55eL>yEyFB%Xan=~$DfY;^N)7%jw&Vpifq^z-U!|0YG9c`h8E&g!I_u< z3c0lT5*KS+ihdv1;c%aM_=rug{kH?(du~rij%a*O06K&3Bhht7Qt`r#{f23H#B%dO zBfWowjirsr)$;`f>!SoHH8R$^ilUL~RJ73Yk?e`^;#4H>UwP3QFO#(wE*@Q_XDFAj zGebd%yjfZvV-tU3DRlYdD>K6-a;0HDv~QF!j!%4Nn_vx0%)VP)g5k_SB}`Jv&RDPl z8fbylZQPQm$E_Bv@isT4__&VgPH7`>7IN}cp#QIh0MV>AV!;-i0s1~FCN(@{OB?de zsNA4WcJxNnO=knsyHe~ijbjxbSJq#-5j3pR#i1xJYz_Pj*#0VCDMDt)#RF4ukp6sJ zgbTs{rk;uzBpH$S8+EY96TWz!@kbyaIm^Hp)u=}&juICIUtAmliG;4`4-U{+pC4r*Zimbkyk|8hi}Gr*m-pwJ zo6-n~;CH!TOl3NMsPJBa6W7GpC2tE#Z(7bN{zD({z6bC_vieYPYc?7vTQCg(`2;`SXqj>BSdRF31}LG6^{p2e@rbbBHQLaNiUfc=Ue_K{Tf zL;i8orE-uM6@MnpJ1Bpzid#eF&Q?C=6~(gL&;xJq`|B+yUG$ZIh8GhB<9C<}gszW( zIPTRfwY+_RU~g4W>fhV%mc2(u{+~g$$DeX;1^!F4bvQ(Vwt|akqER8^)8V`+vkRLy z@-^XzT=KVxh}1M2nOYKo{#JQp%Dpuv;1(Q-x`Fw4UNL7E#+`GP0$7d4A zNwYeir0BPP&==UipM}v?Z0V?k?J0bc4v^<@@w!9bT*eg~{223$@Bqm44-E`02ObD`FuZIb}>@>;6@a zcwRsIe#INixdk~cq)oyeWj5A9Bb|yTN+nou!qhZpBjpb+VOEaY$y{TyeAZ!dN+*DK zoC?RuZF5LxK{vZDGgeE$#8vN4nKG9WX01{ z+!6H=LurjuB6MMOr7!#GpKdI;o5NAu15Yft-~UI>JzaIqarl7$1`yNa%?=62=N*P1 z<*`Nh*B} zxS3-He~4g5m}zfOYuKLhC0ZNG2{lTZp!DjvyYdUo&!^aN|GE^Ji)p5&f*q(#Jt99S zBVX{HfQFE!^%E1v8<{T>nK?5b%7!Fma3-J7r%5B`qc!P%Tm!tcYu#o4Ki|~9P`gmW z1|O>rb_NyuIx6Y4Zd}O}vD-!=Y#OIII7>1alz4x#nQPFhK38vOH$eQvfjs&-Z{UOJ zXQA&g&i(o3ADLC|_|;pvqx8}WRcS!Ayr6_CyexPKf~OmmC&s&dm#15GJpEqZu>Cx& ztM8R8Dp5*?ob33^Vxv5DJf&f~c9ZCRfazc{h_3%zoK!265yct9U zKKE?L9yf8Ev;;EdK*s$7|KZMy7z|@*>6nlbklsnz#{0XBaJ$kgGa>t9S|!0U!8?o< zEIj_f;c4QpSwt0GczH?X_+;4#_gUK|G=cbO`@6$qk_edBVyA5<4;c%J{(M5-SSWO1 z?%M~4wQy;QLT3#0(_L+63d&N1SgOoFh!nck3Pz8_%}xdF}j?O|6|~n6V~InwytD`u>)(*CRAuJlWAW=P1b8}X)PHK55!Hx3_^7gX7rTw^ARDgtIXkP^KocDf2yW2k{m{g-Gk z2&JT@X@u+fh6Ui}U4Np$^l)^XW_=8m=v5&ZRZ<|3NesZ9stxFk==xGk5Pi4j_|MUL*9_hAhoWgy&cyZbbL(^Rk~Bk4>N*5+ulw%WI~%jqW3tGN0MfaYGy9 zegX(UDqAGV?<0zv~;%68UrP%?FEulxxW+Ya2Z?x=qcP7T!r=Y zI^56ocZ~*EA3yBMU@$V_IoAL> zDKc!*mlxs^zM^O6uxx*5*t3bO^Ms4%PRs}9bgpKx+|qWU6ttv%ksAsQymF7g&A*?l z&x_ZeG41vqQgI!z`)5$A>q(@2y7PzstUpf_VX2(BLc2vnW~Vr_)P2C|sO%+!lHk|P zS&~7^k*Ts_(#IxV-C)II|FHClk4f2cjOSWhg6WbsC8*-{wHCgG6B)ls5Y@>%JlYLM zT?$7slGn9FSJvHFk!0WSEl<{7;RamPlicq}vj-;3oCeqT`XK70{-F21QygV>oal)# zfTi5NgHJviN)$u^W5nigQ1`EJ0NomnC@;UGTuXq2a$yrU$GPr)?j=xe~5vPpZ#n6k(!kvCCC6d`*h{zv= z^7JO^O1cI5(Q}`s*{=FQgy^46y#vJmr)3;3{z!bBRso{2N`46?*WBW-J*j1`0e{;U z6XJ!{8_;<%dSC8itg2FXGy;YAOuv~y$!B^%#5aLWBH5YJBWAEly2WxHT z0k}R%HF&>jA}^0?Jojt*%0?_ydO-d)4423B8yMR^IQ9tfAAOC%VFN-N=!G-T?Sb?< zsX@HeP*Os9N$)0mEj3k{JY<(J+eU0fanS?Jwbtn{)LD8}%2w%pU#%i1c%NgD#m#@+ z_kt&rte~qQ?0F)C!2aO(7idJ=?edI+V$HQxSeXmKn?aDig~bIrAoxhw;#&DeRIlTb ze!6-@VUdZ8P(P&Ec=-C*$|5>mM?n-6zkHd;DJ8@asBS$UgSY5p`LL)X*G6(XTZUWK zr-j%JsW@E}XY=RQ(UbuBaq>?k^`ET-^87vMIW<+kA9#C$xUI#zG9`n;P?B^({PPBe zu&ab(Z0%@)teiW~5a93C-)u@OEZ?SXC@m;+q8M(eJompwkT`CP{BSlqd-S=3E*OpN zy(Odm>p!ffzMrT8M{HCFaAXeYM0a*=J-n!g{K8+@& z?slW}ST8M*eMdC__izKjo4_F6iEG5KE@v+X`7zR2;xLjGBD1#cf&!*=Q~oQkN})fu zf;V1pjU0Pdj$Wrxf2qWuUX3NYu%OT@8n8x{n~Jp;BmbmL&v_3}k2muT(1JnJ@4BdJ zJY__8a%+_}L?07R`!c{R5mG)TOr&okzBylkXg`Z_WCh?Y^WNpWI_&Ip`6L|uG%*LB zg;%t9j68~vMI$p@T zKxE|wcC3jOkN0trzN^trCub0_an-{4XcA%kGH!ju!O%Uk--_^iB3`zCTc5oN!1tCI zLTY-Ir-liLEEjloZXa=Na)r0jgW2cWSyfBM_qy{*iLn}dBMmiz3?sE+0NcPn4fy+F z+JSm?9(CkjO?yGQAoY|U7BqdlBU0O8A3u?aV-6b6fMeMSfnDp&#luB$bt&+My?^t% zwxa70lCz6#h?fz7fA5|VS_(Qp+?#jbU-TVYtG6QjRQ5AR9wCgQoL`8yYt9$j3fzZ@ zm|H)G=-=s85=!E2FZu&80bbv3ySN0Sk7S=Z)#v|nEo)+J#`&I%>%sHKU9OiTnkd$!NRgM-|EO}{0Zj>MbFG~X6| z@6=d(_-a+w-d_G+`#f{giEmCxc9+jTmH9ERe|-D4B2pj0#lMx`H$P~AhZB)d1Nt*M zt`~Hg4tua10I?p^iIG!lUM@Q2k!V)T{8%83E@m7xb}lKA+*cwdAYgcI9!W02nr6Zm zo0_buzrJTHiGHU%>WYn{1F3Tj+nz52G|c0di8>8wW&VVPzIOMcerw%t+(vdJ;Oo!( zuInH|vIdy+tirlJZ@zC}e6L;;3%#x9v?(3_QaXRgNoj;8rw&hwtv4x*uJM!QaT}QpY1c! zgPOc+psSq5g$`Z29ACjUUsw?;4l67M)EHvB-XKkd$jOn*p{`YB0?!9&@BAMf$6 zV@Q0qK4KR2*BDdzK#CS@$Vq(W-w<&Y(6)F0kiQKFLr+P`j`&}8pAhGbOW(}g4Tz?z zgIOf4Z{H9vw{Tq4wzVmBoc{aIuIvds{Bi%qm7n*G2$2By@x=Xd`oy2d^V#v6m4DO` z*ToL{A}}LKI)DhZXq=ZB$_+A8!y0idSHQ$KlsAz?hHPJ}+J}i2xWWQhaljX`s^l_6 zwDBVpSCkv*W{wK-PtF^U%E=&%yzh!Qh?4BLf2!{Fj~fY;+5vsOfCUvs44@(~lF?NW z4)708pM6L!sn+~-fo=M^5=IQjA}KAck7aJbiRZ%}n|5=6oHVPnu6^A4Il;;22L(!D z?7d{+y6P{`>L21t(vC$gYYG`AkW^c#(38%Jsoom1xR|B$>Bnt!)xPXy!Sqket0eBz zuQi{phO(sSpWDF~^FB?TIpoh{K#_o$vEX_1v(^PQ51%8GDca*3@1YJ1u+`a_!0odg z6F68#us|uFiK+n6xz9xz?_2D5f^gG-#R8-|wPqtK)A~r4zVPdGM58g0l6-kvYPu2c z)2I?5+uY4C!X~?>nV0`qH^o-gHyuvlrhz4-2|Ry*4pggR-s9rL$nG}g8ejL%te!#$ zzA~PabaZMl{cMbr*(2mh8C6n-V}c2BG;) z!>7>V6Ib*QIYR*A4zo_i*GuKoWrKl~uG`L+)#%&i>WqN6RE9V$%hsRAB__|lK`dWLENV3fY_wolxG4%B;p0PyWTO(nmVduiu?ymW|r6qnc z!;LY}g*`77Ze|QDKif5*qf5V_>c_^InB?tF_^$Zt&m1*#8vt!NLg>0%anLuQTW zCt(=KaW{qLE#ta2a%KM~(8{g5-Izz}Q`--R-t?7U(T@a$PJY7>h8(Al3~Pi=i~}h)TFj&uY2l2G z1$0XcD>0;eQ1E%n{%Ut2*#Fms-$VwiER<;(eZf9yVe5D?XT8&0=`2iQ4sJsZL&Wu( zgfTrTYP$gVmx9C_O*xj+TAL&@vKR1S{Vuy*@HS!URU{)rN|6n7mhS$kcNGx%Ldk0U zX&#ZW>eFxX8XRhj${*lb^V{BfLuP1CH-fqh{1~#zKY_!Y0a?oAfxfAjfnYYwxphst z#ACMYeK>}|Vxqw6d;)@ph56k&T%3i)(U4bP@Wz^jh&IzgK{x7>7+TGu+|%o86(^RT z_u;QdeN24zBPOR5bzHdE8hXs?jl;07WeXgMmWEGmvNM9PZc&zw`WUV*I?4!LWhMc ze>&;$bu;~ZBQPa;WOzLW@05WU8Fm9WFV=DIx@~iMmX4vtyC~9}QE$;P=RPFBMkGv} zQ>I}jqc2gB%=4j0F(t4LPFf&1-T7j1`ACoaf6p5z zGFb3frnqPGOz;2P0&ba*FD@7^Hp>jOi99vWnq1YNDKA#0ZqfI&WWV+@I1H z#1FqG1E_)BT*j4-Ul1gM$`o3Vgr+iPxvcm?c6UlE^1R2pSQ)OFqtwkKsvJNC*8rW=HCWokQ z|ND=1wB?>4NGz0qc|aBv33gXt>8L$RVzIl!mr~x6`xsR1JrchvcD&N7;6@iKA!($Z zADYKiImmBl>Z(BIv3myr|176c^ZO*?J4j@J4!GbK=Yo-%vY1Jir-}25$pO+;3 zeunX^*eltI315x2Js_=G(nus9`*!W?l(7?nT1a+>TZuMiZ`2dch+(< zw}>7&GQdhP_#`%<0s`_0H(D&oi#}#e3AqNWk@!wBBUOZEC4f&4%5PVnw( zZ%QjDbRgGB!cCi-iK|54=k2T^lPx(6sX3!?Ek*zyDl!_}IUyw#vhGn#`|*MrDPX+q z>eYj&ABEvRkP$x_*@4uxeIlG_)gHg0i?4$HrP!C^e3PBiVeFv%{IBscM+djpLy-sM zqo*VVKQ8d#WA(U6=0z+_wRLB)vB(BBVk3|H%Pu2m;iq(34HE9Irzj-j{OFC|cS&xL zD*xH9K6QKZNR8(6V7>y20`X?URjp>bU#p7W`8)js=)*=h=B%o*7IqecXlgnX$e1q0 zUWw|xBD>YqguCuelw9S>ZnY$5Y6S_C72WD7NO-O-W05%_jZn(}G9) z#RSwVgWsfW75oYIQ-a?$UOZ3XQ?5O_->xyFWoZ2^2K0M=)aAdgBdQ1&1n{w=HiG5d zE2EiFWte2U0w7xlUUl2<&SR)ejR?|4+JSH?f3Y|S*m~F{9S+`Kf0>2VoW1y3RR^$% zj&yrhYu9W~!Z*P5p(BKwS~RyQYN@toP;fnY;;>6&OVbK6evxwAdj zBsxzlS9I_jPx>|=+C~XXN2%|%O=Y6!(dSzFmAq|efFJyO0EMemYzww2WMGgQ(N6MKh| zvC|r}41Q1sUFJbIv+8O`h)jcPhZI={y@*5^2zS4}MD1BHf?N@FzJdDw7!2*^KS%Mn z4%5CwijkY)$VoUU^(fbhuXdWHsT~jzUu*Lg{B7JxZv?g~=wN9mKdo#vo)NX$fAv7` zMU0bId>*^USx~lC$*OHGq%k0m))yM77!{&5jqd=`Dv7Dnyg{)!@-xwg8G_PwaD}-9 zGjV(LiG+K)eCkN@z8$64{|uYiPkxD|0Q)v! zkYOf&YJKZ)F@spO4#a$YY{jHU&!L{FoRiqIBUSW`997R`1hzFKQQ#cLq@Pf)C8OEf z>r_}4w)_(g09NsSgD{TM7#klz$v$GkOmHtEYECVc%BxX-YaEtSH$l3KZKnJYV{Hpp zL9aO zpTWcjrcZYG4RyaMRtF`FoP>i!7=4cu(R zVwP`#-RQppCdY#JU7s&AUwX1XzXu1JJ$Mt&FG(wB|7e0*!4r-nB13nxsz~Ws?+Jjh z3Y0r@CDyqgT-XWxUxOXXQPsdvj#HS+o9@&W{)TogH&!D(8vI+b0m3&+JRVVu%)a&I zCPk5*S+Oc17-13F)}Lgn&OQC&v4WD=t`oa-ahs7!%{fYIINsK~1nWnz>`Vk8elN#AkN}Ed+?6kt@e0gmtnZ1f_ zL1dlrpGd!(l9A*0!Fw_8ADk0n)50M^c`(V|b^d%<%ftqQJuK}ovGE(b&%alWUA&*G zooG#rXa}-<-Gdos1Jdk4-gqH>rO=^WOpDo9|G6J`IKh#y(tnRf!{sKppQ3w_Q}z^^ z_w1r)Gw1j>)5B4_m|U>*WpE}D{NtIxcb|RH*S-GrCro$qo97cF(G>^oerX|+*|o1! zmI|kFhDkbzaELEUyU)8U84I?*7+#xKBCxA1Z-Wd#Y=6s$;w}*QWtTYr3U6-D&Srm@ z`%4QVLNBSZFs8u<$kIiwfP3NulVjn1Hr0m7MsMBrVy&KgQypbtCBM4;rp@fv2aw6A zOf^<@mL^tu$LD7!g&ovLahNDpI@B`-D)q#e!~ISJMO^9b21|-|t2TC$AB+joBl7>N z6BJ3>?C#=bS1Li`LEz!OP6HI{4>TmL-TTu5Zzpl+52ujxC;OFfZZmBV(1QqMkO|QG zoZpLhsqX6}l(8~@3Z>|}=FntKm6~)pAtENq=FNfb70+E9Gg=S0X?uR7P76rFK=epT zglZs5c)RpJ+tY+ek;1=c@OPtLOO;pI@*hxb63!HK{Ch-MB5YJNLIe>4km@&xYl{^S zu>8C{T3@=m|1L0K-GT1Wwl)y%)51a0>;O9nnRIZXN~X_AGUV@-P_%t9QXuSz&w2I4 zg7>k=mmHCz{t-=OkIZN;ZAl|Esyw1TH|}5YmAN`zcYYD^`x3!3U^)B z-&uLEGteT?oj4R2a}R+E>p!5Ei}=Lz9d8)Im;Z&c{u{vddwPTDc|ez$*3^h~;O#%= z)mtNf_uBWp&8M8`x!Mdnog`N4FZ+{~-(P>AvD-%`YxT57%5-{KvI{J~W%T~~;%0H? zQF4$ID$r44LM@M@;;Z3vYI*R=Zk~^qq!w39Igug8hsOKWii%p>YuP>Wf8k9Bz2RU9 z`*80&K(G+m`&Tc<>39B~P`%R&ut5(z^;_$8Ro?|pttU~x)Z zlkGT=V0GOx$+YtaxJa@xU?|N!$8{xTs)dpfwwe68kJ}_Dk zw8M1VRO0+hgVZu;{m%<_!hn2$t zE!#ZF8EQ_pyW4(`SF;@*50)t*uD45BMOcyH{2t<3h`mf0%o+i&c2yg|ZELHr@n*MEYsn1XM2C&S6u(zeyT*OGS8^>>JZd)ZH0<8Kw z+aY)t=&26`=wVXt_+%lVoxB|~vkpMu_5MqZZxEbN{`7tIMN&6MgnKb+-j^~g zll$I*zB8eAys2o)9_}&eeu+bbvG2TpV%hu`WlihLJo35VQa_$?f~B#&_3_pJbD*f< zjH2GVR^pk$ev&RAfYuSOjJLLOEU<*cf<>`MJ?JBy6q5ka6-hLAlQ<%wB zFdyHzeN!{W%}xckN$3^LT!`TJZZxI%|8{Rpd_{&)1z%NW zUYz3G4Y#2azwr1pe(NgYA!9lB`23kfGpxi=lv+9LxDcW!dE>d(csM3^YxFQf)vYh} z_;aT_lPYG1-0zjxdh9A5#V*WGhyUSBgD~JqPEL>Zh;F3t^#A$!cFii9?WI2RgX@mv z19q^Znxmy0wU`7$y=BWpWo}anZL*mo66bxa8t$x zL!_)!`^@r-tQGa8nEK>&yxBC5ux(fMH)&DgYbhsspu>DYtDU5d(zF+b3s`+(vr5E0 z+WxDzz+G7S64^(#Wh^?5@_1?1p&m>-2PhTG!+n8uc`CMLdoZ;5RV>^0z#L-Ueb@7i zI_C|5l2T3%J_Z^#(*dGt;3sl8*s2*6S^7t}*CNi5#2k}Wt1pf{H8@ms2V=&LH%m)b z5qynz9p+9RW3Ek~8}&|(U^|XXJkj15TdqSt1&Cj61zcW}c%AlyaV7*1P;g)LJCKTfd!KAX zf&RE?@Gh2DfjK-a$i>Li%dC+n&;-I*M*3YoTu0WuycVgSwtUpGYQ1>#ZuLX=2fMBM zU7X8xqu}ksL($16FEcLYeKw7n=>bu$np-gZKQmLjw-RM-#ajme( z8)E=BgQ;1KR)+TV-hb9I;r{CCcPQXt*3jeAVsu5f>m)Ca-lN6su@OQtLcgSpdtVM2 zJ*Z6w6Q?`OVMel&pfU_q)H@Sh+3F9E!cPjJGl$U-1Ryf9ZWjxgAw;v}FeRd5fYzmJ zfeW%BU$f}29iDv0>JoWRY{eO^4T$tJT|VrlM&UrwKN?L_BX1%2lb);*vpkVz^X0VP z{PiBR`VFfET;}E?wbobWuReTHEH1E{DxFn@+ZwX4;Jm;#(GH9Zahnvq`%BcV#2k$D zz?C4Z_4nf#JIu{P*KY5JSYAwAe~iI8hN=@%eI32V#$meK$6k3K(KRIZf?oFf-@yuA zAy1IzOYnfhYYFh?!(>Ki)&K@*lAr)P?}3zQicccx{TkNkh^aNFbHsi)Z8IGEi+UdI zUSaUVF5k#Q2{EqMvTg^NtzofCkm$%j=+39qCxeGPtdn0%RXZ8=`lL*(vJsFTQSmfOq#VmOKrs z6F4X>VBC_bPxPEj}V9&I=4kI4v z{%t@OS8awQd*->wAY`sH>4z_+(g2v58+(STOEzrXQ6f&6ZRjtRzy|r}L z(BMltkWZ@#3l-hQWtCWc7YJRr$UQvj>V^~1|0)UGKEq3QzZ{Kt$=b2{k)R%0BqBFN zq4E_9FNXc93xgblZT6){ww2V>G}@Sek_~3u7UPqjo)uC$qLuW$Y}X(5$cwH(a3F7V zB&n4NGaZ(9L-E1T4X~o41AX_3Fg`!b$&su6lUnv&%OZUy3*k2*L;e0P3nQk=(IbYk->E)i4GJ_(rE;92WAaX^Z$N8he;X=*Zt=M8#DV ziR2(T$0BbbV+;Lw{+5en2DvB@8~vBl{w8q9Aj}!A?J>Xm`RP9pT>;M4>q~=eq&_l> z=KI|d6%aK>(ODGB`wdQJvmNO2<}|h}Rb)KW@9b&RfVYps&^`2QdH03$_60~mfB08l zbm;m!-3Iwteedobc-R4_haMOM!K6M{Z<3#FG$=LW2XO^Dyp(fE4B>6G#z*ok6a`zR zp}j(f_KqAcy+Hux0u|YUSJR0Z@b z0R3bIJF};e8vfd0-LzRAzhkkkgIDl_(naBhI0bI8mA)Pngn~AcNO~Ijx?Ax~5MI|! zQsMZ`b51u)%Bpby#A{^3%7eS8sYzR-2wPu7)1}Q%6tR(%RUj0zzU1oeJW$5%Va^KG z2k_KKx-0FA-V@hz3iXCe)R!Z z3)EYDYdhZB6hG>E#e?dTPr9A|08tdAzepPi2=!B5 zw?{5z|0g{M!uYwreQ~*dQGq3QW!w7chGZ{KL~82RS_pY+Ja$$WWv4e3bp zVpOgo4ewWGSaLG;xu>&plZy-UxJ4|$ss-rOu5gsY&VP*d{`xarM|- zdV_%!eD0yrj30cnf*6g8^9!Z|=G@R8K7X?~fk`@TO}2W4UZh=~7H_A^=IU`02eG;B zDGut$aSD!NDp0?p)}y5m7{WLVtfAAQw{#_&lSj;Elb*A3SzH;HPY4Ovphb=?W5!b% zW>-}tHml;B*L!+2?Y>{asUq?h+6;v9H%F_ zH{Fqw`OBX!(&bsB<{Bg)c=Gv?rO#~#5L5vK0mU$Sgh4ti4Dn<9h<8ljg;5Xh_3%{O z!O|;u7=cg%o)Qp38A2$>=>!G@9Lq9;7XIa+3=CCPjHk(W=#0sKrA!$M7>6GWI zD@V77J7Guds&8}-|Mkm#4JY2YI1q&R0B{209{p`odH%~02?d}G0$@FWPea^qK)oO# z$lb6dBkLzmEjCooo$?$4UE`Kh?$W`kiKhr(0fdd|`V;8RGrMmsrt2e}w(E=P*Z$qs z^X4~t8qS~U59Z?oVpRVb#L;ow@rHx~2o4Uw^#Ha*bP<9gYthmq>vw;?&~n?ltVq@v zP|zNXt+s+4|6MLK1pvT)I~bh~R3EMtV6zL}T~7?Pz4PPlvm*nFQ+K841Mmufw=he$ z>Y6Sj6o57u0DJ_%#~?epT(Pjl!sgs|cW(M)kIvH-tY}8!%UxJB1aT&An`VugePhzvRa8z4?5D%MhgS=2{?5 z;@OK?yfNoYBB21L1_E)V;cWnxK;!qxvMfoPUu8+a1fUrZvn6jVSdMi5LhxSx|HgaH1oBVJj-nsE4Pp{ z%{B!<1xno=Zkyu;N3VUC{o>%k!C~j9>JnTv@Bj`$4C)=m6*^x(mPjao*dhhMN{Ca9 zs}bS%ZOO23mNJXQyuh5MUu?)STy03!tEz0a!PF&Bvrs9}x&4uw+?u=DB9G zsmzqZ7I0?W99=S3!Wy_rospfx8VE-;-6PbWK(GlO&v}p2+vs)j?fjUh#WU*eaF02f z9X4B=&FOZAWy&johq!ao-tj9z`e{N!0n7}NAzB3009FBhi)Nw*y;0BTQ}i6eF@#Iv zSi%s(rm!3s5H6L|5snb*r4(KWUYpk|xCDVZDeoQg3e-!f*XHG2b{Eg{A;;e%!7zY& zhzDyPgt$m2foVoU0n9uI#LY>TKwN*Y02(G6%|Z+UXoT3)A4g(deq11-0OAvc5EVfc z#8Z%qp|Z1aoWc#@Jj8K&AL*~S-F9XJ5(;2;fQ2~BIA{DS29O6J2jVp4nSul2h8o=f z+Q+YR04{+95=bC{1QJLffdmprAb|uDNFad(5=bC{ u1QJLffdmprAb|uDNFad(5=daS;(q}+N(JE!@EnZ*0000C;XBaZ3HeUoJ2C&(f6`$90N@$#7TxSUYkCVC12YqP8xv;(V*_V{clVzXzzp~V z-EFLiT}>RFEbMIgshAm~3MoAo(Y21`!KqCj}EnWdj>~YZFodF5>qeALDz{|8vNH0%c5W&793i1z6ZQ z{{JLbw=n+yms-ih$Pd!~YWc&vD}av-lJ0?qqLZ^xoRU%>R`2?)3O?&cA*1F7Ne8Y+-9;ZsPPO z-prho#ySGB!9G^-~0Bx zW4-f_|4%-!f9rSipOg6G{{#GY{-fdkrHTKg;s2!({-qKBrIFwDpYr~}pAP&d-#__N z{H@;&fc%esd&j#a`DNv+oh%tOY4GszWeBOI#3Uk(tjM>Yf-Dj;grz5V-{paK$*Ky2`OV-2RL`mQ3|Gn;S<)sW&y8;=L=9d& zABc)e)jTDmnf&Wa(HM45$Ds3zdXSryXM(I)#x-ArRJFd6BNF4enGTbj6S$WWxXhHA z(HgDEpy7R(lK1n*DRTa&Ia2oxFT6MH6nN-q zqT+xbd-l#$n>uF)>^shnMJxl~XN01if_;W_hz|;DrIHCL>hRh>=dCZ+wjY?nMI-rdG&7zRe_L&*a$V7qAw4I7&YqUq*1Knt*L=2Pz(Z{BjSRNUFf4pjk z`K%ITS&o^`cN!3H21VV1SD8dS-WN9}7dK!11#kHJ!r!(YoNu>3?8F@|C!?QGb$cD0 z5z)E_vepDP%OMt}x;vo#*@~5@V=>%acsZe*CSRIS4MRUo1JTAM2V+3GRQmGmUhXGA z7J!WsDE`3+dyQ+5pxLQvF=l4r3`Ixc$}qh1aN3CY3{fVV>Ls+Nj%lgTo!pB_g7Qv2 zdr;Fy&GmXb=56U=LH8F0tWRU0*y<}EaXF`aZquD#rVr$FH3ZO=M4L-QBq}jzPcL?2 zn6+m4=Y&FK_$KT#9Is`o6z@%8A!1Auyn;7;q%Nr~Qb3JvoZJb?#sD5FbRR$B%8Fwx zcYQBfoX!2uEdIPZV{i%G#Rla%CRL$icyB)7yex<&)FTVQIF4wPbp)<35k^V zR<$o}O)@W!@{Vc(q-JD-PqI7a5S}d4nHTB(o;a=!vFTp-qt7sHXoBfSbM$7<5D@;h zfBF{j-~8|Q3RaeX?iK%&?h${kFO@rOuLBkf$UT)zsuxC-5g$R27j zHkwcr3z=dwVSq_@_k%n%cL=V$u+ZAo;u0OlxV_-U)`m1I1I zz6aZU6_n{ePes0tyhvs6vecUR5*_!gz9izM@D+Gk*sd|6r^-oxBEDMw9flPihV$kO zxuZ7$f)|KcQrke)*RIp&w3)P;5pybizvc5&U}L85n+HdZb9By_MYFNoH^Grd4*gB7 zk+r+|5SK(>vXd|rgl_RJqlu`^VB$t&n!n6C(Pn#y_VW5@vXjFVb#dERBrgC4dwRTDn}Lvir}}bpZJKUHMC(296ar? z@Vx|-$hVI${*EY^5zrUwDuM3(SXqM1tMh@oICZ3bw7C@<@_^7)jIY(Eco#N1X5&TL z$S1!e?bn>)pN*Rct|>o6KV@k-YEn^c9#q&F_x_cr;{tOu@j3-KKUW=?ODLD#60&Q-Vn5Z zAzujc@-D)+A3+~>IE$-LSQ0m5a%{c3SR||Fl}z3RU4~~s9hEu}FY+MQS;6&s&g2|< zbkA`Mo;=ZN7H5uoTgrrM96<8>2>Z74_C^4GNIufJZ>9fyS{63MBe>)I3CQ*Fi_40|x{LXcKF(Q;jiFI?(&3tfvU}<}8o0oUn zdPm#?`ABcfJ$9h_DR+UfC0}+2%c}Z*CRN*~IA7sjOc?=hM*K&X$z549)v?>{y;&)D z+o#Zn%MZ!rxIIo7O2nM_T;BCm(nHUnBX*<>yk{&hE)YHyjSXp`HB!KD1_+hg{*IXq zHqCweD0mew=J6|0M;_r*5{~H2o_rEwZ32X!J}Bo{Ci>S8(CqN*P(%z$kax4~$4wsf zZz2HkIfNgR*LSK>9@)+VGgDQ<5I1>Bq2Qc|CZK1l7w^+J93T_U<`z4x?`{9*vkN_9 zforrvU%$tY$9t;CHtXy*nOizvxSn1M^_y9(1!$W~-)Jba`eQvWtz6&lj|Gsu5vX(- z%`P2RV}kyCIYvyFT3=(tz1uodN7wKYp;Ery&XNTQT!RV%uhLx;IUn;GfDIFN_?zEs%_S08VZ4!X-RP6%E<0i|K| z=j1X*NA6#5ypv?pMJ5kh43{2~o()6k^f?Dsc>z@vDa43^P?H!G#5#Hq)W2S779U=e zLGy`$+DE(!Q)nld2&911pV=Li5sA`ItF&1y=GAj;44WvLK_;w5!W^7n#%Bcqboba2 zWN?0xB~!VZcz&ZV_W*+8S2&v$Zn*$*#tDRQ84st zQbQ$p9!mX#z;vI`BmuPRnz6n(JjBi&%F-HFT4SkDB18Z=&Ikm+~P^r_Oa(DhlQq* z5lUKq3n^M<5kgW0cCLRts1|?yJtl6`&QRJ@jNT!TpPb;6_)B~+!B2@1oJSjepZa8D zn_cKLRI&hPHe4!8Dk>yxIg`668H80C^SJ{A1c?g*U6}##8Rm&_g~8_u2o@G=$6w5s z>Rwx^hv^EQ-b!e99lP4B;iy9Z3Uz=~BY=7fHT!tT4{nP~MQX)~?K2w`%&r>osq!I1 zfi1Dio;oXvLZ?vEXjE@NK~Bx}j^|*<8!-LAx#+ryivMFe?h;~P{BKw(mRkkHeUy`& z^)Y;!pSA+vgCA4lVbZTq>bFrL;NPF@3gY}d5=13O`OUiJH$QPHZyMK7A&$R#Ak}?5 zpg4ubY(8MN(^?4t5|xlr=Org?OMaGQaB(t^nlPR)CS}e}-`G<@B2lDwZHRH&vqB)` zVpzFlTN&EnTx=bhG}b&%taQ2ILC!=m>RY8bscALrPf19rzGQ_fp=Rpc?cFU|G2vy{ z&XnFG+?1U3kgs~0oKN)Ak9ToKj^C?!V&IHlA2;uRe&(6Ww_93iTH!`MhcxmOJoR+r zEAOqPryIN2tjXg)WgYvyr;%%+n`b5$;}vQc_+T3D9zKHUa4Gb#cl~IX`jM?$&+n;g z))x$g%YpHIbiwpD|NF>{jq88n$PDVAQPp1-74={H|J29dBQsQn|8nfzg(~)s-#z_g z(M?-f9S?Y(p5_-uO$!FAApEJ4<~QoJWv#7HZ|mW{l9p9zv1KV*ag9a~Pm!w1av==( zZ?VKM4HfN%urIY=AkigGTP08V$DYXj7{7ed;$0P7-P(KTpz?COe95><-=`av)kIVDl-Q6G=A=sMZ;x5>S_l+j7w5`N>d!?8)r{ko{^+lum^+lZs zi|pw0P)2{ANfUCr=UDv_Ss6&4{(2wECE?ZXj>pa0*{eu=qsV|B^@}F1ca&32C+S;7 zvst#u+&SA>1+9tq7Hy{>Mv#wzb**xcEkE0MEgpQv8V#q)oGrfdS?AUo_4P?!-qIsX zMY|y1>OujFP2=58j(}PYms!7W$LVyLzw-WtoK~6ri@Zh08=Idm(*7gGc|t}vVPG{p zyrUIiYBKD211z8N;}SXt-?b}!?%HETMKdyTUw;cSrEW6pS>WsXqy$)UxOLGjxZpbVwz(V@f?Q|~;iOH-Nc9%Gc9qS-~ zbB3*o6JFCF{qn2G;D!GVZ9!w-hLOihuxko)tX%Znylyt0y)>Ymbo`dPd(95-_iM?0 z#A@7F5btH_?sDsNe{HK5bmECR(zf zd0CxH69m|2+G7oPNAKvBpFX_+pLP+CBuLfR6S^FU3-0B_G2uJD2HH2&(;=)*wD7^3 zr;Ieq9-P?#E?J~abXt_PeuORNZfsVRHC32vdqxcONN7(x1Y`U|7YriMvei5e*`)sN zD`5&J4a9GEp6pN5rw!t&Ka;`gx2qjS+J)}GoqeI&eE&R z$N5%WBAi|ZxG)+%Cpqo?^rEZ(HCERDtD9PPEAy8PIXfFQ=O?R4!FJ^CIk(VOdmHlL zBQobjY1^kTyFoMllLXLZ@V+iM^7haM=fm9jz#-msIrPNzUa*;;T&3v&DaAK?FUUybuw;G*~e1{B^{dS_mWpxkc7tevW99cCFJX_258Q|YfbrJ5P4p)q0_AoMa z4Gc{a)<~>y;B9H@*mSHR=~T;mAXxDIFGnYI7@7 zlQXY_5~x^#p0Xk9@j60LTchp0RBhN@6ZtjcwvQA@rFN9lbqHLiOPpI5xa%kQsB`(fWLnPeW!JVs|mm#zvUh#IJyb_}R}Sr*3gSG(N;gBF$w zIQuL)<09^zt7vxA85`=K&f$ceC(TP64Ea9E8nsMl4|Fvk#H%eEG5B~8er z7D{92q(kczvUG3f{X^AAR@nA-}Z^QOxh6%S+VogpJLhA z1oGu4A*e!>rNmVt1Q7|xFlr~iFt%zmpRrPqKpDhQ*Fvf#^jBJa5Y0L_u**_cU$}c2B~%$A+>L>y{XXGg z+qZ((Ui4z|)j+mHYEqkF=03RTIhNf=xu|)fUS=9`PYI2`e0^nUmU$;&wfigyS|;1@ zPA)XT=k`PD-SO>3^~n$C+LPkrn_IR(??};9)0STKQ{QP_)*qtQAWQk0NwtTJ%$xp! z+ULsr63SYVg26b4CK1pviQWB9los=<%l4Jihc4?2ynguCt)BLb-BCcdsXcICeCRc?hVkgix$^wX7Zh{i(;e>eN|yEQc2vtn_4Ne0 zy~X8c-w$yFGajB;_E);_cm^Jb$?WisVcAeGS%F43@i<5xSd}Cs8dz~6DeensfxWEw zP<9`iOdJ7U*WROs(Z{{9^21~+$us{XX>hSbVXboWT9f7x?WxlZ>+TMn7V9oBVGeH0 zpIMat&aTiBSn1#glhqw`yhHH@w7k!n&l`bpr#x~$N_Twg*ih-|$t*W8yJ71yegm39 z-OfCZ^x9WTjhYk*yODIgK^HbIOE~?s5s&3i3)!;7c$EakTektnFVrz|k-&opm6*{H z=mT{RVjW$;@NwfNVt9l^j?Yp{jF4B|8t*eYZrAs%|LpR7~DJa6O@SbGpxHx$GM7O`>l zp6!m%?V+ewB_fXKI@dGLp8)p#t9L=!#A)d1KZFUUP%V_7N_E#(lpbC+U~kWe6!31e zAgcWFggN-|jg9X7tS3og&zCa!wf)sAy;*b z5aTsM7;oMA9|xMp_;?}w%qjq@-boMp`G!D##DUFXjA0=$e9&#Yg4|6mhYFOO*_)({ z=5~YB6f+Nm(hKam(wbG`8_qny+&K zjM@>N1)C1rge%AYHF_8;URiQv3-^3J`0u}NLnwal+`U5c@@DfO-1FgXA zF4rh@l-P9Agl+O!O;Uyi$$N9{tC#)N(9_a(riu#=2!qcE>2zggM37ouZ~Ky(vpTHy z*@KjWLwZ+KjSP~s*P&qN^H0fE(~K%iheWr-nu%ZW)nk*xg*M9pk{t+xbN)YPj2j?+ zuJb2qli#Bq;m>Mjj^a?>=0de2z=2ib?M}iv=qwa67$o_ z9okSckb6uY`j~_dPlFrMRM&9c&XxtmIm7?6I!>}%@WdMQ6a&-wgaPFrv)SnGrI^S&LwOm=-~89u!2u4WIkV8S!(_K@5Y$VZ3Q66#+XptQ^DGm@6%Pb z3nvxq{AWBIG&LFKeku*B3}(IgNWP_rm>&h9aki?Ux3B?98Q#8Fp!^hLvBc+Pe9>pDA4WgcM7{t7<@{ye=B~sz6>pLEUK>hv8{in zkn^WmUE9}ae(}r4GiI64VfVbN&Ib6*7P)J1zbJW)HqA|n#Goud6$Irj^E#(adfGO*J|65z{OQ zxLqHbD^n9NJuWOuw^CXBdvj&Vx~#7VXq4>k@<7^V^1SkTZpXLZEl$VSX7SWna*XzSGY+V8`%>+G&^c(r z3z9bTW;!UpL0hdZuC%+~{sC{fHsrOs2sRRk7&W_R@B92IZ)|;JP1(bcRDMF*d5@pX zR-UJDDXA%;*}#SRtiyBNMt2(iX$&6oi02n)Hb^uDw9{prG(_+s>$;Wx8dr2y{QAq_ zE4%jLcFTh6PEoqrfmL}eqa*EwKEF$*dC9NEH$DyI(j}dG@xVzfj9X39_=S1@2c*4y zvR_Z0ms$Aq*P0cW8&3`Al-{X*OOTvH6^M$N3SX(6tko9qIZrH#-jH^HC5>@KwYIl* z0eURBQblbcb-xHW4>2wtiBeE|yGH(Kvc@Irs{zt4Vfu>DV*{rG!kry9aZW`$7OMPypn6y8@i~ZPo0~9L(0b)jW z-^7^bn?srV=0R+(Mxw`1v>cyekx1vkK86))2p_}YE>=~0n`NGHH-`t1{)oNrzauPv za#ZDGZGT$cOK~zag$j79egBmxQX73ID5CfcyYtO5s!ABgr&+l;Mh$HSiXEyp^hcqx zPGrQ7InAY>2R7^UhI+;LZGP%YkJ4IMYtCm*wgF_{Tf1ql@2o|?Ir-igEoKyL3u`f< z#Wt33>*QrDPwvlEn~@sBh?)v>oH(hax6KB|C^z30*h?IgAabRI=jXt`!-qZO8=G({ zPk$o$oV7gRET!a0wU#7R4-;9nr`B7LEFC{tT@3C83iw?gvfG&-#po7QE&t==A%M^b zP;|*@O20bb9?fZ51QlGT=~kR=R)hZ72X@^W!~^tN%NC(mE?`iyf6;}rNr%t=EKR{? zlZY&vx@-PfAimvdE4}6>t4Jo{+iTz};CdG^1;aW;2`kZ)01E+D<|!nmFjgY0a~QPM*zgu|Y@BJgVA0N}xO&uvx=aYxke7RE4@D5r6J5IZ zoAtBu#s^11<_su#**y`tlZ&kWGo|<)A7*Gn;n0>h$25}5h#1*QqW zZ{28Ot4rtcD2eCutu>%H@>&QjLp202wA@)X)4HE}zfpk733o+}Q2C9Ev@!wp{QhhE zUOD#P7YOfHtfP5UYa(8lj)I=-@SVC^!5TS5+6GOjnHJzuabE;dzrev85+a0i3G<->T z8%H02H-ldB0mr`z$#hQ9QEnY}pVrN;AedI3vw38%IiGxHon&UocsEvm?qH@_hls@M zWS6k#TKmi`(w*5rJVRTp&uM_Q!+C4uk9CQ7W11dRGl~9G0#3*OBBjs%rbnm`m-?iE z%+?BkN9SvJ>8ABBBlH>MaTx9504kwgu%un1X?pHd8qwVr_8%_zvI|1S(?@k^hvyzP zlQOC$-P}BufXMDJw^zR|^9mbQ;r*lp3G0H47M=y?Odf3NI_$)dTgC%j_B$=TF%$Qz znTYr`G}QB8>*9X>C>6rcEQf4g*892H!~e4Z8^X`00tC7uH$HesIgYecEkYw)Xcxi^ zd3Ffo8ad7{(C8A#!G0pb?ALD!7Nn~>S1$;!s|?aga_MS?XmkU!ssb+D`7hrSQ%4|Q zD7402=Pu}3j9fP30oro~&b7vYalto_bS2Yf1}VW(Xtrd^S=IiN50SzjX1+nS2_iEA zE?*C5e<_6u1j!@_1iqDHoOIb{iQk47Lg)~ETdRCZ)Xy?;K;50?g&I17+QjV$q0pRj zcrtG^=>x)WQb$Jn{l3RO7elLg4xT~Sc~fB>9{gpRJhW+6s43cgW=Fkuw*=M>-eQ_aI`_Z`h}v=nBR{EQIjG;I33pgF~|)fpmjS!^VP9jf_=9vyQY8 z(HAM~^(&#J0te-KI0jU3(SiL%!9|g2o=X<43C-k;_0LZaluN*6|F3-QSl+~%^Y6D4 zOgs#?x*QoaGho)Xpc=d}m>SFY^G|4Ogho4P3F@##Dr!A~dlRXnj5$(%75ha|i00dLJ zWASJ$%^X5Fm^+0_)>O!fpqF~3g+Qr_@;W{Ut5QS#;u-E6D@8vQTd#;_{RZcdoNUJ% zNBbnUPCu5$w&hEvy(I;(3t5wARnYha=QDNtri!GGrnyl%1X+wP`f~Hq8@DU(9a@MB zQ?aevqOXtu5tjm7n|CG_W~KbcKyMG`TST?J&ZR@r;~KtlK3(roFaOiby(Esn@aB>^ zr;lqFMCVzIk$NftdY&C9T$NO&`Uuq9xzm*F!3B^ebDa*NS|t*fcrpE1_!=-)OH}AS zsr;7^xAe0~21Vvqv%Z6`vw1no4Xyk)>XDU6bWNszZumAtJ^ zUu6r=b?fbY|Aghi^@jDv{2BPAPbC*=ni}*|QT_4WY84~%UAu`8o>wiuMr2Wq#cj&h z_xYxK$MdHdr6D<-s<3arQD-o!)jN2t0O=c2>HG_Lk&gog5;ky$8!0;L0=U^@_Kix$ zweX+RKshN1<;yFF$zA~_e%3y%D4Gtp?7a)647m)KgzN>^uV0QokJy>4C~Av1_-HBg zw(RUB6v%4sc#x@K=mo3lVbG{ZA{3&UEA%p3j&lvdzJ>46J5>~85OD|5%d&3RlBwWt zoUxqeNg4mz!qOxH#EuxCED#3r)KT5v)(Ka|a%^03&zcz@m5hE2pRd>I?{vIEn}fn| z(yMw5KYzrrdtlU*o`H4Il$D}ai&y(xB*_XGL4;7y!wPszMOnR=>X81j;W-ZV6O{_% z*6E(?rFph;-)Ynv-Bwuf1hht|-Wt(? z)taYM%ag>mIJcXe%KrV`{sVHtZ^o){aK&zH6!s=Ro-x*hR2~)d_Bq2o#7s4)R|kxB z)?y)#2llZvY6mB%PvLuWtr0q!iIXqmyEfi&VfR|KfA7&0*H%Wbnh^!nD&A&+9Gs9+Dx?=hm% z9V~X9et25m?}?@5le2XCp54`VM?{CGRQFj+wBh$j3>;K9Uv!)8=&ZOt2AhaI4wq2BT1f`56BlR>ph?{)LDMBEYQ8AGZo55e z*NGB#+zD+TE6~F=7b!~JMScuJa=IGcSPqfMmR`G#d!B9ceBBDtvsq>cV!!+rr;_3v zYJy2=k(~ESsJsbr`k3`&Kza44Z@a4ZgGvmTC0I*>R5k#1Y*Xb7chU@WO`OgjB% zkPfAd_^jY7(Lq*=*@wm4w->KF5~y)Ag~S$YLA%N6q|${0YAu^}*jatAihvY+*x_kx zeN!E9(^m|AOg#wG2ia`(v*0YD6COZxhw4oF%y3!*-o#DBZ4;ropd44iZHU zw4ZiBi4uewE;s0SCWIQkzUmkbg)%iDWs)v~sAfUjUr_wju=8elMy>LTlxft5#9f2( zDP+^*m*0-lp((^$Yw{lNZ&WmVmWt+36a2%wuNhbrE*hzwO}6f%oT*+-jS9g7u1&>1xwo^E<+D6&@GzDS&;$?@ql7E1w(| z$(!KbCB0e~Wh0A+eL=Ld;VMdAKhwaiE;G@=rKY*ye`ZXl)7v>AC(&dyb*Sm%~ ztSz<*OFOnWuAjJp+mo{CPk0X z<$(frJ=^0&b10xNaUhg21F}D0_B=-~q}>;ul+IQ%`Z=uwSNKUvu2(4;jV8KDwv8ZL)mKFO^tH~;!^?`I<-Y>hW)mPmRkUW+mr zmw1@Hzz3x{WdMVJx)|FgadByIt8{sA#9W>i4f>H!k50B6*44UK{%D{^E0B{z>KE^T zFP;m0@bWaG3Jp~JsbYy>)We5ufp11_z(zNLJOg+~JFidOiy>?!zq2>IW~unbldA?s z&~Bff6Rl^8oc)CEO7dDFOV(x=Ufa%6rKvB)0X5u--D-zTYBu9rFJIiTlV_M8rhlag zK^1^ugjsdiw*t++0daVc87%qNf2HZC_B z8sUVmsja~J6}(hi8>5LCD^DN~cKC_LoFAs?W;9S@vlAlQ@S0Ft&S1?fzwAd`?G@M& zB-9bBg)6VAH=3i}z|Rf4ZQV?{ZoPrlbwWg^({ZL34n$?!36zHxbmWFUJEyG7RXTW_ z0jF|C?+|zGktoq08Du6>Nz(hmbmtu5qv*KKb2B2lW7%GZ_NWTt<={Kwd<{q{9f%n~ zlFx+85HwO}!s&uq0o;=P5m!VV?hj24>H@YWRYLj zY$wmJ5OMpo3rMadnUT4U>W`Hyta>~AX9jiqFW?s>$<9!0>N1NvIcG-7>bVTR5M`PEv zZG>k%+h5^tf0#yHT2) zaGRb^fDWrS(uqiE`u0A05Eq_t`i|eP#Y)ug#o;I~db$=1B6W-wKUEyyM`-jFIR%qs zyYA&*&2Ppu{CJkGta2qHiWhU2#R1c{%B#PfX{#{htE;;_J2q2Ijz7Wa;<4Jm#p=jr+I_=_s*=XSi#6i|Db}{5f)uTy;VO}%eYb;(rKq%Z zxIX&Zc^!QQ+d?az^{jXc8x8FCM3&H@yCk**K7n0n5^x$|e#(){CH-h0o;&}8TL80B zd_5Ui*cKW8>UCg+%D)0$m1N;|6Mx%O5m)6pm@+7%<;dV7VIdrZGQB^2z$?d+=_WFl z!Q?>iq&Z6tuzFhM$^ZgGfsd&Q&Nkl&$1u$paNk=}7?K7bL#)$H5&h{E|LsHnGGZfW zGg-co#IStei)0qD69-L*)9#BXUfgi}8F0Fo_`TzR@0c|@Xer@^${YmEsL>*^-5zLe z9*W1K^B{-K^lpVZ(&Sg|(mPFu3^s&>c8Q(H3nxb5V9+ z;c~JVctLT=a#5kXnLV}Q%$1=@ZY_+xGvLHQ#KB!5-I_S6Cyb$u{;IrKU?yz|%$HjA zwBLl(;#(tP0_K7%7ASxf#-ls8N>smGJ9&L7lFU(eRpv-{QqvLIg;b%Tc@_>=*8$>Y zb~>d{+@G~meX=~#P^lPs4V?Re_06Q$o4Ct^q_X)z+uGC9hyz2|s%E)2CGdLL)3g)z zyI|Ct!ob3IJLO$0Z&wnuVEz19;FK&0<+ss$o&c#Z$_tgS`gD;`lji+ z82I=Qy<^(W0?~N$Dk7&9XP>h$tNNnT(AgS{3M%C425V)iepiYtkS}d7tkf!Vco^%A zlNJO|E1pmv{c^yx`!q{X_(CoCozamI#?rn!8&~$!NCv}eHMQ*ro=5#ac$vz_WzVtK z;*lxVDtuMTQAvhG9-4G}-RyPIgo|)J5;ryXkLhefXPmywUd5`Urv{?u*jJEiyS$7$ zHrorNjb}T0gQEhImQS0;Pa01$A!hVfO9KRr@)x|n@n?|A@f}alPKaC=EmO?RNg_Jh zkba2e9{NaEj9G8PjzE}zIezE_;`vd9!g5SIR!@rjnc%$F- zI~=zEvj5roy>I{U9lY&-S;_FftlH#X)@1fC`=6zUMKcX$v-cM-$uO{}V@Swgvt2bo z8{o7Um9sR}b^85FZC`4=-`~BgjhfZ0wLQZ8T=@PW%%&QON{7GU%BG$EIEmg!q<}>C!IG&uT3|>H`YvY^c%xg4aV8<8^ag)B$7TjR=^d~uJ`a>vShLy z)70V-kyWrsm_tuQ|8oFrM|xKfd#vx_VE~Q@GiYD_pu&ZX35Lkf5|>??xTWcAM*U3Z zK=AzR2;u~-9Jxxqjd`BrW_O(g=j858aOUu<2Uaz#RWBxsw!6jf8c+DnNSr)W*q%uc7vdfl%INFo@LJ4~lEj)Y8j@Nk|#7|!POXVom)@c4iSb+}FmQ068ixy_}%%)Ah zM-GhfKkQUc=$^Wk;_{vTIOEu*+~whgxIro`3oK0iJpr8h?i#q&xyXUjl%}%p$no8^ zrac%|ZQtYV%`+}faU~rfHha5)OT)<%> zD0GaZ9mc7kVEwgsrz(kSYdRLn8_5Zr^bj=g`AW03iZk}>4I+#`d>G3cSBvY>hr7Y- z2RlJB4tX^zF~L1v$BC^+X7}hY`PCV1-2Gah>s$(dxs%!Xt_YqC#5|d!@aX<6}KlB}y`Ed6(fHklQNu^nUdepv2U>Lzs)0bn#KP)!sG7d^mDw%(- zrO(B!bu^<_t7kDuKQZ7(vv+kSM5#X2lR)%5A_79!DFS~A>}l`*cSE=ZoI;)$RUIaB za;TNxUz=a!N6Y3Kv8GP(SId)46byMZC!=1G(4FM+?!3>=&!;CRaNz9Yb82A@d19jP z8fsWB@U(gcWnI0?M$62mPASZFrJ9{QhDf68!QmR6dQSGUBr4~c+nqjrIivzy5bX|G zXNR$JiY zBK#&V0%D=}G}=-{wBLW(>%Q|X$u72MOuA7Xz3EfKaD)?dGB zBIo5#IW3OM3%DVYx}NDO8=XbP(-Ot6RoL9 zcf)hX({ej!#3Ay*42m0mrp7;O`AiL^x$ueB%uvu>>0;l=uU%riB(tR-`_6w47${_Q8#|54cUK zx9>ve1Ko_ci+#c90Mp`zRqAVaYM|oOL7j9PJ*-$SUx(nwNblBd=_F`@YnLN)cO|1f zH@APxv$Z!ogc)O<$pD%MsDZGzi4C@Insi8sBB^04Y{ zj0L5wZW*FIX2uA}byks6_2mtNFsw9o?;rdsdw1>MdMW<=w0$f3@Pur6yPy`b zLDl);yq1r6aL+bw=Hx-GwMlMyrv`-F6vzw`9$f&kujo{34cJLnW*OKJcu;JCdomg_ zytn!Mx;uqvJ--Cw(^x<*le|5`GreeD@Ny|j)n4yS(`kA2QP0S+2h&NS(`{e?8n{$^ zFBJWD*5~8$EBqg09;%`doTr?rs!lLOTHiSb9g{XSPp+V-^mEq9-7`d$vfGr%c`R7DPD2Ci<2oJ&`pw6L!rPXT&@$S6ezRrObOj#Re1Xqc zJa{X*hUN{q<^G+V(8Js_NLMVq%VXD?dMM43Sh_tI$YDie?z9{DqeAQVI#6aU#T#_IAts`RJ@j^hh(p1#6(a7?x0=CN365?< zhi=~OVsqic0pF=2cUOI;gxEq2SCzjQw#rs!SwS}RCIx|p{D+Cb&4hOCtxHrc6IAt0 zoQ|DvD;X!M%26|eXS$p!^iW9Xw;+?)rf=~0XSXBRYqA30%7He$~SdHb3<)v=uqvUhQuoNYD%539~IA1WErp7-QLtaG&y?ZV)XwY%eBhRTpusdboL>d|%VQNLk>(C!6oo2NV6_s`9q zmc>p!crMg`>F>fdaNp@*Aj4D`-jgq_9l&`5TrfKFVE7J5Lx&tNIdL7Us<5lps4vdm z-gH$<71-+HQSX8hXSKIkbspOUy+29Zp5Cz*iL{0ZvjctW@4qM3lw0?-rPMy@3$VX@ zj59oyE^TcIZFRz$f*A{C_fz!Y5D;`YDEO?TSH2y@F6WCb)4P}6pRx>rn@adQw0VNs@GC{5qZg6IZVZ5I(cdAX! zJ^yh>F0jppj8_vBy5=CG9k7RGt`^?!p4YX!NOVscmyrzECtD@UnYaq-|Wjd#oO*=NPO_mdTW8UXy6x zZQ#-V!mSH!^K(E2i!8{v)LT~6RWZZ6lvsOWN@06N%(V)-=s8z#v~>EGw~0^XGME?l z=E_FI&kh7YgWIk9f4KV!uQtAKUns@3xOWck03vhUv>>@M>7XcOWKIDpb(?)^iZZK(@qb{9nQfvLUN}uUWI8`y2UPMt#(|5e!dCN0*odi{x||QC_TEH=69M zD$3sFuGW-0-GR^4M;0#8HHS^X^k_OhH1@LVv*oM^G;Vo3GEWb+=^|GD8vXU5ol}*h z+1rPZ1$n+bu_w1r-#g!}a*rDB`uc#fzMrr_;Z0TksPK=d?SMM~ULdOMBO*=<$$}VL zi+yk-%YJYpTcD4kq2&E5AMiw8Tjhm31oJud3rtKvTz20M{rD>($Dvp2hBes^>|E0h zR)dShzYu02*so|mhj?T1s`-X43GcUoArp0@%^#Nf?@U1Z{%A15H`sn+41)K#cK@n9 zf8hcsC6aVFL}^1r9($=2NcPq4-t;z`!@CaGC~{2c3&(o2Wy8G=le&k6?|U7KDeFz+ zHD-b~pV8*OKSn#m&B18`CTm+*)m0O;^z_VB?U}=7HbUf~znvRdz>l$zI10`@3OHo% zCuMAhL*T=rmt!Yw`~8RleA%!2+F z`hvX<7;^Euk%ZI9HLt>76&xr^5?s!?@Q$J zdQD0+F6a$d9Go!)EL?c80Ju;58pkovV(-`ld2nwZ%f8yt2Bb+0ZY*%djh?Qa!vzw?(FG5+z-YcB2GI{d@sv0LH`7)kvYMMtzHIa(bXLYeGG6ZAc6E-G)LF$cZ@d}mrv_bxZ z+#$O9pLNkEfW!blga=g~w27HVbip{CprkTe__Re{E#8)y1JMrj)Nv6>JUb{j_nDmDe z+;M*OU2n@rwGa2>NxDZpF^u=sJac_=ZVZNhDh2^p_oger*1@JQm3ej)JYO7^592J| zFG4^3x{ie$_Ix&@u{&+mUXd6+iTY;xW)btp~={ziGuuu1#xQ7YIWniD&J?{X~TQ;-EaJ zBxwb=ZHk7Z3IUq5t9vumx3ACvN2Q7O@0cH;sm`C;34&wBLlz>n{7kPOV0mI#D=1bl zTt_8wEPSk!a+`Ro=@(%)Mr3#0tHxfw(A&?S>+c@85O5o2|7sHQ!bT+8UB@?ch1An; zVc>0U>UpFYo!7^L&l;{g1eiP|n60c4Rj9wu^T#bh3uB-Z$Crq@XY6Vw_%{PoLm;8> z+9zd%LLXZNqZT4@a#Ld^=B*Afm189j-pdK!Q9tXTdv}YO#%_x&Vt=kA^XfOTZz5$8 z4O$4^vLovvmtKsv62%(l5ByO|Nc@_cs$eCy6gQ9O(2~25MDme$R|9Q*_^7z6pA3ea zFj-+B*^UeWe}kZ&j3SGYmn9l^q^Huq*ZebgIyDl%wC$)rxzrBi>_e-oo^9%zP zvr?G7asGg?R1yPdc8%jSgP!ZWZ<=mapHgBAZs#zw@HZ`0)ew5nHRU0U|o>5G( ztayTI#?=&E1qHV0VJ9o4{cP8RVr&f+4TB~bI18KLj8*i zrXKov>md)8U7)DuA29D4gzxEH;KgQ{Y$Qg@`Y#_ep~k*>XWNPH1cQa}c}D)yVV}JnX&5OA@KQC1Xn`9P~mtjA(L+^ z1FB>iH6~)gaX;$YY~vVEnMneK5~$iDqmH`^=s<)F(pwTh_DkKH!Q%-~AR#nV!%mKK z+nrQhS8l1q%YV1xFXWOrC883wDpg;5xg$^~D8iWMIl|rc7OnP>a<^@Xt9c<`?uQupSrvmGt-2e`{Tnli#s z-SDGf0K49a@7(6>3v1gK&bHU{Ui-9*Gud~{x*7YdK*w*(J!e zA4yl{Kkb3tv007Be{Rh$(|E}9gsFH%u`h#CO>R4drVt-7gPN##psasxo2sVG&t~@} zV;J-EebEeHLk#I{V$tO_uEJ7(87{Sib~~@>B&T%Py8K4fjC+QyS`0P*ztj~DDrLp?TRIAvMl``U0qf!^^n(Znc1^ZpER}wI_!ST$vQgZ zs69d!V2;s3jO@K=k@5m4gOBep0v;7CzJadZh42T!X(EVU=C1IdKTLotFi~IPV1#tJ zuMbB%C&h4z8KB0<)?E0!WxV6OZPZ`sX5$N267Y^_+)!8pq!xZFhOF0FY1jm`~%=XWb|6n7+0t)57Dcc>z+k{CxX<0RU-zSD&Ll zo+If^^|RJowl2}E1kZTtVXQe2*4VAEl(;JLm5L#f1;E;*@M{sG9QIr-*M9VPc^ zH$n2zNb;a|e#Lg-Z}{7r5RWv05f&=EcR3ax@OYG?irBT^7cx@B$71d-iql@tPCR#( zUB_Y}Oa{V>XBEaBchVgu{yN!K-`~Yulfp63ywd1G%R7%V&&(@fkirho$1+yGp%uF% zAlL{xUUR|nYD;#B52gGCwy?ENyE=OB_25h?LYP|Pq%RiwL7+X&c-8Y>p6Q&lQPL!? zptq6qdW{!db%Ss4s**wOXC&}1!425D5B3-9KDqkddaLU%S7GSTtpEfIC7lLb9t&T} z*1KYz`%9(w$8;NUAo<{88Jvyz2Ax#^$3)wW$PT!eezDVI`u#I~W?LVS-8KpAiIy#- zKrObiO>*r%rw*iN2ccKe0va({7UFqW?zHuVejO z$+eqMbN<{b+s+XzkPn(O)^TYRtxrRW<17-Nb)iI_EKa6`BH4)-YbP-7 zu8b_i@*ceNY2+KPgp=kH=!k#kc$JK;j|DdE5tnv#OaiXqHD&eAI}Vp zKO-JX+RQfFv41af>q`zq7CMu&T>Eq zonfa$!r>axy~<7X+m7rKqxUhZR5cct{E>q zNC@E6)`LRC>gYizVAT2O?q2t3dd6=D{WPq(`UL{$3nNb>sl)g}2IQV(`ZH?uA++Z2&QY;d&VzQpQb zj;0elQaDdAmYH$wIyKt@et9BkG0&d3<$o-&Fus(TCE}UWsM^tiQ3gy-FV6%qQ4%uA zckb9H39MkB(;&j`ZMl;`9wC!m@3JvTWw3x{bcKM8QTq^R_gzsS&H*#6@8&*NE19R9 z*=<;GS#U>}EZMHs&B?lq*P9ML7M`ZtK?Q9XPZ?0u=*41ZV~gmU-klU%D#s6Plfu-J<_Keh%OtNFJ5hgwgud?Le}=R zFzjHcMD)8WZ@cQDYE&uFY}<(Cve^FbSpSufmGC!Sq=HzZ4iDl$q7vGsnlAY7$C?Qz zFHBVm2z>`=1RH1q;|et37&ljwm=yDO`?0G>Yu^gjb+L~+zKvtiI1B6w*ID3tRTE0D z_-wW@d2PPU4)qG>=Y+QSbC!~+oGwYeZLlH?mbt(^=yn-#l|bDXUO@@+0R<$pnoaT@ zXp%*jXnwtiz{G=g!boX{T0*eMTqM48tG3T+Y&z#2mg+N%lsIOk{g)yIpGmC8#+7AQ zQQzW{LJz@q2TCq~JYQ9iu13gf2#^m6$ez>j=$32>!Gdli3tMzN8tk zuC8#K`Q<-+kdi*)kVJ zFCWy5pTBObU!2)c+Tu(DJu;)IA#@4iO7bfDtW}ntJJMf;Cg2>1z>UEU#Hqmj@kWll zo*`y?^MxHWWs+9ka&Q%>ye!f~5(g&p(%8`l{0_Or3%TX#8uFHjjBPQ#A)1mts30`R zI#Q5LHRZW`DxIig(%;a5gTvhSPC5w^ejxu*2*rdBdR>zOSr~|$f0{&@gQ_7( zk{jg}>)!}m_gSp!BHUqe(!XjUHZVR8iN{0!ABcW%1eav`QShCy`>zdk1qxwNfMP*x z9+ipTH4ED@-?~PR?F&zp^1uGvO1N-t%CnN6sT_9JA@CS>Tlf46vl1PE)uwwfoU%Jy z?Fc+XWdn+9*`S|28j%YNW0@tmXD{3Z!%il-rPM1 zZ;+e*c%vbhtn)Q;vd$EI@;KJYkM-Y zDAppYTrOsqck`oeiRtNodel0QwJ<$;FJD0xvI)DPrt{il|3&EQ`!E7orotzYh26LR z`gcImIDpJ%N51(W^gTB%zzv?GfMpk≤~q5iFV7Ph?oT=KFT!ge;bzm;bW5=13N3 ztmi}nJ@`$yRI7L~6w@HrJ{h`>Wq#C+tw4)L#YQ;5d;t5B5b#7=#TcMC$!EEj_T^oNK=5)T_$#ye zI`FJ4|L)~8%x}@YR$hvKcF#Mg226)s#PgL`Q$iWvVR|eMgLU-br&nETLs;1lx@ip%Q&Qe}sHG(p`{|mPY@X4>L#9YgHoD+RxGAffR7ug_ z_jDNW>826f7d}-svZq5F6Zmo@oR8e)Te45P6ffoKN!L0Uwh;Psg5|%3J>TujVcmPp zM>EIWJ801l^1Dgd6i*aSSdyfSi16i7jKs`*Vx6eK!mnm#d#Mkx z(gV*_4J(|H9?&X?2T@4Vwhcd59yv+E7JR-9_t&H9`rVU#j+u*lCI`RciokvOa6=f6x7Ns@K@G$ghx&G!zuE(m3MQ;8deaKX$i-1zSv{YgNHpnv8>-%3 z((~2!{Y5&$0DZlg6ExEmj-~UDNxhb8VJH^Opcfou5Z;y&tUX}fFINQGjjiDeXT5M} z2fiypL3jbLe&Xm2{ut(hI+6rTS#8K0z;JXsRHUP`4A=Lno{r^e78Nt&$ucpd(Qxco ztWIn5`NHS!mpma?6*wP6Iz>=FpP%gKYEK`@D{%WN;&vS57|!lhm5x0Ui`lsfxju}u zi(u4_cRw51ymrD49$AlYl*jbx$y@%(9nMd^zOW_-5IV3Z?KV<-=sepDi zZ9S4To$^u)EI0G@2LMSQ#v_IpR%}Vq1a)ulkJ^erx<+GollUKy`LxuM{I9tdIy-;O zPpBll|Whx zv8RD1pG}~bZQdGrXHu&s!Fk)RN|phTZWWE6w};>0APv5(Y_T7H9us|AsuC2jTxKW6 zJEDrdTSl{HZ@0p;N`?Cdq*wv5qUQFo$iwAU^4GoxNg$>xUgtYS*oZ_$0c{NF2gR48 z)}K>Tg7ftCjmi;)f=2e{h_@YG_WIBg{W2Iw!gyItOhvJ-TMtp5dZ|)5%W~Bl8mpuBc;!X%g-_ zK8Rfc7y_cE3VJ03?>p~_ubw*M_5y+3sX~wx^yJJ6y6H0U#u}9g{C*>w?t?S;@E>>u zV3?-I+;!$T5oglws_XGF*w26LV%xG;W|Z}5 zi8}kkvsfOQ<`Ye zR2nLE@{v!mXXZncDP+-5y<;Q(08x!(*K*{GASirI>NtK?n0}#6;^p%APi|% zd*reZ%4{7Mvy)Fs8HT z%#?(NVBF_jT$0>Jj-f-^kiM%5X5XpSXPtv3K^jmk^-I~w`=++6L=MsC-@nWjxbuSQ zObKFDAVkfF5P^r86YOrNkWc*m=sO<4|_cVV^j0DPcvsEvd%qiTh4yA0VI@ zkaMKX@rq;l8$O-G*W!;Adh>Yni34nB{ zp#2h0vXr_;{?6h)odBfYvgVNM+D-cvuHw6FIWC?Pd46{~D)QII7wb~U{%_BG$c ztwu4($0u^tT&K`c3ElyQXx?x2AMmMh*TZMPA{34^AM4hCa>S>bys9UqlD9Dk&Avt@Lt?6LIJX3av$xlGQtGtm&uVpdVT_5D( z*!un+GGigMrt<<%Y-VBtn_5BTMSGRQS!qkCEFT+5Y3mw4SHuUMpT#=W)of+GLL#q* zIuSXm7A&A$5lXhqFWoN8bG`gj496UK$Ws1B0I&|nxnn9;GRhWKE#sYV@7X)RDU5zW zvpo31pUG9Twr@AgKWVZJb27M2-(|ru{9|SiX^B^I(BF$=ccr)lT2cnQ@y|Wq+=yR5 zuh2hxrq|K;7jc0*J^P*IG_6-1c)5%QiV=QwgR|rTbzii-vF2N@=navV3HO99N7=|C z)R>t2X72&gRYc{_K>{{{?EqsDVL(CugZpLmy6J-4(&KrbmX12XsV<1D9LJZTpi)=7 zfM6tMF4K4Ju$=@PUrJ9{XmAz#<=s1lRAQHA9Q^`EWdMjH@aWT?xr|CfhC&SWYRlv5 zHOfRnlB4LS2|3==9i+>I(6zA+!sQ}r^;OE%A0L+2FQQRD zG$m_8YC`YH-h$+3re>}s+MRdJs@A`0WcL9WfCHsQ8LP5#PsW%?pst0r&+(A;xl;v> zCNFW*j~QhyD9Fq9h3=vzT!h!Zs=0B_Z#bC5r`A0w=%y^_y__RoU0k7~u{ZSq;zF5P zT@VHv>p0H59A2KhMNwCc60|+`-;1f>oklKV^!tWo>SwRxZvDZ%5*y>ca?XsXO~Rcf zESZ1<{YLwf%{$cgNO0~Qp&O6{s`Vs1wfPlH9?^ooeqZN6{ikjL_5ma}a` zeI1$En*0>VvX6nnX}f_E8wCPT~k~7gC?UsB(hh zmj2Q@>*V1;@|J-oZ)R@@^l7Ffb*!@yXGAC78;9HuoJI9Wqdy4{e}BvXI~vfo8{8i}Gnw-gfv-YvqSmsjnQS;nR>_)LP5fa)G3`h*<{rNYdSYq zUJpUs^ymGsSN!7j_O|PVw(#(&vCw5_)bFq3jVVRwMPvW`4^{hid9vG;0`3C_ZqV|g za&ZLt!TUP&A!QNikInUuU9vO--GDm@z68kJT!ZmIqQS$o`XH`#)6K5ka9-anb}#d$ zo&DssTD?eTZcD!r+Ec&j&e9G2B!CP8RN=ntOm#~fk8-l0H&%;G`YN-c0`trd@Myox zgX5?OIRHH-JJQD*6P9vvBc9^~JlHPHT4I9{kh2$RMg+ypykkD7p>Q*uwLbc(UL=wB z<>QWzy!LcFL#?Vc+;j-l;yk6+xsXDK9+McakB zf_t+0<#Ea#VygJ1yARjwLgt5YyE7X2I$9?*R!NFxG3n@9<0ol`R^YZHUTviH1caEtEE>q_B zfb932P6A~Vq#Fdv_V=9>+uke($SZJ;;!1HhHQ`e^1?r)T!R6YDSln^PTHfbg0W=e;f`3hwyC~|q-S}GEVlF?IX)03Ge$6>9C!7=d zxHmU}sz6h9e|4)JJ%8fz>BP5gp}l2AW7y@*ot`_zt5E`E!@|p`v>+0gX=CW2lLIa# z=E)bh{5f5;lR?&klGfzaDO7Ub3MOYj{J{HpM`KQPezMtZr4<*o#%QKK%;3nJ;WOTR z#9wU+r3~YJ(O{yo$wGm`lPR$&OBANZ=G-K8%7_AI-m@nC=S6ZmM+k^w^P^djKbVJ@ zwqhmV!ZR&|09@m2yr9+jD62BVEKgL_4Wb1REAe;^WC3Clym?56omFYzD(WAV6jWm# zN-dunwcX!pq1qTUrD=m^IG40RpRAJGpgT40K_dCRSC35Faga>6yWak$W*H0U?OTD| z?z)tRU@^J>><{oyFy24=e;xjJRNljSi2pw({Co6|#Q*d0{4Wjsd;Z@F`A<}yC*Qy2 z2Mqr~?*F;&ziA(eJUjj^_bdMwLstLA=+l2OzVly9{|{Y(_`m068vkPT_`le!{V#S; z|BFNaSyo}hW?BH75$e5P}enJ93&0Jf4|SXnxKz}wi~V|-scdB z>)uoE8aA!BeIJuLtVBHU8E;I;LPSkeB>pxEz^R7$WE-_u4@t(bO=WY0Ct)U^lZR51 zJ(et_&8*=~MEOi~RCgfYl&!oHBoo{>D4-1ZPHMlCY|BlYktC{j^MAp_3yY`6*n(Rw zxkS0-^MsaN1i7gyJ_TwhHgRM3*yM$vnrqpJ3tk<-Bo$gb7e>~PJUdl>X2}2fOA8@4 z)%*7Fu&{UaEGx5uSyOvfEnRe+jQc#r%>o3*+Vf=2zrz=?IbYC7C@O6Q#_&LeZg=;U zx19#$AOlbXyYIjk#gMCw!i~RSLoW%VI~H4T?S7y~hY;)fZ$Hsf85o+u^>T z0e*eaB@xC0aZ* z8`G>Z4Y7ta);h^sYfYq8jEbkB*C&g9%Sy4Q#$>xoTw+IG&7Q*>Tal{E6sFeJXR-ws zd6-u+vfG29SqQ3#fUnJJo5QLP+RXw_o6H?K#oI%0h3LUu#@IXKfYAll-}FQX5c$ zf1739Cb!O)<0oSDJ?42OGk->j{s=#BXe>|2PHW(Avu|Akr}xYnjx(3I7qCczKfrZB z-?63q$sI^>i(`R;$MCsZGtZ?qwMFj8>T`{Gwviy{;sw`T={QCP`L2VML#dbCxx2d2 znSRHU6ppwFNmKnl_VeG?O?#wt79G`+fD|%dh)?Zp-FN&pu{H_^(kQFZchP_p8B(*s zCFbOP2eSIgc4$3- zH#;)dv9<}a&S%pA2Zz3dA_R!ghX{i_imSzj>AW8Sr(W8$=2yxo-Qq=F;4f=2XolPE zI$iUP&y*gOF-?OV#zU5eTAeeM`R+r$NB7Ny9Ci?Wm?lSQl$|ZXsQ^G>)~k4J|d(@|iNzhQp&w93{x z@zb-DT1Opu$fuaZ*|FchUpjk?IA(teSPEAjQhbuu$2g>HGsI77X~Y~>xPfH@L_#~- zAZq{^bnTm`!DskbAR0U=0rrGS6lym|0simp9yUN5C-yc5UvO7b{ebUYgYyfE9RU~f z1?Qgam~rNKrfFuakgRq6$&L>#DwB3hH&aZgP3VpaZkk}%Oe~;IxhH|$mH_4*5|64Z zSkG|Jw9V8KG$K%FOy*GDyABB0y8!@L@ZLWo?76>>g?_IH$H&BcIvg5Ws-=a;@B1`O zL_tu?Lewfa*<*2JQOG(tQK#~20Wk@`Il%Yekfo=5o+(GBqgvE%uXNP?EGS8wv}B7N zhBx+MOpO4p?lB^<+{+PV*7lT*Z4g96xRBo|`}6ytJecot#_slWFy_TK5wqIq@1FaX zvWQiw(pE{y)=`zNLj|<>*mmY5HK));(^>+fbYFa}@g z(gOGXr6l)#m-zm>$DUU73n{pqos`47DdRYa$5r5$xZ%M*BncBn9v-xJykk0%ed}d+ zNbemr;)Q*hRgCc`Ug=@|lX>Cn>x>q-%r|evh>%{B1qLdsf4*Zur31Nq)VLiIiYkdb zDPIIb85!&IvCMGeVpOks`(UB|^cUaxM1u0i3k1Jcv29+A7D^=Kd(^=__X{6K+{rD5 zGLZ7!#za47`$4lseq`yh${QWLL8~;#7(q83Nk*4NI8(kar=&!!o|lfD+UxNKaw&D} zY3!2to>@XoQ5SWjj=G|E&@9~4s)Juhb%Al)N!%W?RF2<1ii$sr!HLc@#YZSp$r&n% zs<$5tYNO^hzPA&Z$!s`?L)(O4E5@)l6xO2xT=w7F$br7thIcni8!)V2B&UdO0UB1z z^^ht0TKjpSM++}@CUmrK8zrpMP63(lYu82yzOVZ8Iqu*EtnAcl0Q!-WEC}m9h;<$l zC9@GoN|CCm5U4<*)Xx|;HSAwle57jReC_Nboty1<3U1bFlk>y@Zu9LVYm8x1`s%0vO{6OBC}4K4eZ+5e~17O_(R$^(UTGy z+G3vTlG(^_K$Emyty_+HtQqz3_rgz+!i0~(RKNu)gFD5vZ9>N_xVOCHtD12mqLYWK zt4SX6lnz7%JH2N4!>h)SR15y=d!w8rgQ0g7Q-%5w4paY^ngg(C?I zWSKqAKHosEcwq!3j?>20 zBNBCB%$NqjKaii6^9fkX8${Lm9YhgOuP0(owdH2ER;R{+^S1VKKPM>pCLe6_S#prY z8m9HpbpBq}%7tT?{sEuMVNHV*>gOw0J5A)CY=xNmSt8i zwMzY!jCdfuSS@SEM6R;|n;)XD{-Kc4URn?a*js8?d{iUe_W6BWYv`Q^D|;CAplBWB zN^c!7pFI9AI=6vEYEbzHDKlg2e~C^OAr>$jZoXAb&&&K}hTAkqjXT9t|Fd5r+1 zQhdOVXydBm=S)YE3u`JJwj(PT`P)Z32r(63*4+<@GLFXj@#y;C71NC6?Z!6EHa>V$ z*30*mMUw!J7$;;;L!BploujqOE8J@#5-f69Q%hbYablN>pVvt^YP!Aei*e!h24KCI z&3;x>P62D}&mUIOst%<-is!$N7u&fi*uP$qILL3PRcFYwn<9ruF7VBJH{|&=7!i)o zN(u&4qSC>x+2LtFp##xZHxogV`UIAj)V=`msX2xtnng^TnvL2*mochm zTaPymXE-uILRN~XsaF0gX^P`p`so@m(pDn?;h*GT;({*O-E-2jJcZxK)J;pB_zOS^ zllKFoaAxKsss3fY`78CPwh7-R9hmUpshSjb0nh=KmUGhD{dU1v9IEdq^7~g2xR=l4 z8XK0z=52Zpumc@4yqRBx1ShJtITGe$rY4MRXY50L8cbbxn^!9M;yO&PWG)i`m(h&D z;U1L(0i3o<_ZGq*5eZ|gdn#9+SIhy5;QkTzYC_uQ$0p;Rg?@i`?pEWD+ z#G;g*l%Vke+8L32H45+*srAoEH5IFsI9|u3(POcc!TFwn=1mFKfl=O>(gaVIw7UEP zzH|UpEaL~s{OY$s?yU3Lv`u&eiA)_}IwxVwV5)M}+hO0J3k|QJHird1m-+S5+sCbX zQg>(ks~QusX>ANY9ym>}FP+o;haU@NZv3>Rn z^c9WUs4<3ocxlLZcxhN*8eE8Z>eBu>>alA=r9Y%;y#1V zj^wWfUcXWO&2`A3AvrVOM{DiqI6&a2ZKXt3D#**49Y?O~6qP`)I{Wzjl4tOZDfL3z z=(?xx8h|Djnsr0e%R&^`34$$w<%>?4VQ2rn<)a%!7=3KL^UBNrQN>YoP6MI4&m`Bn1^?X2RlNISF7bJ>lTGo9%C|w69nv8yPE8?|^N5X7dP+)uNppMDI)`*^35M~rAiNu;81*hGQnhj z-``B`+B!`x^5dc-`j`1P5|(w!7$*9FNohdt*d{fMoiIs=fYgpH62zfmB`hsvdo+gt zGW&CJbC#@c92@T{Q0F8oQ>B}&enTZRU&|>V3hD>*^O>KR_|_&SHX!{7hvn0J+t6tB zGN(ETs*Su4tT{k=t?Jme`@p{k+m-=WnA{#4>l|7f+f?N1q*}Ku>N$VATYB4usCPPE zh9HuiKe?U#>4Spy-Zmx@%<4-e_phkXpQpABgFda7xK^QF`(9%#<&&JU)pIcMw41Qu0_VtAmiv6(Y3M*~HM9fpgQ4&2X=LAWoO^5LhIHy}Gi@hgy>{c+CDl zdww4qfnyr&fLjfG>)6l?Xq{v7VP~;_1W`aGt|Ot6)d zVWD?0Fm9?fsiKJqMPH7lTu(SUwC|It%T2~pmX4XFUg(QTS;#ofVpL!X@d<;vf!#pF zoXGkCQ1LveC=7+*?fx{I{gsS%mWTtWPn?`N*QbihI^o4go?0Wkma5yjA@F0Z?&

dl50k^LR%u4WO|sSeNBZ3 z?@FL%K;A`%uM1ost(6=;WG}M0x-!!_8G~PKzxq|UkLN2$`W?uLj9j1e{q#4RPs=cO zxU|CEgoN*4L(}ynZ*tNZ{UHMBPwPWe+axh0$bqUVY7 z;mBe~-KXUYabSa5LzDaDUdv>id(^T?h~$n6|L=5eFZ!z^}!|owT6Q43Zl5VKJ>s+R&tSJ6gkrSB!fvfI|cr3p9}`B4&M(*-Vxa#CeJE4E~f4> zhI${-QT})#G4}S|BdwXaRCrgyVP4I6J}lp9n^BxQY@_)mNA(kfK<&)VU@%is@K zqI7kw+7DpL&B4ZsWb>GdUhxCJSzgeprHg0b2*@VQYe$^=Kvi*+&bhTW8GCACSo z`I};A>*)R8op+FKVmM?Psg`w*OarId-safQwaO-}j&#dl>C-?hw9eb)VjqD*NJTUS z?FCY07-IH(5x6}o7$a1rm3SEkWNFj(`(tG>nWkH9@Mb9 zma1Tyd4hfg8Tx#YCMyYila3qm>Y-}t7_ZGIMf}Zm+!p~L_*DJkyLNF z0pD1cp~w^mjg6^1^zITi&N?L;z8kQ~?`Ng8>=UYRvx7x`r&~YbmS3gd8jMrL|AOK$ zYz&~IgHAs3sb9v}$&&f(;g*D1NtnNwicRh-%Yay?zYL}}I^hZLyz4p&i$au?phk(~ zcUo9kox*PIS?41$ms3-2DnE!FT*%9^TBL>=(%|@Mz1x#Dn^7<)!nu7EMz=Z)lqZ zo@v>!!f8-E3jScSf_U%}P85DCPOA*1AXc4Sov2|mp;PWbSky!Lnz^I6`sj4Qs6|k; zGl?i&w3j8uKjg>p=(5`4yXPt`at{I%ZRC5c$bOiU7o!h#k$bS4Hqt77@dobx){VV? zzL6?SN8zlUJZRjK>_oMx4J5h4vqp(C|6t5K6h~o%0G%pAeu%2)kB6vGp!w4`2(`;s zm-~x0kE2X^XbyWYAgUJ%&V%ELVUtL_)7K}#5AOt7&g#Z`w1cE!SW#Yu+7_9cd!y8E zH2NYj83c4pqOCDS-x22ZJ;`vm3=cMp`x-Mqi|EhH%!KsLK5exPXNx;0N2FvqFXg}p ztXJ;n_J1qDK#c{`-}((oBgCIoJP4{LgW&=QFCd}D?G$A~FOlxN22Gdqc6 zHrnFBz=UB-X*`Zg6l3p8tF6U^hJypeb0NE@GcnZ3xRf!{5zs<9-64;f{vMys5!2L+ zp!_K&FAJaKw)=pP&W|C_9mPBB!zI{)jcAGh*LbO89s`j|UQxkgERJ=|wO+5Y@&aO~ zm;yun({^(S-_*&PRAOm?mhbk`y=9-YhEuCEj~da0S@d=gioyb4=gS&YO=%R z0^jNjGx_D8wN%|u z`P@Ty_`DCEWWmfu{BvzM9&Yk>|G2Nv4(P?Pl@qR+l|!ScSK1ykk04y^^=;9vbbCZ6&y$EYIu!(O+l%StGl)LWGFmrc*z28NR$~6GMdN!^f8py1R-$h2yxf?mD-5tVsoho0r(B(7XK~ekxgLHHdC`8TgtX8g zcDT4|i#s)m+qhX75&bAHQ)R`^gs)gfP)b?EyOJCF%l^8-_VZb%O7I`Y8X=oLO920w zY>`2T<~GX_kLC$7IZp*!Mj07&GPCC49a8+Hv1!+z$YM)0@XtHau4bV*z=Px1;VmUt zN$hyvQ$Kh5gGsaanJ6gXo0K7R!_?l(49c(mS_5^r>n^etpd=ZTK7TP%7w+ilsxoC>G zHg5?p^L^Mud4UA2moco0l52+&>tbNM9amSEyY@)I^mf851I6jMMHo#WNsNe-Rv-F4 z4oUy@$)`WEVDKBj_0( z;zlNG6>iHHf|KL5oPr+Ij&_l?ixek4s-2+q`Bd;4+JvMHlY zU%wRl0aSa2W#GT%tqRDVU5+)SaUd8tJ=!c>^#fE%E4)bc{9L+@Uw;@mp~CA<_nzJ9 z`1kX?&4{J|mrBEOw_|u+=u)Uj`rQ|#oP z@n+ko^Dz5f{auBF7Gh@XB55NMkmwV8g7i1bgq>?sygSrgbc^7 z08-6@rJ+Y*$eUH-y%w!lrx+cug`Ra;s5p?O_q?tvXm>imlx+m zqH>KKos8@?4+`e53{7ZswNz`9(NbxUdHIso0Xn(z9=nqVX;qAhr5JSXTR(k~nFjb& zDuxV~$~)k@vs2t`*%}!$>=J;^v7N zHwOkDw8#xP-vxD(244>$+6`u)K;GT%z`crTzwTa220j@B)dpC?(-c-UQ^!O}tEN<} z+l;*ao`pV{+b-WE91s1Yy||>g(c|Iv!V-}3=XyRYa6=L@r(j$u_>%=A(R2|1{D|2N zVKJoi8~q`1P;)o0Ox3tDmgRugFc#AIyiXq?x@cTot4VS6{4dd;Z~<1HrcDHFKR``*Ya_8`8lnR4rE?qYDA&w7&aFk}u<2J#F0s z8`e5!RIhO3CPwp>U1h4GTa{TBC&6zC@EE5l|84%hddYDK{dw$^z1Z~N%yk1C6Z7E? z7*yG8POeq`MB;O$#~06ntGfYr+G{BB&N>TklEkEe-RX zv%vB4y$8S1WVjenc|t5K*!M~3OrV|lpallq(#FhCnXxh~L$ysQHm>^nSMNQcd3Ob< zlHPVARVGc@@yhZ)?qivg5J9x4-kmKbUeqo{Ug49w!m1*)du>reoZ%|r*|Ci0(@YFY zDR|svkxKJvhXNFTmD1TOI5=AvoxH~C(1`xHc$KqqGjNi$n?q_-efG$aM__hNt?f_5 z{LIs3AU(GvrKim? zfAi-!ycpQ@e=I0M@!ucx?3m7+lerv`+AqQW7|z`e1$TBYvfg}!)a|W_($$yyGEW>= z9~!EN%y$0$desq-+<@Ve-CnwD`7}fKMFu}hV|hY`_RBKl_al3hqfD@TWey>9^2X?u z;hK00!YvfR_9{xDNOG^u^+e8 zUzv$rh0fiWO}YS8)`PX#;dnPdwblG-OOp579gVXAstC^|Ae-3S_0v*tEG!pr)_bgw zpAZ&$n!>Sk6-myZ zCo#r5UjT%mpJaR=AF(C4y2UZrUNNG$9gN#lU4RN{?+&OGs?hCDlW$&}>V(HT#SpUp zIv0vW=l#P3%m8`z{va4gSe;gxO-^3&{Bl#Uua4NDY_l-T_;&j|L-Q{9*%9DTamFn) zZ)r%hGg>4RO|6MPL4Q|qehlg?TjeZE0a*AJ60KUL29Gtl9__uaoD;OPF|MgK-2=zQ zpjZZ!)y7kS%Wr5Ir)O(}yeiMSdNvQBLhWZg3sls08P}mW5Me$+E8^0?1}Q5Z53TN0 zQ&^YiLFU$!sw1Lthf4tu>OBV>XWQ^po7x~1Eh#u23mW=$-H)*pH zI$Tg%9bUn13RW*C>_P}O;9{vw>sE=y6bg0>JomwR8HH)3kqT!%dne)Pn@r%5Tp_Me zS_;#mm3S2_Iop{yX>M+A^qB2}ac~j^F=M7^pSh^4_EcJ{bgGAZ=CdWr5I^p!y z8??ODkR10NwN-ixrm_^b8v+K^oT)|0t8M5B?*aQGfCGbxEqsLuW}_Xse&6#RYs6SFHiSG3OLcz3)h8ccbB zq_{q0X$+em;_Ema>UK2no=h&&rX?hE@PgxPIdRQvdT>) zP+LTFyB-@a{PplfK%kF1k;*QJvBpkvEoMwE?jGI3^`{t$;HZ60-m&YzAOg8rXbPBJz&xXtTnZI>TSPPb|! zwpt@vKeVQo9!)wM+*71gHdncqnsiU>!RJSO9QQwawtqV;?qAZLPAYTb%)e*xx?s|$ z@8n|fA3gkQ$8yKAT%)`wETV<+Dh#rUSc9*Myt3=LpB}x~zXLUBl#vqFa0Br$$QS!J z*U|JZY+Idey!c_}`a6l}+bW#4$52A$n{{*l&wKh0wp{-%gs8&1)9P-rR}Qs_LKNXX zC6Dxp<`<6~d<6LJIC^^{o-h_P%GkI0$gZ@=x{q}Z=MYe}0YRjRKkCMt9gfmnWmhE! zjaLIH=5t?i!~l;wqb_1*C`+n>uSCYTq;`nR2SWPIw*Otp?*s>YZ2^L2pGl_Tgr7Ft zSEj;JZuE*_>M(&jD;9=4jZFZfv?4SsECZ`MV5UxOW_N9^6stZq41NH$vq zeZR&X-^%NmA$?(7FiW3dU4No^AYTj?`BVD!pCX?54S8PA2cV7#kNE+#zuDds$m*p~ z$?+`fmE__I2P|^vo%icskUFUAub75!mqVAo;|%hZMx+EA4sn}9=Er^`Qj*L{6rIE& zZN_JZkeJZQGW@AGYL-ggglL^#gN#A*4i@7@zM+3d7hT@94eOGD9!;&K9v~a4{!~bc z_w;XbUZ~VANP*12a+dQgHe<~t-gtXOk{$&cjlR&PoFRagnpNsPFIuQ}gt7VX)x2ou z@A1xDQomJkHy~cq;*;KXid2!G=WkJ%Bj%9-OHTW^{cndr+bqs+!IB&QnV$Nu>TY?B zP&FTulpNP@Jk;t(7pZ*#CZXwkXnv6E)1XD(!?#zu{p3!h1RD?6;CwP}FUe_QrNEh+ zNC((nqsI#<;SZ6lpCC`bkstB0U*~`0&Y$^*_RHBpad+#Uw33OOZsp(hEi`>gwE50H z?3>-GY$V;+sY5;Qhw;g-IuvyuGpC|?{P|6w@fVADIl{VGl-i(#c-yBTel=b*=+N>d z)1(>FPvh=ZaYmN^^-p6TgWJ5$b9seSN?CGD`L>sE;ET>;7;8e z%TI+iP^Jkr3;Ddb+q~B$%nNz5xk2iMPNA&lMXJ+}D&&Sk2pZpOEBtOr$J|3IUbmSK z_>4$_wtP>}C&fAwOHYci$fd!-I;!$n76av8QgOw0jfcwIJ47QIBjX~#{t!T&ENyUO zF`c)t%=5|%Uc*rBy|p)EzjXqdJ+`(SXwKZ-r?8tHB(q*_llSzZe)^6)7_ru(Wf$(e z8s#{a%1EtVog%);NWFLrCk$+b?_bSds$L7%WRJ}Pw*qwCj%TR9zp|D6T4TlWvAvU~ z70tC>0FEhUIU7Cxtuxg0qh;BV0Ha zzR95E6$4FW4w*Qd?7jrgvz*@irb~wTDpP+qYo4)FzK^EA8n%Ji?c3_x?)R{^AE!-S zP8LaWPhaYM5dO94>=jEjX>Lwa3O)O!GF@Y?9XoGvGi6|qM2mlYd6=vV!5cv z=;^U|gW%4@j)@?qX^P?u_xYFacOT*)XwEPogU+HaJWfA$-pjP3Z2H06-)U%c=fwL8 zTysgDhCB5eFa6~6YQBz)^r>Wq6Fq3l+q~Bi$INu|$4aO>%_KN)WlGbc@as$TYMXfP zZ>W7N+mFw}kX;P-hpR{RqL>#hLI&@S7NS&3b~~8QgH8S4EL}j+&9$q9GyUq85+WzWC9{ic z+}*nDV``~qfE>7JnBH(_UwMb1^1spTo;u|kEbV*r*g2RZjJS)bTuRIj?Z7bp`Oi&0 zVP01i+qdc(HqQMepN*FuJN8&PgjvvcYzj5s0Qiq-n1p0he|1br+=q(Le@N8p6NMO} zVOP1#Qb%;GSJp?VZ<^|n{&?jt!&edOPul|ya+ zy8zAdDG#G1nxp&6$C3Wr!!}|55#MgVZsvZ^r1$M;n_fceRbTN_1$VYE#xs$fXQ8vh z`~?Oc>o0YEo1%=NRcAnd*RJN9DQa#%vqdZ9cpy1((%7P1`{A&**=n)Z!V@ zl%s%Y?041%=^>(5h(ZB*tN+HwWUs=*Zti+#kjKcClbeJxGk7-fR*L&KNDy&nsx{z! zo##nNtlJ4kEA;z5#_OoFA-b6a?suaa4{P2g|4A|(SMw+GY3T2Px5Sw5HJ&FrLQG_; ze*CM_#Vq+_^}xPq7~_OTJ9IoJ?6XEd+>QKhNiVwZf=kdf=S{-M5a`<_HoKzhOZD=j=2*2f ziPwxCP=vT}wFUEe2jxnyB(5cE9VKTTmf$|bXHAJUe)@#7FL7Re=bHJyM~pz2oFyC3 z{7(E_+KVQrnBpzBEl{2{U)!0}7G$&lTX)SF+w&Jsv|@O_6a*03t=WAM z78LyEc%~80lONj={&3r;kYD<-WOFNlw#~ zvk1Gf$Jvp&yl+f$W^-dwHyjjGn$=q{#PF(^BvSTS`c9~lXqhey)keFTnhNiSJCT*Y zX{=^4N7lWt-qWD~!eo;M5P8#~<`HwT6ZOfaj;8NU*@Qu>mFAF5C%+c=fKf$tuBc&I&%< z*x;U@VRX*v?rA_>_+pnV8{@lsMFfG?tO$~uB6T{Sdy!v00el0@!KXrP!Sx-VRf%$I_S90Pf z^L}23`97ztyAzP>hJAa;CLZ!7uig92wKxfaEB3p!_+F5#{iVm%OR!B!I10HDde)79 z1M`Os5kwO=bm6LJ;PA7mpr;sLZbAU@=bK`2#^mD)&{=6puQAR2nXK?pR8>bKZsOhZ zz?k_FGU>wSZ{He0VqVeVc7gAQa8gs<@x0u%*ww@M5=4x=*O-ir;QYd4Kdw}x5w%Ps ze!Z)Flnw1kMek2Q1c2#8I)a$gPPbc`GHx$ZjtCF!0h_BP6ie4RIw4Dd^kEukSJe;a zQxynoh{=@efs7p~02LQ2^?xnLV?I%G=ivx4FxFw}2%^hS<6CGuJ}W|JS57@C??~~@ ziqhBH>8z@xpiH3CXKZF6#y6ugl}oT#`sd-%nMal<#$4el<6p}39O@Dhk#kvfAIWg%dAFj7j5A{WnJdKNxw{bPld-tW>i^(==oK#32&mU^^DKN;*9PazyW!csm9 z`s^HgH0MV&S17ZoJ;OQk7WwhrxY@?x)$MdF`3YSbg+#fZ1lrW@-oXPWWhBZ(w+io|LkR- z6*fy0whh>-hPpblRek$|xxgBvb?i}7dCx$`)^fS^05NFE84R!UZZ-BmU+p8q%Ohxk z@c12h3_5e$ArQiPirCG@sx6k8^W>aj0k_tNyaCy(%m2HN(sgQ0#=8)i-Xxtf#v}j9 zS~AC7&*0P8O&D}@B;&d1riJKY3c6;%VmMxe+g@|#22X`L;>>rmG@N$t*MfD-IAcja zXy($(q63;k&wHHjIsUwuO1%?%0^6Nmo(@K|WR^W4*6I_^8=ejq)O4#7BXab6p!;-4 zfv)gN%92d#eFH0w1#O=2N<2SjUflyNab2=*#$!inylLtmtLdwHlz0%r{+{>aPamn5 znLaJ8Nnt~Yz%gTtpHG&x`H$P}zpnim4FJhR^^Hl`CpzQknyH?W$v_Jui_}n26>41Y zv1dAU?*osz9=H;h|Cs{6C7tWhGs&xyVwdcCWW0Md5)ghvrpL#=E5v=WONIX{#J+5J zb+og$GV#Oc_wNPW_9t#9=rZ}6N}jZ59@!oTi^onR?;a#p3042Kt$pE2%!rRPz8Liw zRug?0VeiRbN%8H8#^CW)d-z3v^s~IcEenJHI zvm*ka;zE>rzZMNwSDQnl%ZD9yRtpvikXG64EU$PZ6w=N*p2Qk3-clx@1`bFR-n0k z+~?0-V6sB=E&vV$%V)tdfM*3s%W}TjsFL3E$Ab@kLJyxTNJ9UCe92|s`zsAnR4=}t z#k@y~V8<2DA*ZudCnu&FCFz&0u%kKpdP?_Ns`#(`1NKQw5*V9R^bU-!D%|4kmjkG+ zqmHG#e_t5;J?tFmOSJ;QDAjbCU$0l-R$X4l{5Yy2CcU6f}A*gynBx zO2@}3K1RYq@IpzN8=8W>f#A-`IbUZ?st?HvR@u<+RzGs(X`!s&RuEyEa+WaEQFM!) zyT9m)g@uRY&UTNeA=$V?0oLylZS27$0v!*&CwCXRN{Cz`oM#3mwD?~WK22z`(7w}&7LGf_;X-v>>M1Ud%9$nhK)^ezd*Rl6&lf*wH&)os#e z7er2scyHWpyy!Jp%1fLJ#I*`Xdd1WOf9gGmZ{!pTGm$iUa{z0w*`^zT)&o%-S9nst z-dPolQB75kCI=bu6ff9s`_9ZHCqWe#wGQUXc;vfLZ3J*3y|rRz>w|AQrQBC3M?~eB z_;DDXEE|osi2ABf$z4 zLY2LPc06Y~avMZ})WXh(L(U4tlkj!*xG*wJYhh3Kw*oEqZYG&tkGHFD?!KfGN>^=$ zkgx`@pxT|BIrl+q&jYLPSOaU6w*x(SZx@GYhF_!WL}|nyjUyCNc(Dx==hLmpbVZow z!!cV3JuT8;a8%0mHP&i(&u9diHy);+guaY&PrfC)`q~zCBY6=Ad#nJ?nIS(BOe!kZ z8mNkrrwRtUef)C;h{cZOxbNawko-k_R|H=l{{p{8+1EXQQld^9PJrJhU){2F!J}iB z7_QnZ5C9-prZ8(JQI6S*cN;ajiOzQVo-tFE6x^;BaNu`R_p^-YE!aA8piN1|YGeMv zbwcWR@~v8tU$C|W#|k=|oh65GoFJt?;p+g5`3t!wxMO+O!}9}S@=eJbrY}GN01Z40 z{x?9p3^puo`J@aB{!;wW>VM?``n1NZB%X`=_$rUyTXGN+(NRB=)lGAXk9|U{*dL{W zpZK_{S9!}_!rg7U#vC9K? zm}OX-p0NqdNJ>u#KC_C$GH+ATF0Q7w2N}gN4-3KZ<3c0MkR!a#h@w$*oNEDd1 z|0hoM6$max85O}MolH8cRfJArGi9+U`9Qn-sAB7z=eqoU=-NqmNz1XER{Jik1S!&? zQ!6Zl^6>WfC|k!dkBHb{#DdCN!cGM*MwKh)#&dg8C;f8!7B6tXS8C2=I?#{#r}Ij}7N z(=VX%?sHQ92+pX9b4m-^X@oF4wsCbPvQ9!#Ww#iSE?Y2{iQka_q%=V-{I>cL*N%(s{73f0&t$?K^49Pp!a`~XafH>aE5)B33E{Fw ze!l8(x^+Z7XcQ-)Dq6nA&vnO7=T)8gehp%<_TqL&K%Poawl}gnA|~M1O-M+$4i^ z=ImJ>M{UFx*^ekkVu4fgvj)+LRs2yog|K6}i6ezdf07Aut&^BkOl<0_&KLG`3F9k~ zs%FqX3p309srq9}gQ;VtpSYUz;!+|^vLDQ(h~@Q6MclHS#W<8Ygri9!zDO4>MWhG* zV!S}$WlGsk&dF+vRWKb!gZ@t;a|u183wWtNQLhl$DwnUDdrltswmKjw3blRo>NQ7$-TKxj5do2i-k7R2^>1z#4IV@1FG6?~}f z`B{-VFnr&GDBik-xq#z`M{UQ)6$Vy9tQnijO~r9`z2*K2qJ%^^+Wq4mKV0#%GL*LX zTXy#daMu5^AEJfKS5}*BFoP>Qli1OpO}l}xz~73!N>FSvF|qs3az315zGdY?K0A25 zg|EqoshaEp9-+v<&E#+Ot=Y`+6EN*!843^jGW>>Ty*@HzK7k|yUnbZ<)N;S)VZK?w zV3DBMAK>?kt?}+fZ1arU$Q#5!AfE50k|+5xjO`LuR!8WiG!u=>%1;0Ytv4~Nl?AHz zpMA;KHwJ)1Q{tsJ1z zu7zah&g?ZXjAxG~v{LOb%yO?^J+#Lb_4k6Q3`~Ciu*YDsbwUd$uf9#bLhp7LG5n^a zp-?t@5sSM0K0|ebn`i-dTNf7XatTtn2d3R`VmS_p#2IbL5}MqQKcNkV!XfxL4py4A zXgyS`?mcL?2ccJcBOus$&wbu!`Y&aksC3uibS-h2h1j>5XxDKy0-P04-m3^^r+xiY zP%`KA$(|OiU2vwK!boUGu!6r;^=Grv^Be^(@WcJ4TGl{=+_UQOQkgoky=U1B>osM0 z8q!q9;Seda00k%+XG@zd7uGY4!<#tw@DakRW&g;X`>b9qQSDj{I0q$>ZA&`7`CLb4 zh*aPL%A3B1cGTTD2}*`mtEFd~d%}|R7omi%W`kEbT_b|DlL*yYubh6H0 zh&dwx=$^JcF`;k%%(mc&)$uE8^z{)t+D3L)%)2FP8$VSY;ZVrBfPZAxtac$tyNIRS z9~f6&n}qp#x9o=)ZZjqV$dQR*9PSMER147@ci^Z3E{F9a=DFT~KgnkJ?wwqhDs&L` z%02#w>zp|LXi7)Vph3r5lM3em^-@GO+<}v@z*Gy-BerJt@_rafhPngxcT?-bNjK<& zJ9pnNtwkd}o=}qG@NZ^=XCY$u!$Rhg!v0Rx2KoQ(a2J#`E6^74O*E;#|t2f#A4 zI=3;2A(y2(m~)Hfl`|8+1H7N;<88hyDuV3yEP$KNy@qv4_3_;}cM+J$YBHNQ2R-Z;TUa3hb_dHtvD2dV zpNY$%Z*%nV*7lpA4HwIkZb1yri0+5Cr=*#XUw=lje5+5Nx6UmR%(yOTbBy7xz^#{b)auj77veHw`MA=}VS zLon!kt$lDuML~hDtiFEBAV$0VD-<)<5e)KhAA_&0wt4=OJZJd?ygEXMAcH%1*G7Lj z7%8?EIKPJcQ=ZLp*7GY3dJS0(_a@p_9ZHfPAe?qE#J4Le-sXl}1l%~xb7E&SK142! zTH1}AO2%*O7EFop2#QR)6ARD)p$rSx%P+CCZHyIKLH2elsHxr-!4DjN{(G1Mm4Al) zn090S!8&)9+^GKn`0bLuTXQb~&N!Y9Gt{(mwee{9$iDhT^37o{s?HF@C%V@8MRR)* zH&w++$*3#=rG#A-t}8b`w&DbZ!cKi`WAe%pYm?f{(L-egg-y!kML@kYkv}h8eRBHs8_bh<%;`FK zDJnN3jc2L-Z7252)}^9nyBF~jnHU@|$w=5|NL16}=%exbH=;T7KS#?CH9~tibp{Wf z*jD8b8?BJJngU)nBBN{u@Lrk&-pU1>Kbshcljn$k-uUBbF6jwa9__wsd4Q6Za(ZvW zusnm|TVBDhs3v=-Ct3Ymjvs3T?jqcVb&CoY*|RkfzrM{uwT1tHzkliE6&jN^?VIpV zobb+$ton^xSJ*6NMHh*yPsu?y{e{ACm(e!Neh@E6p|d3%LI|t=!82!7wdv#P&RL!C zh94Z}f*V(8opF!cE#A%GOcGAy^gSDu zAuSi8FZ}uyL*h>TMOB#^8|hy$zBXVWzUt;&G#>nz*6{zW#F31TXQNpU&6*oxU<`Ms zZk-O24$W3VoWOBBBpbWgg5+(da24xdWtQKyQPc7$KhsqT4K0;9^-+}aD#Pyuw21oX zHD{+;?P`0!)%)2&1i2mCj^GR;O4w{r?pl4#@I~N~cF3@ozvy9%ogsd38B^q4mlng$ zz*;oQ;`ZdbrY)){B*Zjkb!DlVK|pZ`7lMAl4??&q*6Y@!;OauaAc&q~OLWTl?CH(# zj~(GCA*L6W#biy&d#^BN)Igffj_On{9*1NhMal)T5`|F(I%UKwv^?%751E}>7D72# zV922Et$|;2gZW%3Mf!`xknO0)@6>-|9~TI$r_oQhOhvuvI|XAq3yw1VKpySd1ndn> zUQnK$0xa6^)GvR%jiYt9;zuKj&QZX)D{4*?Co=}*vKU&3$$T+Q8Rq0i^zp?*8-_1% zQf0I2HufwDPJvy?pb2>bU(h~yNDdiz;!VF6fZ1Xr67|$riC&~{J;}k(k_ZhCRKx6q z$FtVwlkiA~KfB(?Q`h+0H>}ZOg&JoEj)!k5Mz)AMRP5B z;TIT|lKVW$lK9bNG;}|s>`+!$ayN07P)W#p$RUCrdQRnyAgr|A?0v)49hhX49+`rB znHB_nzaREU%5>Ck$mw2-Q>_G1k>6Pv2&tZQAtghe|88?bLI*?ll>TlXD<6{#kEc#) zY+Lk+>QZL3dY0(?yxa|++wyxL*KFAnCEQUO@bDy`(W0pY1@;{}V1IG$&WP*}DhL~Y zJdf}!rhA%auh2wgecU4%;%*WrRk?+dreeCsI!HiOa8=M9Mfsb`%dH&}cDR~2Sg3P7 zn3E;=f-e@Pc?SJ+4zuOX+5$e9`uj+nuvIXP!!I9m;}{&L<&xAP!3I~%86;HX>GhGQ zXO`XDZjG$!zN8$J(~+D$-&QM12+0W;^!5Jyy6CL5a?^ z(e2~Q6hMI_OeHj~xyUX?(d4%s+b6+i?rBbRJ5@~oWNFUwRM#U)X&!k=cv6MnQ?<(B z1i?g!DfY!)noQLy3G?IP>KUi@GhIocym=(xVHv|{Hbruf$hsoplWN_FFB{iBzz_O)565q8V|Iua#nsmcWS==3eF`VGdOg zRWBiW`L8X_>yW z=WMblG2ga0V-P3&PBN^9Ak5hHowNzlrHvyo8Y9*d`h;8;U4q;qK0_M7&ziXR`L->3 zL_ICF7-|y?Upzk~G8ub%qHw-p+pOJ;@1Qgs4t(3GGIHVjdTKK?g8T?D8+|mZk(H54 zY|?Mn7j-Y2qCk5Br;yOGOj{T6*t)i^T88#V}t?@QKd8^ zxfEvSYc$9Ejw4^B4QeVl1zTYx51=~{J5g&It)IJd*>i$o zwB-%4B!XU~U|eC!f{U(!-Q%v)-B3mPs2bst_IR7EqS<)6B{6Zcl6|$Dmr*h8J*gm^z_=2(2g(vdL@?$tru&=2$sm!iN)LEmQup^re!{>75SY zhmg<~_L;lzKbVxeexS{~2}GIhZubcGTk5AZw#T+|C+!Q`#V67Ei@^c1fVRHr!QGl( z8F(TbZ{qv$!37Yx`L60d-Q9pr&Nf}8HCT6MN1l)WQvVssJHw+=1N|q4GWzu#d0@q) zK(yJVRHB2Yu?pr?zeIuD1)qD5QZ(h6ew6XAvLzk>+U;#v>h7HqWuMabL80FntL!{) z{MO1UUg-w{Ztm{xlnkbyJHmUw9+kS??y34enGjm~WjjEsEAU01?Ps6CwHBig|Lq^{ zNi(_qFHcRBe`{`GAC8{UX&XFHd_EcyS7Ild=4&j zEE;JaZPy1UVX1+@35glSLJf38e%v;sBjy^y_+lY;Tm~5frD}vba@g`&A@Q)iRQ=uZ z#YY`0Kmr(|el|1DJUR@hvC$NDnp9TQk$Fo>Py13cYqx{s8ptY2ycyq=|0WtUPb~jn zviW>|)e2#UaUdjMtK|j!TCqc@V5l*eYU50NJ9s_v5tbKVu~5gI@x;R=1KE~Cat%TL zL0%`s*0bF(+3{V@Oe}4#iS8-hwGk4(I{GSF|Gf?y^>j|pzasbGl-w4ZJ0FLVU#Pd@ zw1UnlcyPZzR-4ETXZhU+Ia~n|yEjr1JSboLra(E6sm}>K=QKjHAF=tb^J6+Q_Ex-z z-Rq(7U8wb&DKoe~P`CeNMrJ0Vv9 zJ&35vOz%owcVhJTrk4cpshLq=aQ}~S(JE>r8vgDXaa^Y>ro$Q;LEugyp}j@649ikZ zvHnu3=RB~bBFfNKSp8bdGyw{&7-1aTyXsp*2IBd*i&3Wh(VjSLg!`GghwU`31lQa@ z8s~2}dX5!rcHHSKmydmOI1jL1yURwkiKedk`VK^kHvLPT`yD_tB)V0jah+nNH)L4kb&Ne{5~#0{lVX7~Y#d)jZXc3uFtX z3ndFrP!+Y51nYS5k+f%wQc4oZXZQnyQt)%*NL3pC6uSA+Nut@@+qRuk~P1;;qu7*8-T{*I)Bor@nbsZeptB2JM#c7p%;uh1Ak}_d{1@X8QWsf14 zg7=5TQ#s0`YkOu71r)kfH zL@Ypi(5}V1rFYmGJCKy*;;yp+j zEHk$FZ_R6C#H}UMTJsC<9jU3F)}^Y=JTijQ-b!Bj?atq?9)8{fH(ATxF($`xWPD_N zVit%q@*=p0seJ)Wn)<@02PXSRUt?OTam)JKG3acetFRd2>XeKY-Ls`{Q?a+Ac`&42 z?4Mn?yzIq?>>-E?HJ7*RUijdujxWBF9>D7BMBg^R=~l5nQ-j2sq}sL)?H0UhWZqfsuK0NKk@ec|e#ictW?X24 zx@CA=%&KmxRH{rnHuh>5p=0ioRDk?*$sRx*y?Q1#9Gm>)+1q&VB+P zM+v0X(bO}42z{FUZ_)Cwm#TieuFa6GX)2v#xa; zMC2a}6|<#jH0ukJ4ZFR+&o&rYs;T$R5;QI)IyNZ5YESL3aJa9I8Q*Ra-TiT6PkE+H zp5iw7nibjKO6NrGF!Lk1w32*_JkVzG%ga)w&2UM3k6W+X*Y&TDW;v+Tsm9zqTGhn{ zr=zD^=s+=&$1mLoFw9c()ck7Cq~3pDA;2p&m%n0S1Re6M&N}0{KFs`c z3>boTAB+!mBIy6Y29BFlzJbM{xwDWkt_|*g^JS}40~84r7?KpEB=6C@*T?Ydfu6l4 zI&n^4f*LM80J5+L%TgYygV~t4PF|fEK1fWAE7QM*cJiQp6mwRDhZD8YJfGr4E z_@2ZbR)Kxb}K?H&KQU+xPhddAH#)-(3C1{*=m}L7EqPNPUQ~ zx&ZaRsp-7)Gxj-7!`e06^(_yvRA2-U_6ho!UBiEfrEcIiy%=30>!BMTsw_S%U&CGT zDaynMn_9wpl!pp*M#fF|Ya3xHgRxPvVa*Ti`k@grDX71PnKFW_M1 zZ2}t4_j@T0zFP$AjR~`uyMT$LL32 zR$w$e>=X1b^9JiBE(0$<5Ux&TPY7PR9K9BV*j{F)U#|qp{+5QmNEwUJ9TM|44kKil zeRJRNIX07}M}wA`xl;C=Q(eEo;{VF}&Zs7$u3aD$=?F-ZDguI1Lkk^L5TuA8MS2ZI zsY-8=Dj*<;bWpnV-XT=!geJX%gqi>mLQC@H{qDQ&k9*gev(As%GjsOdXU{pa*X-xf zZjGGuEWA?{Uc}U38a&>5R=T(i5?nurji*-VUsMyoyJWU*Ut0qHu74lbNwKfp5naDs za|(rj$+j86U05F7{i{*Dzj`||JIn4;a0~mj%mqxeNE#4{ehv!ppa6FeaYD_hQ+-+`~_8C6?t_gB3! z!bKWS?*%4|Vwd_3^(w)Qqjlt*vUFy8S9wN_T&#npnAKGflyJQjcKgL@=PE_c?_h0z zCVB}!tyLEKcB3OP6+R_1k6aqx20%mAIXNOLV)EK$=a`~ z(Z2#kiAOlSpo}jAg1-J)pY?l3csbX}dvJdLt^dK=RKYd>2+orGnCCq3VsTO#9PsX9 zb5r3uD6hZtE!2K*m-S|3WXEVk7a?;IG;!AmDqxdTvMc(8QSMi}aB`-~GCq5X*y72p zRrcnO#1_Ma?rdZ-zr}4@z#8|*##r{05_cA@7s8SA6*e>UiO`N)EYk>mw09`EF&7nUGd`T4Vwum6rb4HQw| zyODPH$==@_bhYIRE`lyQoC!W0JX;~aS){`LvF{%8#WrdY&oq*)0J81{0(sPT88x-{XptqW2F@|h1I+2;N zzHNKPzDVi*)^XmAN-X}XFn?^U_;R%Hp?#Q{!;w<1x7E@z!rVt^Ol0*xASou(v}m+4 z3Xi{1p|RZ3N=UMn*g~eJm6rp?oWt9yij{ zaRd|-U8mU9Xo9pB5{)Gy2to$n-PN~5mxEoz*wdWu>Lu#i6t@lI!0vx%kd4{HxQ=f} zddc+%shk#T4{ZcVqJQJYOb~2h%$qc^7G*R|cA+b(g8M&SBf>6`MA*-()=L|dUX3N) z+@X{c6ZWAA+nG$E^la1H$L~^RXlfeTkR3%W3PKZM3lIswauMqzKHw|XEW(-V>Q5_O zG-8u^Vzlt(9U2LV`h;DXg!uharWu}r3r|^YMEKTOKkFmSY{HqgC8mi$dRftnK@OHZ zJwFQli=LyR(WUbMdA(r}b&bbNZSf^l63sW(QaW&VLzDE-8#^@Hmgq<8QbjfP39^{! zo==T`p@-*8-s&T(4(HUb$v%U5pv7`S$M4Ci-X^R-AP9=)?Mu49PllH1S!NH9Z^fBx z)<|)8&rOG*EdoQw&H!;u4i*fvt)}G&lv*7)X_>HhmUinu3dEbPzd!Ln(0Opu7lnItgm=oM zDuXDcd9=vty>coiW{Z#n?Hk%IOcEq99mhX-|Tifa=n zg6AKZU25fJvGlwq!3Q*I|60c1?zb=aQZg_!gFNT#l(tHz_to4*p* zij=u1?|hDyTMUjtAX&tEUzpNj}p!k;M*Vc%AD;v{RISOR;32wM1 zeO+||)4qDiwUU5&^FLT?zLb9_?}wOonDTkt8Dey!yq67-JTj+`aUZN}YMP-R? z7sKAwmx)E$$~<`R_rj^3PhYCyGQGKUKIrL(5?zI;E7HEGa2;vmNF%vkvNE_zEU8fL zi9nG~?^%DxK$1F@11ww-B@kuE%9rW~UuYzdV@h3x-qsP)=>Aon!VYL}eau-^{ElzL z3Pyl51s;-l#lZRO8*=yshD1W2|$ zNu6vzBSYh?Yd?k#?R=oejns7K`9d=kk`Bd=b4GLDAywKod=>i$=lUl3W7>HjAn$!y z&E}B?8wbm!xq&9rgrlT4hJ43tL`(8CA=^0#IVwLnb}o?QPOithe;=joST#l4Z7s$^ zMH=4o|8`hqEXg0c1A6>hE!|X`(U*M?yz-`DL%${~_D+6GX+?Saw>g((CtIog@IU>9 z@8g}93cnnO2RmI)7k_y_Q+PcoxiokGd4HU@uc;4+Y2iMdIiu={$}fR|f>`c5KnyN} z^%5yI)>{7RiZ4%w{_JW3c?k$9OzuxK{OU)#;Ux8Z*E!ZMY+H&^z(r6um*><#(ljLY zNRA!`$>uvX9|FTjgv~X-R;8PFT>_131CDo+jgd((5LlXri&b3Jyr@=NT5n*pQL)i&blBA*{1dc&;&#|cJFkzGUwgA z-~0WzPyQKNCJjjOFD+X&$qg{COE=QJi+btf7}!on(*gimdnMH~KVOZKb7=0tnq}C6 zV^SQUS*Z{WQ&O$}h+Bg8f<@fItD0xZwP*#+1SKPXm?$$&kll0KR63tEf;XHQ&173xvA}+$%zH z;wLNBBDprHWn{DJX4ay3^>eRKZ%`V~kta8+>=p1;19R$HR2!b3r#*XcS+{=qZhDVp z0#(b!R(%&Wi2z64b=GLcPey?PpwM_Yt8Agej~!``j?U6?R}ol zh3ruO6+~wtsJoIm{N_SR?#{hlesPvG+ei{xr}jRc5M(k!?q#z$jkzvCW} zuJAk@$p3`$Ip>5!Vdv660;igq)JL=_K|pKi{yeJwN%fUU`^#8|)hM1o{i*kRy`%g- zS{eHU@U5Q{025DLU&hMgPvF}S6+yJ$? z_Zv&(wm>ngiAV|bD!aB@w{iOljGmZSBwZb)c8*|;Vhs1nA0~C;b7a1}} zar>1$xq{m9JY*j8qbtLP)Za?>+Xa3)#oFRj5&R|xU$$xSlC7O3ql)|yF{^PVSoP|a z49+>$^Qax_>!%*6Bkax2FLS!u+eH~c1OW}Hp@CN8XKAI=9XSd(z5RhF2FT%@eH*CM zcKoMHV29-S-(HgF_wRW|!hRa~HgyW|(!6!qXeuQ%wjte?V>nd4p8|N&z8B5NnO(e0iQQf490@w$2rjS)A;m)bGduQxU z-;Lir(h+%U&I*o`i8SLqfB<=%{}V!sk}OdGBSMKQuUC*&x|^Po#_NQHT)G=&UH|m! z{*#B1k{Bu zympkEhGEJEd0}Ca1{S)1|K;2aq=qV zF=ZtxmO;lmmOeho#5EiAo5_sMF2iB-WNndvI%pI~kHM)qyS0l6YVYPb{oe6H^$ydh1o^+c%aQWHv0fCm! z{P2DjGudc)NKmhrAQ9T&NTfu{em4ssEyi2>+_T)Mg}G4p-Tb=vzl7JJ#T(-$Gz(Fh zd*pbWN8bDg6;tK;!Q{$g?Zqh3eRc<|lTJ@*^SPc^o%NkWD$&`FV$ZQPg`0O<30E?W zRRf9tR!MCcFAJnNYG`UWl0;=Fsg6^OA5>%-e&I#*$>OrB;nJ}6)DNy-ou?F62l#TX zOQO2&?k3LJcT;qyg*^?*)k+uhR8x)M@0I2Y(9*ZJwRbjr{f%R{$p7hfyd}eN*45hB z2$*lo;3TRW3fj0ikk{V1|2QVTKene7Jz&(03^P9(I0L6q&{6u`uVF2?ChqF2t6}cT zt1c$m1*{QOkOh6x4+a1~wO@#;kZ!PWlilF1Mg?2EA2|JXsrbK#W$88TmKYK9f7bax zLqHvO}3v02%_qz|lVw!*^ z!siP0?2Rp}!^))*Jwr>96XOWI}h<)>g&_ zI$AR*{ZU|%o$+z=v75UaX;LP&-dx2Y0al`gm9?&AAD4>gwEzkEuxHq4~WMCf%Uyc17BR-aEJ z^X1uK8fgDNcf|_U)XGT0@PcuaFISi7@&gc%gZ@;QOA<^}a@pa@Zd+c=L6k&8>Awd|>`HGB#&N zPfFGDK!M;l<=Zcx;a!003?+J~A4-0OH=LfxgUx|b6X!t#!#&y1-E8!c*SlrwFJdqD z8yMjsUUa7;&r4>otQ3n#nG?8^g}^c6Cby7#(62f;t^I_%b|+DrcV7ItSO5Ob{?|vQVBl` z-KIQ2SYuLm%qBC=ckc{6bo}7Hl4(P+(G;wsW`EF5N=8`Oh`Gh&D*mRNPu=WuQ zg~|QFkI5HrjbPE0ZKL^Ucy7&pbuN){x}viKENnDvIw;N`s6l4(`iog=NLt&B=SfuF zP41$%rrFG$gmHp%WolVR73Z#j>>F8Ifom3_j~5eVYJe%&Pc@+v zQNdJEBJRt%{J(nKWSi^|0@+ z@&p5P>peSp%Q|)D@AQ~TFOOdYPb#3ZR4vCxdpSM49AA+;KW)Lt3N1OM`JzY*f>1pS!y?-|!nt|u}1DrwB=B%7a*IeUUOABY{v&p^v z!u)v4zTa468X~6ZkNjf9kGCqKs21>b=>;lGNu#-tSEM5k?SEXiA?7+X`dsMLOts{M z55~P6X{hOvK5J!n)}M9mw;vdM)HiMajP2!FIJDvB7_x^E)aiLG0F$x^14zxz@W#!__e@)OnB^)6;!5(W6QA-wK z-@xTzTWilf%o=-Nk~SCV%__IxaMZ?1)cB2`gjoSsZzHcG-t@%uxUsF`$6k{gbk+kvdwoR0|O4A zCBhQD!qJA&LOPFFTe2WJSNc{YQJ44b1S}7;Bm~iVHU%#KE=p{UV(qK9JFpenl@tiM zK^H&W*B8*3rn8v2zF$=<7&0gEE%8h2j_k2?tXV<0$} zHZJ$5Z2jA6H#)LIqnE1+Vd!O?m`v3%pW}go%^A`E=b0nv?psWeZxs|2Bl6b67b%|*D_Hm^e#0r=I7+z#WWcNo3qOy$z~{3m z+qZnp&CN?Rh1UP2J7JZS)KE;%d;R-$w%xuW-K#<5P=fL9(+> zd`k@bt1{`~SAMJquW+6*|GdC7#g@%zz6pe&#|1gAC+b)y0e-Tb(KE_e=&9lq$&{5| zsDHpqC$Cb6t$&}@_4K|Xg`KZLa%$IM{AHU@=0lCy7pPhs))JOHte+Bh+jmQeQM*+- zKSzzDPLlquyy;ciAhDJf!#0uATDY{3pNgM6@KEMG6H!vblNM1~lbuK=5fiUV-@h8= zfc15YSo7M2O7ju@jMqZDq<-IC*;^-bl36F2X1PJZS-D9}#uhku388lv%Gq2WA{7f< zKYXd0l4?_*-(#~VIFzo&0mz#k+{f>ZGR?FZjakBA6ZEg1^gjKQIT!oh_cL=TW&8Bt z@9$>M^;OGR?!TOwEfm$!WYA{g!skKug--{hdA{%`OGag?{j@9--+Wy~bdTY|?=3CJ zr^vV8Ilgo3B11D-fs3G{3A&w@;j3gMCJ2lLrj2*u+Gig}zaZ!(K5E}(Q<+epFrp?_ z*qoic_a!1JAiQxepchiGO3#k87~`zy_@YRA++YwFJ13>lVDQqv!63mp)IW_FdGR9n zjGg?gi!uFg!n)|Arg;mGE7oJHAG(&9=voZjwPOkKJw>Bkl}y5gkQuj|%gfQ8!or9= z-X&N8?98QP5)r;f*iiBGlbuZdF~p9ByMD&4J>S0E&3EaZZP!Kh>AMp4*|wKcn7u9^ z^0kBC^>h+Bk^ZlmESr~gEB$U-X>8q;d!)<@#wI(Ng;miFnqlyK5;_OD4{{G+wZc(&z)?_iPu+06{t5Tm!Rto!{tVNQgoflEtl{r+O z8W}R)=r-i;Df9;`Y}~t0!FK(tnY)=9&3(Ym9_s#-S-d&#`TW_D`5jCqyzy1ePw#?^ zN}hK)PvN}R)PZ!?jd`U@3mRj`|5la4!FG~ojTiY%g`Y=l^pI526E2tv)*qG}i%Q(1 zmIDje<9%i~2Jb+QYYJGGNynNREc7f#=}(|9+cHsUym}U)3#PI{&~!pSzhmCO7xk`Q z%^yCa^K|0|Op%3szRzirLFm$_GB;cFJKiR`ug4`c+BN<8@9vV@FTyE%Pb=3CsIpy# zSR6XmUn#3_D706cG5aW}>~k(;K=fSAu_RSD8m0a9!!&*v8@0n`IY8=qhwO_5IL1yA zVwdnt&8e z4o7zVfOR*D>z();FI7jZ>OyTS*wd~}E&=WPRE9a8R}AzzP}pHeWYuQN*r58nwyvKB z_L`{|F^4?$yn5HHrsZ-b8nKGuZHwNX{!VEWD0Q&gTI%qyu9HG%vn~Jcb0n5hpa#6*z)zgxH^!!s&?@GPTY|84&v998*mBlsVZEV7&c diff --git a/rtdata/images/rt-logo-text-black.svg b/rtdata/images/rt-logo-text-black.svg new file mode 100644 index 000000000..6f7ac22e4 --- /dev/null +++ b/rtdata/images/rt-logo-text-black.svg @@ -0,0 +1,1151 @@ + + + + + RawTherapee Logo with Text + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + RawTherapee Logo with Text + + + Maciej Dworak + + + www.rawtherapee.com + 2019-03-11 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/rtdata/images/rt-logo-text-white.svg b/rtdata/images/rt-logo-text-white.svg new file mode 100644 index 000000000..78458c622 --- /dev/null +++ b/rtdata/images/rt-logo-text-white.svg @@ -0,0 +1,1151 @@ + + + + + RawTherapee Logo with Text + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + RawTherapee Logo with Text + + + Maciej Dworak + + + www.rawtherapee.com + 2019-03-11 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/rtdata/images/rt-logo.svg b/rtdata/images/rt-logo.svg new file mode 100644 index 000000000..dd8ed39ec --- /dev/null +++ b/rtdata/images/rt-logo.svg @@ -0,0 +1,655 @@ + + + + + RawTherapee Logo + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + RawTherapee Logo + + + Maciej Dworak + + + www.rawtherapee.com + 2019-03-11 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/rtdata/images/svg/rt-logo.svg b/rtdata/images/svg/rt-logo.svg deleted file mode 100644 index a8417d4db..000000000 --- a/rtdata/images/svg/rt-logo.svg +++ /dev/null @@ -1,609 +0,0 @@ - - - - - RawTherapee logo - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - image/svg+xml - - RawTherapee logo - - - Maciej Dworak - - - www.rawtherapee.com - 2019-03-11 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/rtdata/images/svg/splash.svg b/rtdata/images/svg/splash.svg index 5609a45c1..1e7c9f745 100644 --- a/rtdata/images/svg/splash.svg +++ b/rtdata/images/svg/splash.svg @@ -1,944 +1,1261 @@ + + + id="svg783" + inkscape:version="1.1.1 (3bf5ae0d25, 2021-09-20)" + sodipodi:docname="splash.svg" + inkscape:export-filename="/tmp/splash.png" + inkscape:export-xdpi="96" + inkscape:export-ydpi="96" + enable-background="new" + xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" + xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" + xmlns:xlink="http://www.w3.org/1999/xlink" + xmlns="http://www.w3.org/2000/svg" + xmlns:svg="http://www.w3.org/2000/svg" + xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" + xmlns:cc="http://creativecommons.org/ns#" + xmlns:dc="http://purl.org/dc/elements/1.1/"> RawTherapee splash screen + + + style="stop-color:#38c102;stop-opacity:1" /> + style="stop-color:#bced02;stop-opacity:1;" /> + style="stop-color:#009a01;stop-opacity:1" /> + style="stop-color:#01d901;stop-opacity:1;" /> + id="linearGradient4002-3" + inkscape:collect="always"> + style="stop-color:#5a1898;stop-opacity:1" /> + style="stop-color:#971ec6;stop-opacity:1" /> + style="stop-color:#053980;stop-opacity:1" /> + style="stop-color:#0293e4;stop-opacity:1;" /> + id="linearGradient4018-0" + inkscape:collect="always"> + style="stop-color:#151b92;stop-opacity:1" /> + style="stop-color:#1526c3;stop-opacity:1" /> + id="stop4040-9" /> + style="stop-color:#ffd02b;stop-opacity:1;" /> + id="linearGradient3994-4" + inkscape:collect="always"> + style="stop-color:#d91566;stop-opacity:1" /> + style="stop-color:#fc12aa;stop-opacity:1" /> + style="stop-color:#f8bc00;stop-opacity:1;" /> + style="stop-color:#ffe309;stop-opacity:1;" /> + style="stop-color:#0193be;stop-opacity:1;" /> + style="stop-color:#01d4ed;stop-opacity:1;" /> + style="stop-color:#fd4c0b;stop-opacity:1" /> + style="stop-color:#feab27;stop-opacity:1;" /> + id="filter4749" + style="color-interpolation-filters:sRGB" + inkscape:auto-region="true"> + flood-opacity="0.24524714828897337" + id="feFlood4751" /> + in2="SourceGraphic" + id="feComposite4753" /> + result="blur" + stdDeviation="2" + id="feGaussianBlur4755" /> - - - - - + in2="blur" + id="feComposite4757" /> - - - - - - - - - - - - - - - - - - - - - - - - - + result="result91" + stdDeviation="14.997794432548178" + id="feGaussianBlur3582-4" /> + in2="result91" + id="feComposite3584-5" /> + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - + bordercolor="#666666" + borderopacity="1.0" + inkscape:pageopacity="0.0" + inkscape:pageshadow="2" + inkscape:zoom="1.8015102" + inkscape:cx="575.62815" + inkscape:cy="212.32186" + inkscape:document-units="px" + inkscape:current-layer="layer1" + showgrid="false" + units="mm" + inkscape:snap-bbox="true" + inkscape:bbox-nodes="true" + inkscape:snap-page="false" + inkscape:snap-text-baseline="false" + inkscape:snap-center="false" + inkscape:snap-object-midpoints="true" + inkscape:snap-midpoints="false" + inkscape:snap-smooth-nodes="false" + inkscape:snap-intersection-paths="false" + inkscape:object-paths="false" + inkscape:snap-bbox-midpoints="true" + inkscape:snap-bbox-edge-midpoints="false" + inkscape:bbox-paths="false" + showguides="true" + inkscape:guide-bbox="true" + inkscape:snap-others="true" + inkscape:object-nodes="false" + inkscape:snap-nodes="true" + inkscape:snap-global="false" + inkscape:window-width="3440" + inkscape:window-height="1387" + inkscape:window-x="3832" + inkscape:window-y="-8" + inkscape:window-maximized="1" + inkscape:measure-start="416.334,192.525" + inkscape:measure-end="422.317,192.368" + inkscape:pagecheckerboard="0" + fit-margin-top="0" + fit-margin-left="0" + fit-margin-right="0" + fit-margin-bottom="0" + width="157.40977mm" /> - image/svg+xml - RawTherapee splash screen - - - - Maciej Dworak - - - www.rawtherapee.com - - - - - - - - - + id="layer1" + transform="translate(4.6433668,-186.15341)"> + style="fill:#2a2a2a;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:0.289435;enable-background:new" /> + id="g1471" + style="filter:url(#filter3580-78);enable-background:new" + transform="matrix(0.32898701,0,0,0.32898701,5.4693427,158.00998)"> + id="path1157-5" + style="fill:url(#linearGradient1281);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 294.18353,286.29588 8.89675,2.38406 a 93.821518,93.821518 0 0 0 2.4e-4,-48.56705 l -8.71031,2.33392 a 84.803757,84.803757 0 0 1 2.29016,11.88245 84.803757,84.803757 0 0 1 0.57521,12.08518 84.803757,84.803757 0 0 1 -1.14997,12.04599 84.803757,84.803757 0 0 1 -1.90208,7.83545 z" /> + id="path4829-2" + style="fill:url(#linearGradient1283);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 294.18353,286.29588 a 84.803757,84.803757 0 0 0 1.90208,-7.83545 84.803757,84.803757 0 0 0 1.14997,-12.04599 84.803757,84.803757 0 0 0 -0.57521,-12.08518 84.803757,84.803757 0 0 0 -2.29016,-11.88245 l -43.24405,11.5872 a 40.033501,40.033501 0 0 1 -0.0886,20.70095 z" /> + id="path1341-4" + style="fill:#fffb00;fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 272.28532,324.2247 6.51303,6.51278 a 93.821518,93.821518 0 0 0 24.28193,-42.05754 l -8.89675,-2.38406 a 84.803757,84.803757 0 0 1 -0.95072,3.9227 84.803757,84.803757 0 0 1 -4.49616,11.23195 84.803757,84.803757 0 0 1 -6.05046,10.4797 84.803757,84.803757 0 0 1 -7.47908,9.50977 84.803757,84.803757 0 0 1 -2.92179,2.7847 z" /> + id="path4832-9" + style="fill:#fffb00;fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 272.28532,324.2247 a 84.803757,84.803757 0 0 0 2.92179,-2.7847 84.803757,84.803757 0 0 0 7.47908,-9.50977 84.803757,84.803757 0 0 0 6.05046,-10.4797 84.803757,84.803757 0 0 0 4.49616,-11.23195 84.803757,84.803757 0 0 0 0.95072,-3.9227 l -43.14595,-11.56092 a 40.033501,40.033501 0 0 1 -10.33729,17.90471 z" /> + id="path1547-6" + style="fill:url(#linearGradient1285);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 234.40424,346.3109 2.33393,8.71032 a 93.821518,93.821518 0 0 0 42.06018,-24.28374 l -6.51303,-6.51278 a 84.803757,84.803757 0 0 1 -5.83466,5.56497 84.803757,84.803757 0 0 1 -9.85715,7.0189 84.803757,84.803757 0 0 1 -10.75367,5.54444 84.803757,84.803757 0 0 1 -11.4356,3.95789 z" /> + id="path4835-4" + style="fill:url(#linearGradient1287);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 234.40424,346.3109 a 84.803757,84.803757 0 0 0 11.4356,-3.95789 84.803757,84.803757 0 0 0 10.75367,-5.54444 84.803757,84.803757 0 0 0 9.85715,-7.0189 84.803757,84.803757 0 0 0 5.83466,-5.56497 l -31.58503,-31.58503 a 40.033501,40.033501 0 0 1 -17.88325,10.42719 z" /> + id="path1753-0" + style="fill:url(#linearGradient1289);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 190.55705,346.12372 -2.38405,8.89675 a 93.821518,93.821518 0 0 0 48.56517,7.5e-4 l -2.33393,-8.71032 a 84.803757,84.803757 0 0 1 -11.88057,2.28966 84.803757,84.803757 0 0 1 -12.08519,0.57522 84.803757,84.803757 0 0 1 -12.04598,-1.14998 84.803757,84.803757 0 0 1 -7.83545,-1.90208 z" /> + id="path4838-2" + style="fill:url(#linearGradient1291);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 190.55705,346.12372 a 84.803757,84.803757 0 0 0 7.83545,1.90208 84.803757,84.803757 0 0 0 12.04598,1.14998 84.803757,84.803757 0 0 0 12.08519,-0.57522 84.803757,84.803757 0 0 0 11.88057,-2.28966 l -11.5872,-43.24404 a 40.033501,40.033501 0 0 1 -20.69907,-0.0891 z" /> + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - + id="g140289" + style="filter:url(#filter4749)"> + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - + id="text3689" /> + transform="matrix(0.24804687,0,0,0.2480469,-127.75775,273.1232)" + id="g220" /> + + id="text23926" + style="font-size:20.4611px;line-height:1.25;font-family:'Eras BQ';-inkscape-font-specification:'Eras BQ';opacity:1;fill:#ffffff;stroke-width:0.873393"> - - - - - - - - - - + d="m 58.18748,240.09172 h 2.475793 c 1.063977,0 2.41441,0.0205 3.007782,0.0614 l 0.163688,-2.98732 h -9.698561 c -0.122766,2.59856 -0.347838,5.19712 -0.572911,7.77521 0.961672,-0.12276 1.943805,-0.22507 2.925938,-0.22507 1.023055,0 2.782709,0.10231 2.782709,1.55505 0,1.30951 -1.534582,1.80057 -2.61902,1.80057 -1.166283,0 -2.312105,-0.26599 -3.437465,-0.61383 l 0.286455,3.15101 c 1.207205,0.30691 2.455332,0.45014 3.72392,0.45014 5.442653,0 6.854469,-2.86455 6.854469,-4.80836 0,-2.84409 -2.516716,-3.86714 -4.992509,-3.86714 -0.368299,0 -0.736599,0.0205 -1.104899,0.0409 z" + style="font-weight:bold;font-family:'ITC Eras Std';-inkscape-font-specification:'ITC Eras Std Bold'" + id="path1821" /> + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/rtdata/images/svg/splash_template.svg b/rtdata/images/svg/splash_template.svg index 8044343c0..b6b42d07a 100644 --- a/rtdata/images/svg/splash_template.svg +++ b/rtdata/images/svg/splash_template.svg @@ -2,29 +2,41 @@ + enable-background="new" + xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" + xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" + xmlns:xlink="http://www.w3.org/1999/xlink" + xmlns="http://www.w3.org/2000/svg" + xmlns:svg="http://www.w3.org/2000/svg" + xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" + xmlns:cc="http://creativecommons.org/ns#" + xmlns:dc="http://purl.org/dc/elements/1.1/"> RawTherapee splash screen + + + style="color-interpolation-filters:sRGB" + inkscape:auto-region="true"> - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="254.64981" + y1="101.84784" + x2="242.17578" + y2="148.77542" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="163.02301" + y1="193.83618" + x2="209.80595" + y2="181.05989" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="117.51535" + y1="181.72815" + x2="164.49129" + y2="194.03969" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="84.229202" + y1="147.87372" + x2="118.57832" + y2="182.1684" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="71.600014" + y1="98.586967" + x2="86.637268" + y2="153.3033" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="85.458618" + y1="53.097939" + x2="71.537453" + y2="106.59224" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="80.822929" + y1="61.417603" + x2="120.4325" + y2="21.283628" /> + + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="140.49059" + y1="16.437004" + x2="154.79814" + y2="69.879189" /> + - - - - - - - - - - + gradientTransform="rotate(-15,802.43241,-1.9489591)" + x1="208.75566" + y1="23.213453" + x2="243.28401" + y2="57.596519" /> + + + - - - - - - - - - - - + inkscape:measure-end="422.317,192.368" + inkscape:pagecheckerboard="0" + fit-margin-top="0" + fit-margin-left="0" + fit-margin-right="0" + fit-margin-bottom="0" + width="157.40977mm" /> - image/svg+xml - RawTherapee splash screen - - - - Maciej Dworak - - - www.rawtherapee.com - - - - - - - - - + transform="translate(4.6433668,-186.15341)"> - - Each logo element has a filter effect (ring*). Additionally, the logo as a whole (all elements grouped) also has a filter effect (logo glow)."Raw": font Eras Ultra ITC, 60pt, -3px spacing between characters."Therapee": font Eras Medium ITC, 60pt, +1px spacing between characters.Version: font Eras Bold ITC, 64pt, skewed -3°. RawTherapee splash screen design version 1.2 from 2019-02-27 | www.rawtherapee.com + style="fill:#2a2a2a;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:0.289435;enable-background:new" /> + id="g1471" + style="filter:url(#filter3580-78);enable-background:new" + transform="matrix(0.32898701,0,0,0.32898701,5.4693427,158.00998)"> + id="path1157-5" + style="fill:url(#linearGradient1281);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 294.18353,286.29588 8.89675,2.38406 a 93.821518,93.821518 0 0 0 2.4e-4,-48.56705 l -8.71031,2.33392 a 84.803757,84.803757 0 0 1 2.29016,11.88245 84.803757,84.803757 0 0 1 0.57521,12.08518 84.803757,84.803757 0 0 1 -1.14997,12.04599 84.803757,84.803757 0 0 1 -1.90208,7.83545 z" /> + id="path4829-2" + style="fill:url(#linearGradient1283);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 294.18353,286.29588 a 84.803757,84.803757 0 0 0 1.90208,-7.83545 84.803757,84.803757 0 0 0 1.14997,-12.04599 84.803757,84.803757 0 0 0 -0.57521,-12.08518 84.803757,84.803757 0 0 0 -2.29016,-11.88245 l -43.24405,11.5872 a 40.033501,40.033501 0 0 1 -0.0886,20.70095 z" /> + id="path1341-4" + style="fill:#fffb00;fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 272.28532,324.2247 6.51303,6.51278 a 93.821518,93.821518 0 0 0 24.28193,-42.05754 l -8.89675,-2.38406 a 84.803757,84.803757 0 0 1 -0.95072,3.9227 84.803757,84.803757 0 0 1 -4.49616,11.23195 84.803757,84.803757 0 0 1 -6.05046,10.4797 84.803757,84.803757 0 0 1 -7.47908,9.50977 84.803757,84.803757 0 0 1 -2.92179,2.7847 z" /> + id="path4832-9" + style="fill:#fffb00;fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 272.28532,324.2247 a 84.803757,84.803757 0 0 0 2.92179,-2.7847 84.803757,84.803757 0 0 0 7.47908,-9.50977 84.803757,84.803757 0 0 0 6.05046,-10.4797 84.803757,84.803757 0 0 0 4.49616,-11.23195 84.803757,84.803757 0 0 0 0.95072,-3.9227 l -43.14595,-11.56092 a 40.033501,40.033501 0 0 1 -10.33729,17.90471 z" /> + id="path1547-6" + style="fill:url(#linearGradient1285);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 234.40424,346.3109 2.33393,8.71032 a 93.821518,93.821518 0 0 0 42.06018,-24.28374 l -6.51303,-6.51278 a 84.803757,84.803757 0 0 1 -5.83466,5.56497 84.803757,84.803757 0 0 1 -9.85715,7.0189 84.803757,84.803757 0 0 1 -10.75367,5.54444 84.803757,84.803757 0 0 1 -11.4356,3.95789 z" /> + id="path4835-4" + style="fill:url(#linearGradient1287);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 234.40424,346.3109 a 84.803757,84.803757 0 0 0 11.4356,-3.95789 84.803757,84.803757 0 0 0 10.75367,-5.54444 84.803757,84.803757 0 0 0 9.85715,-7.0189 84.803757,84.803757 0 0 0 5.83466,-5.56497 l -31.58503,-31.58503 a 40.033501,40.033501 0 0 1 -17.88325,10.42719 z" /> + id="path1753-0" + style="fill:url(#linearGradient1289);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter4905-0)" + d="m 190.55705,346.12372 -2.38405,8.89675 a 93.821518,93.821518 0 0 0 48.56517,7.5e-4 l -2.33393,-8.71032 a 84.803757,84.803757 0 0 1 -11.88057,2.28966 84.803757,84.803757 0 0 1 -12.08519,0.57522 84.803757,84.803757 0 0 1 -12.04598,-1.14998 84.803757,84.803757 0 0 1 -7.83545,-1.90208 z" /> + id="path4838-2" + style="fill:url(#linearGradient1291);fill-opacity:1;stroke-width:0.682085;stroke-linecap:round;stroke-linejoin:round;filter:url(#filter3580-78)" + d="m 190.55705,346.12372 a 84.803757,84.803757 0 0 0 7.83545,1.90208 84.803757,84.803757 0 0 0 12.04598,1.14998 84.803757,84.803757 0 0 0 12.08519,-0.57522 84.803757,84.803757 0 0 0 11.88057,-2.28966 l -11.5872,-43.24404 a 40.033501,40.033501 0 0 1 -20.69907,-0.0891 z" /> + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - + id="g140289" + style="filter:url(#filter4749)"> + Therapee + Raw - - - - - - - - - - - - - - - - - GNU GPLv3 - - Development - - - Release Candidate 1 - - 5 - . 9 - Therapee - Raw - Therapee - Raw - - - - - - - + id="g151445" + transform="translate(-0.25547655,-0.02528481)" + style="filter:url(#filter4749)"> + 5 + 8 + . + GNU GPLv3 + + Prerequisites +Obtain and install the font family ITC Eras Std. + +Details +The color wheel is copied from rt-logo.svg and a glow filter is added +to each segment and the wheel as a whole. +"Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing +"Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing +Version (big number): ITC Eras Bold, 58 pt, skewed -3° +Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° +Release-type: ITC Eras Bold, 16 pt, skewed -3° + +Publishing +1. To prepare a splash screen for deployment, select all text and choose Path > Object to Path. +2. Change release type text to whatever is required, or hide the layer "Release type" entirely. +3. Remove this text field. +4. Save as "splash.svg" into "./rtdata/images/svg". + +RawTherapee splash screen design 1.5 (March 2022) +www.rawtherapee.com + + + Development From 4e1435070840c6def22a23ea666be8685d591610 Mon Sep 17 00:00:00 2001 From: Thor Nielsen Date: Sun, 10 Apr 2022 08:57:25 +0000 Subject: [PATCH 056/170] Add support for reading Canon R6 white balance from CR3. (#6397) Co-authored-by: Thor Gabelgaard Nielsen Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> --- rtengine/dcraw.cc | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 39e527598..85d0b0b33 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6078,6 +6078,19 @@ get2_256: offsetChannelBlackLevel2 = save1 + (0x0157 << 1); offsetWhiteLevels = save1 + (0x032a << 1); break; + case 3656: // EOS R6, ColorDataSubVer 33 + // imCanon.ColorDataVer = 10; + imCanon.ColorDataSubVer = get2(); + + // The constant 0x0055 was found in LibRaw; more specifically by + // spelunking in LibRaw:src/metadata/canon.cpp. + fseek(ifp, save1 + (0x0055 << 1), SEEK_SET); + FORC4 cam_mul[c ^ (c >> 1)] = (float)get2(); + + offsetChannelBlackLevel = save1 + (0x326 << 1); + offsetChannelBlackLevel2 = save1 + (0x157 << 1); + offsetWhiteLevels = save1 + (0x32a << 1); + break; } if (offsetChannelBlackLevel) From 7212c098768481b95dfcf65a933ea5db1c0f3f99 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 11 Apr 2022 21:20:36 -0700 Subject: [PATCH 057/170] Remove GDB from Windows debug build --- .github/workflows/windows.yml | 20 -------------------- 1 file changed, 20 deletions(-) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index 0696b06c6..c2e59a099 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -89,26 +89,6 @@ jobs: echo "Copying Lensfun database to the build directory." cp -R "/C/msys2/msys64/mingw64/var/lib/lensfun-updates/version_1" 'build/${{matrix.build_type}}/share/lensfun' - - name: Restore GDB from cache - id: gdb-cache - if: ${{matrix.build_type == 'debug'}} - uses: actions/cache@v2 - with: - key: gdb-windows-64 - path: gdb-windows-64.exe - - - name: Download GDB - if: ${{matrix.build_type == 'debug' && steps.gdb-cache.outputs.cache-hit != 'true'}} - run: | - echo "Downloading GDB." - curl --location 'http://www.equation.com/ftpdir/gdb/64/gdb.exe' > 'gdb-windows-64.exe' - echo "Verifying download." - sha256sum --check <(echo '27c507ae76adf4b4229091dcd6b5e25c7baffef32185604f1ebdd590598566c6 gdb-windows-64.exe') - - - name: Include GDB - if: ${{matrix.build_type == 'debug'}} - run: cp 'gdb-windows-64.exe' 'build/${{matrix.build_type}}/gdb.exe' - - name: Bundle dependencies run: | echo "Getting workspace path." From b989c271d8c66d137e62301fe0bf25e187ef9830 Mon Sep 17 00:00:00 2001 From: Desmis Date: Mon, 18 Apr 2022 13:01:10 +0200 Subject: [PATCH 058/170] Fixed bug bad behavior Log encoding issue 6459 --- rtengine/iplocallab.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index b3618bfb3..ac87c75d7 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -13327,7 +13327,7 @@ void ImProcFunctions::Lab_Local( } //encoding lab at the beginning - if (lp.logena || lp.showmasklogmet == 2 || lp.enaLMask || lp.showmasklogmet == 3 || lp.showmasklogmet == 4) { + if (lp.logena && (lp.showmasklogmet == 2 || lp.enaLMask || lp.showmasklogmet == 3 || lp.showmasklogmet == 4)) { const int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); const int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); From feada4cd0a132b3d1a99262f27819c0d4c758521 Mon Sep 17 00:00:00 2001 From: Desmis Date: Thu, 28 Apr 2022 07:53:33 +0200 Subject: [PATCH 059/170] Local adjustments - Fixed bug with mask enable logencoding issue 6459 (#6465) * Fixed bug with mask enable logencoding issue 6459 * Fixed another bug with logena --- rtengine/iplocallab.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index ac87c75d7..61aa9465c 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -13327,7 +13327,7 @@ void ImProcFunctions::Lab_Local( } //encoding lab at the beginning - if (lp.logena && (lp.showmasklogmet == 2 || lp.enaLMask || lp.showmasklogmet == 3 || lp.showmasklogmet == 4)) { + if (lp.logena && (call <=3 || lp.prevdE || lp.showmasklogmet == 2 || lp.enaLMask || lp.showmasklogmet == 3 || lp.showmasklogmet == 4)) { const int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); const int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); From 37080e1b5d12a4e128d73c7011ef6e97f8df1ec7 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Fri, 13 May 2022 20:39:31 -0700 Subject: [PATCH 060/170] Fix some history messages (#6474) Use correct key for spot removal history message. Remove B&W channel mixer auto enabled message when changing the filter color. Replace hard-coded input color profile strings. --- rtgui/blackwhite.cc | 1 - rtgui/icmpanel.cc | 12 ++++++------ rtgui/spot.cc | 4 ++-- 3 files changed, 8 insertions(+), 9 deletions(-) diff --git a/rtgui/blackwhite.cc b/rtgui/blackwhite.cc index e713f1450..7b54f09d2 100644 --- a/rtgui/blackwhite.cc +++ b/rtgui/blackwhite.cc @@ -811,7 +811,6 @@ void BlackWhite::filterChanged () if (listener && (multiImage || getEnabled())) { listener->panelChanged (EvBWfilter, filter->get_active_text ()); - listener->panelChanged (EvAutoch, M("GENERAL_ENABLED")); } } diff --git a/rtgui/icmpanel.cc b/rtgui/icmpanel.cc index 45d0f6622..90528e831 100644 --- a/rtgui/icmpanel.cc +++ b/rtgui/icmpanel.cc @@ -787,8 +787,8 @@ void ICMPanel::read(const ProcParams* pp, const ParamsEdited* pedited) ConnectionBlocker willconn_(willconn); ConnectionBlocker wprimconn_(wprimconn); - if (pp->icm.inputProfile.substr(0, 5) != "file:" && !ipDialog->get_filename().empty()) { - ipDialog->set_filename(pp->icm.inputProfile); + if (pp->icm.inputProfile.substr(0, 5) != "file:") { + ipDialog->set_filename(" "); } if (pp->icm.inputProfile == "(none)") { @@ -1908,13 +1908,13 @@ void ICMPanel::ipChanged() Glib::ustring profname; if (inone->get_active()) { - profname = "(none)"; + profname = inone->get_label(); } else if (iembedded->get_active()) { - profname = "(embedded)"; + profname = iembedded->get_label(); } else if (icamera->get_active()) { - profname = "(camera)"; + profname = icamera->get_label(); } else if (icameraICC->get_active()) { - profname = "(cameraICC)"; + profname = icameraICC->get_label(); } else { profname = ipDialog->get_filename(); } diff --git a/rtgui/spot.cc b/rtgui/spot.cc index 515884964..2f9910b70 100644 --- a/rtgui/spot.cc +++ b/rtgui/spot.cc @@ -117,8 +117,8 @@ Spot::Spot() : link.setActive (false); auto m = ProcEventMapper::getInstance(); - EvSpotEnabled = m->newEvent(ALLNORAW, "TP_SPOT_LABEL"); - EvSpotEnabledOPA = m->newEvent(SPOTADJUST, "TP_SPOT_LABEL"); + EvSpotEnabled = m->newEvent(ALLNORAW, "HISTORY_MSG_SPOT"); + EvSpotEnabledOPA = m->newEvent(SPOTADJUST, "HISTORY_MSG_SPOT"); EvSpotEntry = m->newEvent(SPOTADJUST, "HISTORY_MSG_SPOT_ENTRY"); EvSpotEntryOPA = m->newEvent(SPOTADJUST, "HISTORY_MSG_SPOT_ENTRY"); From 9b837e59b36fa7ce1792929c12b5fe00d24f373e Mon Sep 17 00:00:00 2001 From: Desmis Date: Sat, 14 May 2022 05:41:11 +0200 Subject: [PATCH 061/170] Fixes crash in ipwavelet, improve behavior mask when one spot with many tools and mask (#6478) --- rtengine/iplocallab.cc | 61 +++++++++++++++++++++--------------------- rtengine/ipwavelet.cc | 2 +- 2 files changed, 32 insertions(+), 31 deletions(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 61aa9465c..d9cd1a34f 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -917,22 +917,22 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.showmask_met = ll_Mask; lp.showmaskciemet = llcieMask; //printf("CIEmask=%i\n", lp.showmaskciemet); - lp.enaColorMask = locallab.spots.at(sp).enaColorMask && llsoftMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaColorMaskinv = locallab.spots.at(sp).enaColorMask && llColorMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaExpMask = locallab.spots.at(sp).enaExpMask && llExpMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaExpMaskinv = locallab.spots.at(sp).enaExpMask && llExpMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enaSHMask = locallab.spots.at(sp).enaSHMask && llSHMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enaSHMaskinv = locallab.spots.at(sp).enaSHMask && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enacbMask = locallab.spots.at(sp).enacbMask && llcbMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enaretiMask = locallab.spots.at(sp).enaretiMask && lllcMask == 0 && llsharMask == 0 && llsoftMask == 0 && llretiMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enatmMask = locallab.spots.at(sp).enatmMask && lltmMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && llblMask == 0 && llvibMask == 0&& lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enablMask = locallab.spots.at(sp).enablMask && llblMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enavibMask = locallab.spots.at(sp).enavibMask && llvibMask == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enalcMask = locallab.spots.at(sp).enalcMask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.enasharMask = lllcMask == 0 && llcbMask == 0 && llsharMask == 0 && llsoftMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.ena_Mask = locallab.spots.at(sp).enamask && lllcMask == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && lllogMask == 0 && llvibMask == 0 && llcieMask == 0; - lp.enaLMask = locallab.spots.at(sp).enaLMask && lllogMask == 0 && llColorMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible - lp.enacieMask = locallab.spots.at(sp).enacieMask && llcieMask == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; + lp.enaColorMask = locallab.spots.at(sp).enaColorMask && llsoftMask == 0 && llColorMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llExpMaskinv == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaColorMaskinv = locallab.spots.at(sp).enaColorMask && llColorMaskinv == 0 && llSHMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaExpMask = locallab.spots.at(sp).enaExpMask && llExpMask == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llColorMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaExpMaskinv = locallab.spots.at(sp).enaExpMask && llExpMaskinv == 0 && llColorMask == 0 && llSHMaskinv == 0 && llColorMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enaSHMask = locallab.spots.at(sp).enaSHMask && llSHMask == 0 && llColorMask == 0 && llColorMaskinv == 0 && llSHMaskinv == 0 && llExpMaskinv == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enaSHMaskinv = locallab.spots.at(sp).enaSHMask && llColorMaskinv == 0 && llSHMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enacbMask = locallab.spots.at(sp).enacbMask && llColorMaskinv == 0 && llcbMask == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enaretiMask = locallab.spots.at(sp).enaretiMask && llColorMaskinv == 0 && lllcMask == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llsharMask == 0 && llsoftMask == 0 && llretiMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enatmMask = locallab.spots.at(sp).enatmMask && llColorMaskinv == 0 && lltmMask == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && llblMask == 0 && llvibMask == 0&& lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enablMask = locallab.spots.at(sp).enablMask && llColorMaskinv == 0 && llblMask == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enavibMask = locallab.spots.at(sp).enavibMask && llvibMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && lllcMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enalcMask = locallab.spots.at(sp).enalcMask && lllcMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enasharMask = lllcMask == 0 && llcbMask == 0 && llsharMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llsoftMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.ena_Mask = locallab.spots.at(sp).enamask && lllcMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llcbMask == 0 && llsoftMask == 0 && llsharMask == 0 && llColorMask == 0 && llExpMask == 0 && llSHMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && lllogMask == 0 && llvibMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.enaLMask = locallab.spots.at(sp).enaLMask && lllogMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llSHMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && ll_Mask == 0 && llcieMask == 0;// Exposure mask is deactivated if Color & Light mask is visible + lp.enacieMask = locallab.spots.at(sp).enacieMask && llcieMask == 0 && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llSHMask == 0 && llsoftMask == 0 && lllcMask == 0 && llsharMask == 0 && llExpMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llblMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0; lp.thrlow = locallab.spots.at(sp).levelthrlow; @@ -1694,20 +1694,21 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.threshol = thresho; lp.chromacb = chromcbdl; lp.expvib = locallab.spots.at(sp).expvibrance && lp.activspot ; - lp.colorena = locallab.spots.at(sp).expcolor && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Color & Light tool is deactivated if Exposure mask is visible or SHMask - lp.blurena = locallab.spots.at(sp).expblur && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.tonemapena = locallab.spots.at(sp).exptonemap && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.retiena = locallab.spots.at(sp).expreti && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.lcena = locallab.spots.at(sp).expcontrast && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.cbdlena = locallab.spots.at(sp).expcbdl && lp.activspot && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llretiMask == 0 && lllcMask == 0 && llsharMask == 0 && lllcMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.exposena = locallab.spots.at(sp).expexpose && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llSHMask == 0 && lllcMask == 0 && llsharMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Exposure tool is deactivated if Color & Light mask SHmask is visible - lp.hsena = locallab.spots.at(sp).expshadhigh && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible - lp.vibena = locallab.spots.at(sp).expvibrance && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible - lp.sharpena = locallab.spots.at(sp).expsharp && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.sfena = locallab.spots.at(sp).expsoft && lp.activspot && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; - lp.maskena = locallab.spots.at(sp).expmask && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && lllogMask == 0 && llSHMask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible - lp.logena = locallab.spots.at(sp).explog && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible - lp.cieena = locallab.spots.at(sp).expcie && lp.activspot && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible + lp.colorena = locallab.spots.at(sp).expcolor && lp.activspot && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Color & Light tool is deactivated if Exposure mask is visible or SHMask + lp.blurena = locallab.spots.at(sp).expblur && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.tonemapena = locallab.spots.at(sp).exptonemap && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llColorMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.retiena = locallab.spots.at(sp).expreti && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.lcena = locallab.spots.at(sp).expcontrast && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llcbMask == 0 && llsharMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.cbdlena = locallab.spots.at(sp).expcbdl && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llExpMask == 0 && llsoftMask == 0 && llSHMask == 0 && llretiMask == 0 && lllcMask == 0 && llsharMask == 0 && lllcMask == 0 && llColorMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.exposena = locallab.spots.at(sp).expexpose && lp.activspot && llColorMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llSHMask == 0 && lllcMask == 0 && llsharMask == 0 && llcbMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; // Exposure tool is deactivated if Color & Light mask SHmask is visible + lp.hsena = locallab.spots.at(sp).expshadhigh && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible + lp.vibena = locallab.spots.at(sp).expvibrance && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.sharpena = locallab.spots.at(sp).expsharp && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.sfena = locallab.spots.at(sp).expsoft && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0 && llcieMask == 0; + lp.maskena = locallab.spots.at(sp).expmask && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && lllogMask == 0 && llSHMask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.logena = locallab.spots.at(sp).explog && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && llcbMask == 0 && lltmMask == 0 && llSHMask == 0 && ll_Mask == 0 && llcieMask == 0;// vibrance tool is deactivated if Color & Light mask or SHmask is visible + lp.cieena = locallab.spots.at(sp).expcie && lp.activspot && llColorMaskinv == 0 && llExpMaskinv == 0 && llSHMaskinv == 0 && llColorMask == 0 && llsoftMask == 0 && llExpMask == 0 && llcbMask == 0 && lllcMask == 0 && llsharMask == 0 && llretiMask == 0 && lltmMask == 0 && llvibMask == 0 && lllogMask == 0 && ll_Mask == 0;// Shadow Highlight tool is deactivated if Color & Light mask or SHmask is visible + lp.islocal = (lp.expvib || lp.colorena || lp.blurena || lp.tonemapena || lp.retiena || lp.lcena || lp.cbdlena || lp.exposena || lp.hsena || lp.vibena || lp.sharpena || lp.sfena || lp.maskena || lp.logena || lp.cieena); diff --git a/rtengine/ipwavelet.cc b/rtengine/ipwavelet.cc index 19ff01d92..2ac5b9b78 100644 --- a/rtengine/ipwavelet.cc +++ b/rtengine/ipwavelet.cc @@ -209,7 +209,7 @@ std::unique_ptr ImProcFunctions::buildMeaLut(const float inVals[11], const } } } - lutFactor = 1.f / lutDiff; + lutFactor = lutDiff == 0.f ? 0.f : 1.f / lutDiff; return std::unique_ptr(new LUTf(lutVals)); } From 2df26028b8c696f4c41496810317ce816cedf839 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 21 May 2022 15:11:00 -0700 Subject: [PATCH 062/170] Fix auto perspective correction not working Use default focal length and/or crop factor if undefined. Closes #6487. --- rtgui/toolpanelcoord.cc | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/rtgui/toolpanelcoord.cc b/rtgui/toolpanelcoord.cc index 2c506710f..9099f5620 100644 --- a/rtgui/toolpanelcoord.cc +++ b/rtgui/toolpanelcoord.cc @@ -1022,6 +1022,16 @@ void ToolPanelCoordinator::autoPerspRequested (bool corr_pitch, bool corr_yaw, d rtengine::procparams::ProcParams params; ipc->getParams(¶ms); + // If focal length or crop factor are undetermined, use the defaults. + if (params.perspective.camera_focal_length <= 0) { + params.perspective.camera_focal_length = + PerspectiveParams::DEFAULT_CAMERA_FOCAL_LENGTH; + } + if (params.perspective.camera_crop_factor <= 0) { + params.perspective.camera_crop_factor = + PerspectiveParams::DEFAULT_CAMERA_CROP_FACTOR; + } + auto res = rtengine::PerspectiveCorrection::autocompute(src, corr_pitch, corr_yaw, ¶ms, src->getMetaData(), lines); rot = res.angle; pitch = res.pitch; From f86a455285794bbae0e371c0f4d5449187b7b6fe Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Fri, 10 Jun 2022 18:50:03 +0200 Subject: [PATCH 063/170] Local adjustments "Exposure compensation" final output incorrect, preview OK, fixes #6493 --- rtengine/iplocallab.cc | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index d9cd1a34f..273e4a8cb 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -5843,7 +5843,7 @@ float *ImProcFunctions::cos_table(size_t size) const double pi_size = rtengine::RT_PI / size; for (size_t i = 0; i < size; i++) { - table[i] = std::cos(pi_size * i); + table[i] = 1.0 - std::cos(pi_size * i); } return table; @@ -5889,7 +5889,7 @@ void ImProcFunctions::rex_poisson_dct(float * data, size_t nx, size_t ny, double #endif for (size_t i = 0; i < ny; ++i) { for (size_t j = 0; j < nx; ++j) { - data[i * nx + j] *= m2 / (2.f - cosx[j] - cosy[i]); + data[i * nx + j] *= m2 / (cosx[j] + cosy[i]); } } // handle the first value, data[0, 0] = 0 From 9bde8f18dc3ae7a49445c354cb4ab2d2ce32a158 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 11 Jun 2022 18:44:03 -0700 Subject: [PATCH 064/170] Remove Leica M8 camconst entry Workaround for issue #6498. --- rtengine/camconst.json | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index ab126c622..1f4d9adcf 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1545,11 +1545,12 @@ Camera constants: "raw_crop": [ 4, 4, -4, -4 ] // full raw 6016x4016, Official 6000x4000 }, - { // Quality C - "make_model": "LEICA M8", - "dcraw_matrix": [ 7675, -2196, -305, -5860, 14119, 1855, -2425, 4006, 6578 ] // DNG - // Do not set white level, probably special handling by dcraw (see #6237) - }, + // TODO: Temporary workaround for issues #6237 and #6498. + //{ // Quality C + // "make_model": "LEICA M8", + // "dcraw_matrix": [ 7675, -2196, -305, -5860, 14119, 1855, -2425, 4006, 6578 ], // DNG + // "ranges": { "white": 16383 } + //}, { // Quality C "make_model": "LEICA Q2", From 404a584c74642d8609ac503d7b430d10a740b7c3 Mon Sep 17 00:00:00 2001 From: Desmis Date: Sun, 12 Jun 2022 11:08:31 +0200 Subject: [PATCH 065/170] Remove lines with bad history message ZCAM --- rtdata/languages/default | 10 ---------- 1 file changed, 10 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index a3e99cfc2..a27c5a35b 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1363,16 +1363,6 @@ HISTORY_MSG_1109;Local - Jz(Jz) curve HISTORY_MSG_1110;Local - Cz(Cz) curve HISTORY_MSG_1111;Local - Cz(Jz) curve HISTORY_MSG_1112;Local - forcejz -/* -HISTORY_MSG_1114;Local - ZCAM lightness -HISTORY_MSG_1115;Local - ZCAM brightness -HISTORY_MSG_1116;Local - ZCAM contrast J -HISTORY_MSG_1117;Local - ZCAM contrast Q -HISTORY_MSG_1118;Local - ZCAM contrast threshold -HISTORY_MSG_1119;Local - ZCAM colorfullness -HISTORY_MSG_1120;Local - ZCAM saturation -HISTORY_MSG_1121;Local - ZCAM chroma -*/ HISTORY_MSG_1113;Local - HDR PQ HISTORY_MSG_1114;Local - Cie mask enable HISTORY_MSG_1115;Local - Cie mask curve C From 01570e343041836d231e278289617c0d7f5a0166 Mon Sep 17 00:00:00 2001 From: Desmis Date: Thu, 23 Jun 2022 14:10:12 +0200 Subject: [PATCH 066/170] Fixed bad GUI behavior gamma in DR Exposure issue 6507 --- rtgui/locallabtools.cc | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/rtgui/locallabtools.cc b/rtgui/locallabtools.cc index 51da93ab3..5686f9478 100644 --- a/rtgui/locallabtools.cc +++ b/rtgui/locallabtools.cc @@ -3612,6 +3612,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) case Normal: // Expert mode widgets are hidden in Normal mode structexp->hide(); + gamex->hide(); blurexpde->hide(); lapmaskexp->hide(); gammaskexp->hide(); @@ -3659,7 +3660,7 @@ void LocallabExposure::updateGUIToMode(const modeType new_type) fatlevel->show(); fatanchor->show(); softradiusexp->hide(); - blurexpde->hide(); + gamex->show(); if (!inversex->get_active()) { // Keep widget hidden when invers is toggled expgradexp->show(); @@ -3915,7 +3916,7 @@ void LocallabExposure::updateExposureGUI3() } else { expMethod->show(); expcomp->setLabel(M("TP_LOCALLAB_EXPCOMP")); - gamex->show(); + gamex->hide(); expfat->show(); exppde->show(); @@ -3931,6 +3932,8 @@ void LocallabExposure::updateExposureGUI3() exprecove->show(); structexp->show(); blurexpde->show(); + gamex->show(); + } reparexp->show(); From e87334b2f9684f4ae7b450b0f2b89e647d29431c Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Thu, 23 Jun 2022 21:40:23 -0700 Subject: [PATCH 067/170] Update Chinese (Simplified) translation Provided by syyrmb in #6369. --- rtdata/languages/Chinese (Simplified) | 1806 ++++++++++++++++++++----- 1 file changed, 1430 insertions(+), 376 deletions(-) diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index c6796e8a1..91eb9dc17 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -5,6 +5,7 @@ #04 2014-10-24 Jie Luo #05 2017-09-18 Chongnuo Ji #06 2020-08-11 十一元人民币 +#07 2021-09-24 十一元人民币 ABOUT_TAB_BUILD;版本 ABOUT_TAB_CREDITS;致谢名单 @@ -54,8 +55,8 @@ DYNPROFILEEDITOR_NEW;新建 DYNPROFILEEDITOR_NEW_RULE;新建动态配置规则 DYNPROFILEEDITOR_PROFILE;处理配置规则 EDITWINDOW_TITLE;图片修改 -EDIT_OBJECT_TOOLTIP;在预览窗口中展示一个允许你调整本工具的可视窗口。 -EDIT_PIPETTE_TOOLTIP;要向曲线添加调整点,点击此按钮,按住Ctrl键并用鼠标左键点击图像预览中你想调整的地方。\n要调整点的位置,按住Ctrl键并用鼠标左键点击图像预览中的对应位置,然后松开Ctrl(除非你希望精调)同时按住鼠标左键,将鼠标向上/下移动以上下调整曲线中的点。 +EDIT_OBJECT_TOOLTIP;在预览窗口中展示一个允许你调整本工具的可视窗口 +EDIT_PIPETTE_TOOLTIP;要向曲线添加调整点,点击此按钮,按住Ctrl键并用鼠标左键点击图像预览中你想调整的地方。\n要调整点的位置,按住Ctrl键并用鼠标左键点击图像预览中的对应位置,然后松开Ctrl(除非你希望精调)同时按住鼠标左键,将鼠标向上/下移动以上下调整曲线中的点 EXIFFILTER_APERTURE;光圈 EXIFFILTER_CAMERA;相机 EXIFFILTER_EXPOSURECOMPENSATION;曝光补偿值 (EV) @@ -259,14 +260,14 @@ HISTORY_MSG_1;图片加载完成 HISTORY_MSG_2;配置加载完成 HISTORY_MSG_3;配置改变 HISTORY_MSG_4;历史浏览 -HISTORY_MSG_5;曝光-光亮度 +HISTORY_MSG_5;曝光-亮度 HISTORY_MSG_6;曝光-对比度 -HISTORY_MSG_7;曝光-暗部 +HISTORY_MSG_7;曝光-黑点 HISTORY_MSG_8;曝光-曝光补偿 HISTORY_MSG_9;曝光-高光压缩 HISTORY_MSG_10;曝光-阴影压缩 HISTORY_MSG_11;曝光-色调曲线1 -HISTORY_MSG_12;曝光-自动曝光 +HISTORY_MSG_12;曝光-自动色阶 HISTORY_MSG_13;曝光-溢出 HISTORY_MSG_14;L*a*b*-明度 HISTORY_MSG_15;L*a*b*-对比度 @@ -294,7 +295,7 @@ HISTORY_MSG_36;镜头矫正-色差 HISTORY_MSG_37;曝光-自动曝光 HISTORY_MSG_38;白平衡-方法 HISTORY_MSG_39;白平衡-色温 -HISTORY_MSG_40;白平衡-色相 +HISTORY_MSG_40;白平衡-色调 HISTORY_MSG_41;曝光-色调曲线1模式 HISTORY_MSG_42;曝光-色调曲线2 HISTORY_MSG_43;曝光-色调曲线2模式 @@ -305,10 +306,10 @@ HISTORY_MSG_47;色度降噪-半径 HISTORY_MSG_48;色度降噪-边缘容差 HISTORY_MSG_49;色度降噪-边缘敏感度 HISTORY_MSG_50;阴影/高光工具 -HISTORY_MSG_51;阴影/高光-高光增强 -HISTORY_MSG_52;阴影/高光-阴影增强 -HISTORY_MSG_53;阴影/高光-高光色调宽度 -HISTORY_MSG_54;阴影/高光-阴影色调宽度 +HISTORY_MSG_51;阴影/高光-高光 +HISTORY_MSG_52;阴影/高光-阴影 +HISTORY_MSG_53;阴影/高光-高光色调范围 +HISTORY_MSG_54;阴影/高光-阴影色调范围 HISTORY_MSG_55;阴影/高光-局部对比度 HISTORY_MSG_56;阴影/高光-半径 HISTORY_MSG_57;粗略旋转 @@ -326,7 +327,7 @@ HISTORY_MSG_68;曝光-高光还原方法 HISTORY_MSG_69;工作色彩空间 HISTORY_MSG_70;输出色彩空间 HISTORY_MSG_71;输入色彩空间 -HISTORY_MSG_72;暗角矫正 +HISTORY_MSG_72;暗角矫正-数量 HISTORY_MSG_73;通道混合器 HISTORY_MSG_74;调整大小-比例 HISTORY_MSG_75;调整大小-方法 @@ -355,9 +356,9 @@ HISTORY_MSG_97;L*a*b*-b* 曲线 HISTORY_MSG_98;去马赛克方法 HISTORY_MSG_99;热像素过滤器 HISTORY_MSG_100;曝光-饱和度 -HISTORY_MSG_101;HSV-色度(Hue) -HISTORY_MSG_102;HSV-饱和度(Saturation) -HISTORY_MSG_103;HSV-数值 +HISTORY_MSG_101;HSV-色相 +HISTORY_MSG_102;HSV-饱和度 +HISTORY_MSG_103;HSV-亮度 HISTORY_MSG_104;HSV均衡器 HISTORY_MSG_105;去除色边 HISTORY_MSG_106;去除色边-半径 @@ -377,12 +378,12 @@ HISTORY_MSG_120;绿平衡 HISTORY_MSG_121;Raw色差矫正-自动 HISTORY_MSG_122;自动暗场 HISTORY_MSG_123;暗场文件 -HISTORY_MSG_124;线性曝光修正 +HISTORY_MSG_124;白点矫正 HISTORY_MSG_126;平场文件 -HISTORY_MSG_127;平场自动选择 -HISTORY_MSG_128;平场模糊半径 -HISTORY_MSG_129;平场模糊类型 -HISTORY_MSG_130;自动扭曲纠正 +HISTORY_MSG_127;平场-自动选择 +HISTORY_MSG_128;平场-模糊半径 +HISTORY_MSG_129;平场-模糊类型 +HISTORY_MSG_130;自动畸变矫正 HISTORY_MSG_131;降噪-亮度 HISTORY_MSG_132;降噪-色度 HISTORY_MSG_142;边缘锐化-迭代 @@ -394,9 +395,10 @@ HISTORY_MSG_147;边缘锐化-仅亮度 HISTORY_MSG_148;微反差 HISTORY_MSG_149;微反差-3×3阵列 HISTORY_MSG_155;Vib-避免色彩偏移 -HISTORY_MSG_158;力度 -HISTORY_MSG_159;边缘停止 -HISTORY_MSG_160;拉伸 +HISTORY_MSG_158;色调映射-力度 +HISTORY_MSG_159;色调映射-边缘 +HISTORY_MSG_160;色调映射-规模度 +HISTORY_MSG_161;色调映射-再加权迭代 HISTORY_MSG_162;色调映射 HISTORY_MSG_163;RGB曲线-红 HISTORY_MSG_164;RGB曲线-绿 @@ -410,43 +412,110 @@ HISTORY_MSG_171;L*a*b*-LC曲线 HISTORY_MSG_172;L*a*b*-限制LC HISTORY_MSG_173;降噪-细节恢复 HISTORY_MSG_174;CIECAM02 -HISTORY_MSG_180;CAM02-亮度 (J) -HISTORY_MSG_181;CAM02-色度 (C) +HISTORY_MSG_175;CAM02-CAT02色适应 +HISTORY_MSG_176;CAM02-观察条件 +HISTORY_MSG_177;CAM02-场景亮度 +HISTORY_MSG_178;CAM02-观察亮度 +HISTORY_MSG_179;CAM02-白点模型 +HISTORY_MSG_180;CAM02-明度 (J) +HISTORY_MSG_181;CAM02-彩度 (C) +HISTORY_MSG_182;CAM02-自动CAT02 HISTORY_MSG_183;CAM02-对比度 (J) +HISTORY_MSG_184;CAM02-场景环境 +HISTORY_MSG_185;CAM02-色域控制 HISTORY_MSG_186;CAM02-算法 HISTORY_MSG_187;CAM02-红色/肤色保护 -HISTORY_MSG_188;CAM02-亮度 (Q) +HISTORY_MSG_188;CAM02-视明度 (Q) HISTORY_MSG_189;CAM02-对比度 (Q) HISTORY_MSG_190;CAM02-饱和度 (S) -HISTORY_MSG_191;CAM02-色彩丰富度 (M) -HISTORY_MSG_192;CAM02-色度 (h) +HISTORY_MSG_191;CAM02-视彩度 (M) +HISTORY_MSG_192;CAM02-色相 (h) HISTORY_MSG_193;CAM02-色调曲线1 HISTORY_MSG_194;CAM02-色调曲线2 HISTORY_MSG_195;CAM02-色调曲线1 HISTORY_MSG_196;CAM02-色调曲线2 +HISTORY_MSG_197;CAM02-色彩曲线 +HISTORY_MSG_198;CAM02-色彩曲线 +HISTORY_MSG_199;CAM02-输出直方图 HISTORY_MSG_200;CAM02-色调映射 HISTORY_MSG_201;降噪-色度-红&绿 HISTORY_MSG_202;降噪-色度-蓝&黄 HISTORY_MSG_203;降噪-色彩空间 HISTORY_MSG_204;LMMSE优化步长 HISTORY_MSG_205;CAM02-热像素/坏点过滤器 -HISTORY_MSG_207;去除色边-色度曲线 +HISTORY_MSG_206;CAT02-自动场景亮度 +HISTORY_MSG_207;去除色边-色相曲线 +HISTORY_MSG_208;白平衡-蓝红均衡器 HISTORY_MSG_210;渐变-角度 HISTORY_MSG_211;渐变滤镜 HISTORY_MSG_212;暗角-力度 HISTORY_MSG_213;暗角滤镜 -HISTORY_MSG_239;GF-力度 +HISTORY_MSG_214;黑白 +HISTORY_MSG_215;黑白-通道混合-红 +HISTORY_MSG_216;黑白-通道混合-绿 +HISTORY_MSG_217;黑白-通道混合-蓝 +HISTORY_MSG_218;黑白-伽马-红 +HISTORY_MSG_219;黑白-伽马-绿 +HISTORY_MSG_220;黑白-伽马-蓝 +HISTORY_MSG_221;黑白-色彩过滤 +HISTORY_MSG_222;黑白-预设 +HISTORY_MSG_223;黑白-通道混合-橙 +HISTORY_MSG_224;黑白-通道混合-黄 +HISTORY_MSG_225;黑白-通道混合-青 +HISTORY_MSG_226;黑白-通道混合-品红 +HISTORY_MSG_227;黑白-通道混合-紫 +HISTORY_MSG_228;黑白-亮度均衡器 +HISTORY_MSG_229;黑白-亮度均衡器 +HISTORY_MSG_230;黑白-方法 +HISTORY_MSG_231;黑白-‘黑白前’曲线 +HISTORY_MSG_232;黑白-‘黑白前’曲线类型 +HISTORY_MSG_233;黑白-‘黑白后’曲线 +HISTORY_MSG_234;黑白-‘黑白前’曲线类型 +HISTORY_MSG_235;黑白-通道混合-自动 +HISTORY_MSG_237;黑白-通道混合 +HISTORY_MSG_238;渐变-羽化 +HISTORY_MSG_239;渐变-力度 +HISTORY_MSG_240;渐变-中心 +HISTORY_MSG_241;暗角-羽化 +HISTORY_MSG_242;暗角-圆度 +HISTORY_MSG_243;暗角矫正-半径 HISTORY_MSG_244;暗角矫正-力度 HISTORY_MSG_245;暗角矫正-中心 HISTORY_MSG_246;L*a*b*-CL曲线 HISTORY_MSG_247;L*a*b*-LH曲线 HISTORY_MSG_248;L*a*b*-HH曲线 HISTORY_MSG_249;CbDL-阈值 +HISTORY_MSG_251;黑白-算法 HISTORY_MSG_252;CbDL-肤色保护 -HISTORY_MSG_253;CbDL-减少杂色 -HISTORY_MSG_254;CbDL-皮肤色相 +HISTORY_MSG_253;CbDL-减轻杂点 +HISTORY_MSG_254;CbDL-肤色 HISTORY_MSG_255;降噪-中值滤波器 HISTORY_MSG_256;降噪-中值滤波器-方法 +HISTORY_MSG_257;色调分离 +HISTORY_MSG_258;色调分离-色彩曲线 +HISTORY_MSG_259;色调分离-不透明度曲线 +HISTORY_MSG_260;色调分离-a*[b*]不透明度 +HISTORY_MSG_261;色调分离-方法 +HISTORY_MSG_262;色调分离-b*不透明度 +HISTORY_MSG_263;色调分离-阴影-红 +HISTORY_MSG_264;色调分离-阴影-绿 +HISTORY_MSG_265;色调分离-阴影-蓝 +HISTORY_MSG_266;色调分离-中间调-红 +HISTORY_MSG_267;色调分离-中间调-绿 +HISTORY_MSG_268;色调分离-中间调-蓝 +HISTORY_MSG_269;色调分离-高光-红 +HISTORY_MSG_270;色调分离-高光-绿 +HISTORY_MSG_271;色调分离-高光-蓝 +HISTORY_MSG_272;色调分离-平衡 +HISTORY_MSG_273;色调分离-阴/中/高色彩平衡 +HISTORY_MSG_276;色调分离-不透明度 +HISTORY_MSG_278;色调分离-保持亮度 +HISTORY_MSG_279;色调分离-阴影 +HISTORY_MSG_280;色调分离-高光 +HISTORY_MSG_281;色调分离-饱和度力度 +HISTORY_MSG_282;色调分离-饱和度阈值 +HISTORY_MSG_283;色调分离-力度 +HISTORY_MSG_284;色调分离-自动饱和度保护 HISTORY_MSG_285;降噪-中值滤波-方法 HISTORY_MSG_286;降噪-中值滤波-类型 HISTORY_MSG_287;降噪-中值滤波-迭代 @@ -462,21 +531,30 @@ HISTORY_MSG_299;降噪-色度曲线 HISTORY_MSG_301;降噪-亮度控制 HISTORY_MSG_302;降噪-色度方法 HISTORY_MSG_303;降噪-色度方法 +HISTORY_MSG_304;小波-反差等级 HISTORY_MSG_305;小波层级 -HISTORY_MSG_306;W-处理 -HISTORY_MSG_307;W-处理 -HISTORY_MSG_308;W-处理方向 +HISTORY_MSG_306;小波-处理 +HISTORY_MSG_307;小波-处理 +HISTORY_MSG_308;小波-处理方向 HISTORY_MSG_309;小波-边缘锐度-细节 -HISTORY_MSG_310;W-残差图-肤色保护 +HISTORY_MSG_310;小波-残差图-肤色保护 HISTORY_MSG_311;小波-小波层级 -HISTORY_MSG_312;W-残差图-阴影阈值 +HISTORY_MSG_312;小波-残差图-阴影阈值 +HISTORY_MSG_315;小波-残差图-反差 +HISTORY_MSG_318;小波-反差-高光等级 +HISTORY_MSG_319;小波-反差-高光范围 +HISTORY_MSG_320;小波-反差-阴影范围 +HISTORY_MSG_321;小波-反差-阴影等级 HISTORY_MSG_338;小波-边缘锐度-半径 HISTORY_MSG_339;小波-边缘锐度-力度 HISTORY_MSG_340;小波-力度 +HISTORY_MSG_341;小波-边缘表现 HISTORY_MSG_347;小波-去噪-第1级 HISTORY_MSG_348;小波-去噪-第2级 HISTORY_MSG_349;小波-去噪-第3级 -HISTORY_MSG_357;W-去噪-边缘锐度挂钩 +HISTORY_MSG_357;小波-去噪-边缘锐度挂钩 +HISTORY_MSG_359;热像素/坏点阈值 +HISTORY_MSG_360;色调映射-伽马 HISTORY_MSG_371;调整大小后加锐(PRS) HISTORY_MSG_372;PRS USM-半径 HISTORY_MSG_373;PRS USM-数量 @@ -492,6 +570,7 @@ HISTORY_MSG_382;PRS RLD-数量 HISTORY_MSG_383;PRS RLD-衰减 HISTORY_MSG_384;PRS RLD-迭代 HISTORY_MSG_405;小波-去噪-第4级 +HISTORY_MSG_440;CbDL-方法 HISTORY_MSG_445;Raw子图像 HISTORY_MSG_449;像素偏移-ISO适应 HISTORY_MSG_452;像素偏移-显示动体 @@ -507,6 +586,15 @@ HISTORY_MSG_472;像素偏移-顺滑过渡 HISTORY_MSG_473;像素偏移-使用LMMSE HISTORY_MSG_474;像素偏移-亮度均等 HISTORY_MSG_475;像素偏移-均等各通道 +HISTORY_MSG_476;CAM02-色温 +HISTORY_MSG_477;CAM02-绿色 +HISTORY_MSG_478;CAM02-平均亮度 +HISTORY_MSG_479;CAM02-CAT02色适应 +HISTORY_MSG_480;CAM02-自动CAT02 +HISTORY_MSG_481;CAM02-场景色温 +HISTORY_MSG_482;CAM02-场景绿色 +HISTORY_MSG_483;CAM02-场景平均亮度 +HISTORY_MSG_484;CAM02-自动场景亮度 HISTORY_MSG_485;镜头矫正 HISTORY_MSG_486;镜头矫正-相机 HISTORY_MSG_487;镜头矫正-镜头 @@ -518,7 +606,21 @@ HISTORY_MSG_492;RGB曲线 HISTORY_MSG_493;L*a*b*调整 HISTORY_MSG_494;捕图加锐 HISTORY_MSG_CLAMPOOG;超色域色彩溢出 -HISTORY_MSG_DEHAZE_DEPTH;去雾-纵深值 +HISTORY_MSG_COLORTONING_LABGRID_VALUE;色调分离-色彩矫正 +HISTORY_MSG_COLORTONING_LABREGION_AB;色调分离-色彩矫正 +HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;色调分离-通道 +HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;色调分离-C蒙版 +HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;色调分离-H蒙版 +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;色调分离-光强度 +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;色调分离-L蒙版 +HISTORY_MSG_COLORTONING_LABREGION_LIST;色调分离-列表项 +HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;色调分离-区域蒙版模糊 +HISTORY_MSG_COLORTONING_LABREGION_OFFSET;色调分离-区域偏移量 +HISTORY_MSG_COLORTONING_LABREGION_POWER;色调分离-区域能量 +HISTORY_MSG_COLORTONING_LABREGION_SATURATION;色调分离-饱和度 +HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;色调分离-显示蒙版 +HISTORY_MSG_COLORTONING_LABREGION_SLOPE;色调分离-区域斜率 +HISTORY_MSG_DEHAZE_DEPTH;去雾-纵深 HISTORY_MSG_DEHAZE_ENABLED;去雾 HISTORY_MSG_DEHAZE_LUMINANCE;去雾-仅亮度 HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;去雾-显示纵深蒙版 @@ -526,9 +628,10 @@ HISTORY_MSG_DEHAZE_STRENGTH;去雾-力度 HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;双重去马赛克-自动阈值 HISTORY_MSG_DUALDEMOSAIC_CONTRAST;双重去马赛克-反差阈值 HISTORY_MSG_FILMNEGATIVE_ENABLED;胶片负片 +HISTORY_MSG_FILMNEGATIVE_VALUES;胶片负片值 HISTORY_MSG_HISTMATCHING;自适应色调曲线 HISTORY_MSG_LOCALCONTRAST_AMOUNT;局部反差-数量 -HISTORY_MSG_LOCALCONTRAST_DARKNESS;局部反差-黑部 +HISTORY_MSG_LOCALCONTRAST_DARKNESS;局部反差-暗部 HISTORY_MSG_LOCALCONTRAST_ENABLED;局部反差 HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;局部反差-亮部 HISTORY_MSG_LOCALCONTRAST_RADIUS;局部反差-半径 @@ -546,13 +649,16 @@ HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;线状噪点过滤方向 HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF条纹过滤 HISTORY_MSG_PRSHARPEN_CONTRAST;PRS-反差阈值 HISTORY_MSG_RAWCACORR_AUTOIT;Raw色差矫正-迭代 -HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw色差矫正-避免色偏 +HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw色差矫正-避免偏色 HISTORY_MSG_RAW_BORDER;Raw边界 HISTORY_MSG_RESIZE_ALLOWUPSCALING;调整大小-允许升采样 -HISTORY_MSG_SHARPENING_BLUR;加锐-模糊半径 -HISTORY_MSG_SHARPENING_CONTRAST;加锐-反差阈值 +HISTORY_MSG_SHARPENING_BLUR;锐化-模糊半径 +HISTORY_MSG_SHARPENING_CONTRAST;锐化-反差阈值 HISTORY_MSG_SH_COLORSPACE;阴影/高光-色彩空间 +HISTORY_MSG_SOFTLIGHT_ENABLED;柔光 +HISTORY_MSG_SOFTLIGHT_STRENGTH;柔光-力度 HISTORY_MSG_TM_FATTAL_ANCHOR;DRC-锚点 +HISTORY_MSG_TRANS_Method;几何-方法 HISTORY_NEWSNAPSHOT;新建快照 HISTORY_NEWSNAPSHOT_TOOLTIP;快捷键:Alt-s HISTORY_SNAPSHOT;快照 @@ -605,7 +711,11 @@ MAIN_MSG_CANNOTSTARTEDITOR_SECONDARY;请在“参数设置”中设置正确的 MAIN_MSG_EMPTYFILENAME;未指定文件名! MAIN_MSG_NAVIGATOR;导航器 MAIN_MSG_OPERATIONCANCELLED;取消 +MAIN_MSG_PATHDOESNTEXIST;路径\n\n%1\n\n不存在。请在参数设置中设定正确的路径 MAIN_MSG_QOVERWRITE;是否覆盖? +MAIN_MSG_SETPATHFIRST;你需要先在参数设置中设定目标路径才能使用本功能! +MAIN_MSG_TOOMANYOPENEDITORS;已打开的编辑器过多\n请关闭一个编辑器以继续 +MAIN_MSG_WRITEFAILED;写入\n"%1"失败\n\n确保文件夹存在且你有写入权限 MAIN_TAB_ADVANCED;高级 MAIN_TAB_ADVANCED_TOOLTIP;快捷键:Alt-a MAIN_TAB_COLOR;色彩 @@ -617,6 +727,7 @@ MAIN_TAB_EXIF;Exif MAIN_TAB_EXPORT;快速导出 MAIN_TAB_EXPOSURE;曝光 MAIN_TAB_EXPOSURE_TOOLTIP;快捷键:Alt-e +MAIN_TAB_FAVORITES;收藏 MAIN_TAB_FAVORITES_TOOLTIP;快捷键: Alt-u MAIN_TAB_FILTER;过滤器 MAIN_TAB_INSPECT;检视 @@ -639,7 +750,7 @@ MAIN_TOOLTIP_PREVIEWFOCUSMASK;预览合焦蒙版\n快捷键:Shift-f< MAIN_TOOLTIP_PREVIEWG;预览绿色通道\n快捷键:g MAIN_TOOLTIP_PREVIEWL;预览亮度\n快捷键:v\n\n0.299*R + 0.587*G + 0.114*B MAIN_TOOLTIP_PREVIEWR;预览红色通道\n快捷键:r -MAIN_TOOLTIP_PREVIEWSHARPMASK;预览加锐反差蒙版\n快捷键:p +MAIN_TOOLTIP_PREVIEWSHARPMASK;预览锐化反差蒙版\n快捷键:p MAIN_TOOLTIP_QINFO;图片简略信息 MAIN_TOOLTIP_SHOWHIDELP1;显示/隐藏左面板\n快捷键:l MAIN_TOOLTIP_SHOWHIDERP1;显示/隐藏右面板\n快捷键:Alt-l @@ -660,6 +771,8 @@ NAVIGATOR_V;V: NAVIGATOR_XY_FULL;宽 = %1, 高 = %2 NAVIGATOR_XY_NA;x = n/a, y = n/a OPTIONS_BUNDLED_MISSING;找不到附带档案"%1"!\n\n程序可能受损。\n\n将使用内部默认值 +OPTIONS_DEFIMG_MISSING;非Raw文件照片的默认档案无法被找到或是没有被设置\n\n请检查你的档案所在的文件夹,它可能已不存在或是受损\n\n现将使用"%1"作为替代 +OPTIONS_DEFRAW_MISSING;Raw照片的默认档案无法被找到或是没有被设置\n\n请检查你的档案所在的文件夹,它可能已不存在或是受损\n\n现将使用"%1"作为替代 PARTIALPASTE_ADVANCEDGROUP;高级设置 PARTIALPASTE_BASICGROUP;基本设置 PARTIALPASTE_CACORRECTION;色彩矫正 @@ -733,6 +846,7 @@ PARTIALPASTE_SHADOWSHIGHLIGHTS;阴影/高光 PARTIALPASTE_SHARPENEDGE;边缘锐化 PARTIALPASTE_SHARPENING;锐化 PARTIALPASTE_SHARPENMICRO;微反差 +PARTIALPASTE_SOFTLIGHT;柔光 PARTIALPASTE_TM_FATTAL;动态范围压缩 PARTIALPASTE_VIBRANCE;鲜艳度 PARTIALPASTE_VIGNETTING;暗角矫正 @@ -825,11 +939,11 @@ PREFERENCES_INTERNALTHUMBIFUNTOUCHED;如果RAW文件没有被修改,显示内 PREFERENCES_LANG;语言 PREFERENCES_LANGAUTODETECT;使用系统语言 PREFERENCES_MAXRECENTFOLDERS;最近访问路径历史记录数 -PREFERENCES_MENUGROUPEXTPROGS;组合"打开方式" -PREFERENCES_MENUGROUPFILEOPERATIONS;组合"文件操作" -PREFERENCES_MENUGROUPLABEL;组合"色彩标签" -PREFERENCES_MENUGROUPPROFILEOPERATIONS;组合"后期档案操作" -PREFERENCES_MENUGROUPRANK;组合 "评级" +PREFERENCES_MENUGROUPEXTPROGS;组合“打开方式” +PREFERENCES_MENUGROUPFILEOPERATIONS;组合“文件操作” +PREFERENCES_MENUGROUPLABEL;组合“色彩标签” +PREFERENCES_MENUGROUPPROFILEOPERATIONS;组合“后期档案操作” +PREFERENCES_MENUGROUPRANK;组合“评级” PREFERENCES_MENUOPTIONS;右键子菜单选项 PREFERENCES_MONINTENT;默认渲染意图 PREFERENCES_MONITOR;显示器 @@ -860,11 +974,11 @@ PREFERENCES_PRINTER;打印机 (软打样) PREFERENCES_PROFILEHANDLING;图片处理配置管理 PREFERENCES_PROFILELOADPR;配置文件读取优先级 PREFERENCES_PROFILEPRCACHE;缓存中的配置文件 -PREFERENCES_PROFILEPRFILE;图片所在位置的配置文件 +PREFERENCES_PROFILEPRFILE;图片所在目录的配置文件 PREFERENCES_PROFILESAVEBOTH;将配置文件存放到缓存和输入图片所在位置 PREFERENCES_PROFILESAVECACHE;将配置文件存放到缓存 PREFERENCES_PROFILESAVEINPUT;将配置文件与图片并列存放 -PREFERENCES_PROFILESAVELOCATION;将配置文件存放到缓存和输入图片所在位置 +PREFERENCES_PROFILESAVELOCATION;将配置文件存放到缓存和输入图片所在目录 PREFERENCES_PROFILE_NONE;无 PREFERENCES_PROPERTY;属性 PREFERENCES_PRTINTENT;渲染意图 @@ -885,7 +999,7 @@ PREFERENCES_SHOWFILMSTRIPTOOLBAR;显示“数码底片夹”栏 PREFERENCES_SHTHRESHOLD;阴影过暗阈值 PREFERENCES_SINGLETAB;单编辑器标签模式 PREFERENCES_SINGLETABVERTAB;单编辑器标签模式, 标签栏垂直 -PREFERENCES_SND_HELP;输入完整路径来指定声音文件, 或者留空表示无声。\nWindows系统声音可以使用"SystemDefault", "SystemAsterisk" 等\nLinux则可以使用 "complete", "window-attention"等 +PREFERENCES_SND_HELP;输入完整路径来指定声音文件, 或者留空表示无声。\nWindows系统声音可以使用"SystemDefault", "SystemAsterisk" 等\nLinux则可以使用 "complete", "windows-attention"等 PREFERENCES_SND_LNGEDITPROCDONE;编辑器处理完成 PREFERENCES_SND_QUEUEDONE;完成队列 PREFERENCES_SND_THRESHOLDSECS;等待秒数 @@ -905,14 +1019,21 @@ PREFERENCES_TP_LABEL;工具栏 PREFERENCES_TP_VSCROLLBAR;隐藏垂直滚动条 PREFERENCES_USEBUNDLEDPROFILES;启用内置预设 PREFERENCES_WORKFLOW;排版 +PROFILEPANEL_COPYPPASTE;要复制的参数 +PROFILEPANEL_GLOBALPROFILES;附带档案 PROFILEPANEL_LABEL;处理参数配置 PROFILEPANEL_LOADDLGLABEL;加载处理参数为... +PROFILEPANEL_LOADPPASTE;要加载的参数 PROFILEPANEL_MODE_TIP;后期档案应用模式。\n\n按下按钮:部分性档案将被转化为全面性档案;没有被使用的工具将会用预定的参数得到处理。\n\n松开按钮:档案按照其制作时的形式被应用,只有被调整过的工具参数会被应用。 PROFILEPANEL_MYPROFILES;我的档案 +PROFILEPANEL_PASTEPPASTE;要粘贴的参数 PROFILEPANEL_PCUSTOM;自定义 +PROFILEPANEL_PDYNAMIC;动态 PROFILEPANEL_PFILE;由文件 +PROFILEPANEL_PINTERNAL;中性 PROFILEPANEL_PLASTSAVED;上次保存 PROFILEPANEL_SAVEDLGLABEL;保存处理参数为... +PROFILEPANEL_SAVEPPASTE;要保存的参数 PROFILEPANEL_TOOLTIPCOPY;将当前配置复制到剪贴板 PROFILEPANEL_TOOLTIPLOAD;由文件加载配置 PROFILEPANEL_TOOLTIPPASTE;从剪贴板粘贴配置 @@ -951,8 +1072,6 @@ QUEUE_LOCATION_TEMPLATE_TOOLTIP;根据图片的位置,评级,被置于垃圾 QUEUE_LOCATION_TITLE;输出位置 QUEUE_STARTSTOP_TOOLTIP;开始/停止处理队列中的图像\n\n快捷键:Ctrl+s SAMPLEFORMAT_0;未知数据格式 -SAMPLEFORMAT_1;8-bit unsigned -SAMPLEFORMAT_2;16-bit unsigned SAMPLEFORMAT_16;16-bit浮点数 SAMPLEFORMAT_32;24-bit浮点数 SAMPLEFORMAT_64;32-bit浮点数 @@ -979,6 +1098,12 @@ TOOLBAR_TOOLTIP_WB;白平衡采样\n快捷键:w TP_BWMIX_ALGO_LI;线性 TP_BWMIX_ALGO_SP;特定效果 TP_BWMIX_AUTOCH;自动 +TP_BWMIX_CHANNEL;亮度均衡器 +TP_BWMIX_CURVEEDITOR1;‘黑白前’曲线 +TP_BWMIX_CURVEEDITOR2;‘黑白后’曲线 +TP_BWMIX_CURVEEDITOR_AFTER_TOOLTIP;黑白转换之后的色调曲线,在处理流程的最后 +TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;黑白转换之前的色调曲线,可能会算入彩色部分 +TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;根据色相调整亮度,L=f(H)\n注意极端值,因为其可能导致杂点 TP_BWMIX_FILTER;色彩过滤 TP_BWMIX_FILTER_BLUE;蓝 TP_BWMIX_FILTER_BLUEGREEN;蓝-绿 @@ -988,6 +1113,7 @@ TP_BWMIX_FILTER_NONE;无 TP_BWMIX_FILTER_PURPLE;紫 TP_BWMIX_FILTER_RED;红 TP_BWMIX_FILTER_REDYELLOW;红-黄 +TP_BWMIX_FILTER_TOOLTIP;色彩过滤能模拟使用色彩滤片所拍摄出的照片。色彩滤片会减少某个波段的光的传入,因此影响到其亮度,比如:红色滤片会让蓝天变暗。 TP_BWMIX_FILTER_YELLOW;黄 TP_BWMIX_GAMMA;伽马矫正 TP_BWMIX_GAM_TOOLTIP;矫正红绿蓝三色通道(RGB)伽马 @@ -995,28 +1121,34 @@ TP_BWMIX_LABEL;黑白 TP_BWMIX_MET;方法 TP_BWMIX_MET_CHANMIX;通道混合器 TP_BWMIX_MET_DESAT;去饱和 -TP_BWMIX_MET_LUMEQUAL;亮度均衡工具 +TP_BWMIX_MET_LUMEQUAL;亮度均衡器 TP_BWMIX_MIXC;通道混合器 TP_BWMIX_NEUTRAL;重置 +TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% 总计: %4%% TP_BWMIX_SETTING;预设 -TP_BWMIX_SETTING_TOOLTIP;不同预设 (胶片、风光等)或手动的通道混合工具设置 +TP_BWMIX_SETTING_TOOLTIP;不同预设(胶片、风光等)或手动的通道混合工具设置 TP_BWMIX_SET_HIGHCONTAST;高对比度 -TP_BWMIX_SET_HIGHSENSIT;高灵敏度 +TP_BWMIX_SET_HIGHSENSIT;高感光度 +TP_BWMIX_SET_HYPERPANCHRO;高汛色 TP_BWMIX_SET_INFRARED;红外 -TP_BWMIX_SET_LANDSCAPE;水平排布(风景) -TP_BWMIX_SET_LOWSENSIT;低灵敏度 +TP_BWMIX_SET_LANDSCAPE;风光 +TP_BWMIX_SET_LOWSENSIT;低感光度 TP_BWMIX_SET_LUMINANCE;亮度 -TP_BWMIX_SET_PANCHRO;全色的 -TP_BWMIX_SET_PORTRAIT;垂直排布(肖像) +TP_BWMIX_SET_NORMCONTAST;正常对比度 +TP_BWMIX_SET_ORTHOCHRO;正色 +TP_BWMIX_SET_PANCHRO;全色 +TP_BWMIX_SET_PORTRAIT;人像 TP_BWMIX_SET_RGBABS;绝对RGB TP_BWMIX_SET_RGBREL;相对RGB +TP_BWMIX_SET_ROYGCBPMABS;绝对ROYGCBPM +TP_BWMIX_SET_ROYGCBPMREL;相对ROYGCBPM TP_BWMIX_TCMODE_FILMLIKE;黑白 仿胶片式 -TP_BWMIX_TCMODE_SATANDVALBLENDING;黑白 饱和度亮度混合 +TP_BWMIX_TCMODE_SATANDVALBLENDING;黑白 饱和度-亮度混合 TP_BWMIX_TCMODE_STANDARD;黑白 标准 TP_BWMIX_TCMODE_WEIGHTEDSTD;黑白 加权标准 TP_BWMIX_VAL;L TP_CACORRECTION_BLUE;蓝 -TP_CACORRECTION_LABEL;色散矫正 +TP_CACORRECTION_LABEL;色差矫正 TP_CACORRECTION_RED;红 TP_CBDL_AFT;在黑白工具之后 TP_CBDL_BEF;在黑白工具之前 @@ -1030,16 +1162,124 @@ TP_COARSETRAF_TOOLTIP_HFLIP;水平翻转 TP_COARSETRAF_TOOLTIP_ROTLEFT;左转\n\n快捷键:\n[ - 多编辑器模式,\nAlt-[ - 单编辑器模式 TP_COARSETRAF_TOOLTIP_ROTRIGHT;右转\n\n快捷键:\n] - 多编辑器模式,\nAlt-] - 单编辑器模式 TP_COARSETRAF_TOOLTIP_VFLIP;竖直翻转 +TP_COLORAPP_ABSOLUTELUMINANCE;绝对亮度 +TP_COLORAPP_ALGO;算法 +TP_COLORAPP_ALGO_ALL;全部 +TP_COLORAPP_ALGO_JC;明度 + 彩度 (JC) +TP_COLORAPP_ALGO_JS;明度 + 饱和度 (JS) +TP_COLORAPP_ALGO_QM;视明度 + 视彩度 (QM) +TP_COLORAPP_ALGO_TOOLTIP;你可以选择子项参数或全部参数 TP_COLORAPP_BADPIXSL;热像素/坏点过滤器 +TP_COLORAPP_BADPIXSL_TOOLTIP;对热像素/坏点(非常亮的色彩)的抑制\n0 = 没有效果\n1 = 中值\n2 = 高斯\n也可以调整图像以避免有极暗的阴影。\n\n这些杂点是CIECAM02的局限性而导致的 +TP_COLORAPP_BRIGHT;视明度 (Q) +TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM的视明度考虑了白色的明度,且与Lab和RGB的亮度不同 +TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;当手动设置时,推荐设置大于65的值 +TP_COLORAPP_CHROMA;彩度 (C) +TP_COLORAPP_CHROMA_M;视彩度 (M) +TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM的视彩度与Lab和RGB的视彩度(Colorfulness)不同 +TP_COLORAPP_CHROMA_S;饱和度 (S) +TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM的饱和度与Lab和RGB的饱和度不同 +TP_COLORAPP_CHROMA_TOOLTIP;CIECAM的彩度与Lab和RGB的彩度(Chroma)不同 +TP_COLORAPP_CIECAT_DEGREE;CAT02 色适应 +TP_COLORAPP_CONTRAST;对比度 (J) +TP_COLORAPP_CONTRAST_Q;对比度 (Q) +TP_COLORAPP_CONTRAST_Q_TOOLTIP;与Lab和RGB的对比度不同 +TP_COLORAPP_CONTRAST_TOOLTIP;与Lab和RGB的对比度不同 +TP_COLORAPP_CURVEEDITOR1;色调曲线1 +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;显示在CIECAM02应用前的L*(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02输出直方图”,则显示CIECAM02应用后的J或Q直方图。\n\n主直方图面板不会显示J和Q的直方图\n\n最终的输出结果请参考主直方图面板 +TP_COLORAPP_CURVEEDITOR2;色调曲线2 +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;与第二条曝光色调曲线的使用方法相同 +TP_COLORAPP_CURVEEDITOR3;色彩曲线 +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;调整彩度,饱和度或视彩度。\n\n显示在CIECAM02应用前的色度(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02输出直方图”,则显示CIECAM02应用后的C,s或M直方图。\n\n主直方图面板不会显示C,s和M的直方图\n最终的输出结果请参考主直方图面板 +TP_COLORAPP_DATACIE;在曲线中显示CIECAM02输出直方图 +TP_COLORAPP_DATACIE_TOOLTIP;启用后,CIECAM02直方图中会显示CIECAM02应用后的J或Q,以及C,s或M的大概值/范围。\n勾选此选项不会影响主直方图\n\n关闭选项后,CIECAM02直方图中会显示CIECAM02应用前的L*a*b*值 +TP_COLORAPP_FREE;自由色温+绿色+CAT02+[输出] +TP_COLORAPP_GAMUT;色域控制(L*a*b*) +TP_COLORAPP_GAMUT_TOOLTIP;允许在L*a*b*模式下进行色域控制 +TP_COLORAPP_HUE;色相(h) +TP_COLORAPP_HUE_TOOLTIP;色相(h)-0°至360°之间的一个角度 +TP_COLORAPP_LABEL;CIE色貌模型02 TP_COLORAPP_LABEL_CAM02;图像调整 +TP_COLORAPP_LABEL_SCENE;场景条件 +TP_COLORAPP_LABEL_VIEWING;观察条件 TP_COLORAPP_LIGHT;明度 (J) -TP_COLORAPP_LIGHT_TOOLTIP; CIECAM02, Lab, RGB中,明度的意义各不相同 -TP_COLORAPP_SURROUND_AVER;平均 -TP_COLORAPP_SURROUND_DARK;暗 -TP_COLORAPP_SURROUND_DIM;暗淡 -TP_COLORAPP_TCMODE_BRIGHTNESS;光亮度 +TP_COLORAPP_LIGHT_TOOLTIP; CIECAM02,Lab与RGB中的“明度”意义是不同的 +TP_COLORAPP_MEANLUMINANCE;平均亮度(Yb%) +TP_COLORAPP_MODEL;白点模型 +TP_COLORAPP_MODEL_TOOLTIP;白平衡[RT]+[输出]:RT的白平衡被应用到场景,CIECAM02被设为D50,输出设备的白平衡被设置为观察条件\n\n白平衡[RT+CAT02]+[输出]:CAT02使用RT的白平衡设置,输出设备的白平衡被设置为观察条件\n\n自由色温+绿色+CAT02+[输出]:用户指定色温和绿色,输出设备的白平衡被设置为观察条件 +TP_COLORAPP_NEUTRAL;重置 +TP_COLORAPP_NEUTRAL_TIP;将所有复选框、滑条和曲线还原到默认状态 +TP_COLORAPP_RSTPRO;红色与肤色保护 +TP_COLORAPP_RSTPRO_TOOLTIP;滑条和曲线均受红色与肤色保护影响 +TP_COLORAPP_SURROUND;周围环境 +TP_COLORAPP_SURROUND_AVER;一般 +TP_COLORAPP_SURROUND_DARK;黑暗 +TP_COLORAPP_SURROUND_DIM;昏暗 +TP_COLORAPP_SURROUND_EXDARK;极暗 +TP_COLORAPP_SURROUND_TOOLTIP;改变色调和色彩以考虑到输出设备的观察条件。\n\n一般:一般的光照环境(标准)。图像不会变化。\n\n昏暗:昏暗环境(如电视)。图像会略微变暗。\n\n黑暗:黑暗环境(如投影仪)。图像会变得更暗。\n\n极暗:非常暗的环境(Cutsheet)。图像会变得很暗 +TP_COLORAPP_TCMODE_BRIGHTNESS;视明度 +TP_COLORAPP_TCMODE_CHROMA;彩度 +TP_COLORAPP_TCMODE_COLORF;视彩度 +TP_COLORAPP_TCMODE_LABEL1;曲线模式1 +TP_COLORAPP_TCMODE_LABEL2;曲线模式2 +TP_COLORAPP_TCMODE_LABEL3;曲线彩度模式 TP_COLORAPP_TCMODE_LIGHTNESS;明度 -TP_COLORAPP_TCMODE_SATUR;色彩饱和度 +TP_COLORAPP_TCMODE_SATUR;饱和度 +TP_COLORAPP_TONECIE;使用CIECAM02进行色调映射 +TP_COLORAPP_TONECIE_TOOLTIP;禁用此选项,色调映射会在L*a*b*色彩空间中进行。\n启用此选项,色调映射会使用CIECAM进行。\n你需要启用色调映射工具来令此选项生效 +TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;观察环境的绝对亮度(一般为16 cd/m²) +TP_COLORAPP_WBCAM;白平衡[RT+CAT02]+[输出] +TP_COLORAPP_WBRT;白平衡[RT]+[输出] +TP_COLORTONING_AUTOSAT;自动 +TP_COLORTONING_BALANCE;平衡 +TP_COLORTONING_CHROMAC;不透明度 +TP_COLORTONING_COLOR;色彩 +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;根据亮度调整色彩的不透明度,oC=f(L) +TP_COLORTONING_HIGHLIGHT;高光 +TP_COLORTONING_HUE;色相 +TP_COLORTONING_LAB;L*a*b*混合 +TP_COLORTONING_LABEL;色调分离 +TP_COLORTONING_LABGRID;L*a*b*色彩矫正矩阵 +TP_COLORTONING_LABREGIONS;色彩矫正区域 +TP_COLORTONING_LABREGION_CHANNEL;通道 +TP_COLORTONING_LABREGION_CHANNEL_ALL;全部 +TP_COLORTONING_LABREGION_CHANNEL_B;蓝 +TP_COLORTONING_LABREGION_CHANNEL_G;绿 +TP_COLORTONING_LABREGION_CHANNEL_R;红 +TP_COLORTONING_LABREGION_LIGHTNESS;光强度 +TP_COLORTONING_LABREGION_LIST_TITLE;矫正 +TP_COLORTONING_LABREGION_MASK;蒙版 +TP_COLORTONING_LABREGION_MASKBLUR;蒙版模糊 +TP_COLORTONING_LABREGION_OFFSET;偏移量 +TP_COLORTONING_LABREGION_POWER;能量 +TP_COLORTONING_LABREGION_SATURATION;饱和度 +TP_COLORTONING_LABREGION_SHOWMASK;显示蒙版 +TP_COLORTONING_LABREGION_SLOPE;斜率 +TP_COLORTONING_LUMA;亮度 +TP_COLORTONING_LUMAMODE;保持亮度 +TP_COLORTONING_LUMAMODE_TOOLTIP;启用后,当你改变(红,绿,蓝等)颜色时,每个像素的亮度不变 +TP_COLORTONING_METHOD;方法 +TP_COLORTONING_METHOD_TOOLTIP;L*a*b*混合,RGB滑条和RGB曲线使用插值色彩混合。\n阴影/中间调/高光色彩平衡和饱和度2种颜色使用直接颜色。\n\n使用任意一种色调分离方法时都可以启用黑白工具,来为黑白照片进行色调分离 +TP_COLORTONING_MIDTONES;中间调 +TP_COLORTONING_NEUTRAL;重置滑条 +TP_COLORTONING_NEUTRAL_TIP;重置所有数值(阴影,中间调,高光)为默认 +TP_COLORTONING_OPACITY;不透明度 +TP_COLORTONING_RGBCURVES;RGB-曲线 +TP_COLORTONING_RGBSLIDERS;RGB-滑条 +TP_COLORTONING_SA;饱和度保护 +TP_COLORTONING_SATURATEDOPACITY;力度 +TP_COLORTONING_SATURATIONTHRESHOLD;阈值 +TP_COLORTONING_SHADOWS;阴影 +TP_COLORTONING_SPLITCO;阴影/中间调/高光 +TP_COLORTONING_SPLITCOCO;阴影/中间调/高光色彩平衡 +TP_COLORTONING_SPLITLR;饱和度2种颜色 +TP_COLORTONING_STR;力度 +TP_COLORTONING_STRENGTH;力度 +TP_COLORTONING_TWO2;特殊色度‘2种颜色’ +TP_COLORTONING_TWOALL;特殊色度 +TP_COLORTONING_TWOBY;特殊a*和b* +TP_COLORTONING_TWOCOLOR_TOOLTIP;标准色度:\n线性响应,a* = b*\n\n特殊色度:\n线性响应,a* = b*,但是没有限制——可以尝试将曲线拖到对角线以下的效果\n\n特殊a*和b*:\n无限制的线性响应,a*和b*各有一条曲线。为实现特殊效果而设计\n\n特殊色度‘2种颜色’:\n效果更加可预测 +TP_COLORTONING_TWOSTD;标准色度 TP_CROP_FIXRATIO;比例: TP_CROP_GTDIAGONALS;对角线法则 TP_CROP_GTEPASSPORT;生物辨识护照 @@ -1068,15 +1308,22 @@ TP_DEHAZE_LABEL;去雾 TP_DEHAZE_LUMINANCE;仅亮度 TP_DEHAZE_SHOW_DEPTH_MAP;显示纵深蒙版 TP_DEHAZE_STRENGTH;力度 +TP_DIRPYRDENOISE_CHROMINANCE_AMZ;多分区自动 TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;全局自动 TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;色度—蓝-黄 TP_DIRPYRDENOISE_CHROMINANCE_CURVE;色度曲线 +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;增加(倍增)所有色度滑条的数值\n此曲线允许你根据色度调整色度降噪的力度,比如你可以选择提高低色度区域的降噪力度,并降低高色度区域的力度 TP_DIRPYRDENOISE_CHROMINANCE_FRAME;色度噪点 TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;手动 TP_DIRPYRDENOISE_CHROMINANCE_MASTER;色度—主控 TP_DIRPYRDENOISE_CHROMINANCE_METHOD;方法 +TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;手动\n作用于整张图片\n用户手动控制降噪设置\n\n全局自动\n作用于整张图片\n使用9片区域来计算全局的色度噪点去除设定\n\n预览处\n作用于整张图片\n使用当前预览可见的区域来计算全局的色度噪点去除设定 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;预览处 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;显示在小波层级之后的,当前预览中的噪点水平。\n\n>300 噪点极多\n100-300 噪点多\n50-100 噪点略多\n<50 噪点极少\n\n一定要注意:该数值在RGB模式与在L*a*b*模式下会有不同。RGB模式下的数值相对更不精准,因为RGB模式无法完全分离亮度和色度 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;预览大小=%1, 中心:Px=%2 Py=%3 TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO;当前预览处噪点:中位数=%1 最大=%2 TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;当前预览处噪点:中位数= - 最大= - +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;切片大小=%1, 中心: Tx=%2 Ty=%3 TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;色度—红-绿 TP_DIRPYRDENOISE_LABEL;降噪 TP_DIRPYRDENOISE_LUMINANCE_CONTROL;亮度控制 @@ -1085,8 +1332,11 @@ TP_DIRPYRDENOISE_LUMINANCE_DETAIL;细节恢复 TP_DIRPYRDENOISE_LUMINANCE_FRAME;亮度噪点 TP_DIRPYRDENOISE_LUMINANCE_SMOOTHING;亮度 TP_DIRPYRDENOISE_MAIN_COLORSPACE;色彩空间 +TP_DIRPYRDENOISE_MAIN_COLORSPACE_LAB;L*a*b* TP_DIRPYRDENOISE_MAIN_COLORSPACE_RGB;RGB TP_DIRPYRDENOISE_MAIN_COLORSPACE_TOOLTIP;对于Raw文件,RGB和L*a*b*均可用\n\n非Raw文件只可用L*a*b*空间,不论用户选择了哪个 +TP_DIRPYRDENOISE_MAIN_GAMMA;伽马 +TP_DIRPYRDENOISE_MAIN_GAMMA_TOOLTIP;伽马会令降噪的力度在不同色调之间发生变化。偏小的值会偏向阴影部分,偏大的值会偏向较亮的色调 TP_DIRPYRDENOISE_MAIN_MODE;模式 TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;激进 TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;保守 @@ -1110,8 +1360,8 @@ TP_DIRPYRDENOISE_TYPE_5X5SOFT;5×5柔和 TP_DIRPYRDENOISE_TYPE_7X7;7×7 TP_DIRPYRDENOISE_TYPE_9X9;9×9 TP_DIRPYREQUALIZER_ALGO;皮肤色彩范围 -TP_DIRPYREQUALIZER_ARTIF;减少杂色 -TP_DIRPYREQUALIZER_HUESKIN;皮肤色相 +TP_DIRPYREQUALIZER_ARTIF;减轻杂点 +TP_DIRPYREQUALIZER_HUESKIN;肤色和其他色彩 TP_DIRPYREQUALIZER_LABEL;分频反差调整 TP_DIRPYREQUALIZER_LUMACOARSEST;最粗糙 TP_DIRPYREQUALIZER_LUMACONTRAST_MINUS;反差 - @@ -1119,15 +1369,20 @@ TP_DIRPYREQUALIZER_LUMACONTRAST_PLUS;反差 + TP_DIRPYREQUALIZER_LUMAFINEST;最精细 TP_DIRPYREQUALIZER_LUMANEUTRAL;还原 TP_DIRPYREQUALIZER_SKIN;肤色针对/保护 +TP_DIRPYREQUALIZER_SKIN_TOOLTIP;-100:肤色被针对\n0:所有色彩被同等对待\n+100:肤色受到保护,其他颜色将受到影响 TP_DIRPYREQUALIZER_THRESHOLD;阈值 TP_DISTORTION_AMOUNT;数量 TP_DISTORTION_LABEL;畸变 +TP_EPD_EDGESTOPPING;边缘敏感度 +TP_EPD_GAMMA;伽马 TP_EPD_LABEL;色调映射 -TP_EPD_SCALE;拉伸 +TP_EPD_REWEIGHTINGITERATES;再加权迭代 +TP_EPD_SCALE;规模度 TP_EPD_STRENGTH;力度 TP_EXPOSURE_AUTOLEVELS;自动色阶 +TP_EXPOSURE_AUTOLEVELS_TIP;使用自动色阶来让程序分析图像,调整曝光滑条的数值\n如果有需要的话,启用高光还原 TP_EXPOSURE_BLACKLEVEL;黑点 -TP_EXPOSURE_BRIGHTNESS;光亮度 +TP_EXPOSURE_BRIGHTNESS;亮度 TP_EXPOSURE_CLAMPOOG;令超出色域的色彩溢出 TP_EXPOSURE_CLIP;可溢出% TP_EXPOSURE_CLIP_TIP;自动色阶功能可以让占总数的多少比例的像素溢出 @@ -1143,7 +1398,7 @@ TP_EXPOSURE_EXPCOMP;曝光补偿 TP_EXPOSURE_HISTMATCHING;自适应色调曲线 TP_EXPOSURE_HISTMATCHING_TOOLTIP;自动调整滑条和曲线(不包括曝光补偿)以使图片贴近于内嵌于Raw的JPEG预览图 TP_EXPOSURE_LABEL;曝光 -TP_EXPOSURE_SATURATION;色彩饱和度 +TP_EXPOSURE_SATURATION;饱和度 TP_EXPOSURE_TCMODE_FILMLIKE;仿胶片式 TP_EXPOSURE_TCMODE_LABEL1;曲线模式1 TP_EXPOSURE_TCMODE_LABEL2;曲线模式2 @@ -1154,8 +1409,12 @@ TP_EXPOSURE_TCMODE_STANDARD;标准 TP_EXPOSURE_TCMODE_WEIGHTEDSTD;加权标准 TP_EXPOS_BLACKPOINT_LABEL;Raw黑点 TP_EXPOS_WHITEPOINT_LABEL;Raw白点 +TP_FILMNEGATIVE_BLUE;蓝色比例 +TP_FILMNEGATIVE_GREEN;参照指数(反差) +TP_FILMNEGATIVE_GUESS_TOOLTIP;通过选取原图中的两个中性色(没有色彩)色块来自动确定红与蓝色的比例。两个色块的亮度应该有差别。在此之后再设置白平衡 TP_FILMNEGATIVE_LABEL;胶片负片 TP_FILMNEGATIVE_PICK;选择(两个)中灰点 +TP_FILMNEGATIVE_RED;红色比例 TP_FILMSIMULATION_LABEL;胶片模拟 TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee被设置寻找用于胶片模拟工具的Hald CLUT图像,图像所在的文件夹加载时间过长。\n前往参数设置-图片处理-Hald CLUT路径\n以寻找被使用的文件夹是哪个。你应该令该文件夹指向一个只有Hald CLUT图像而没有其他图片的文件夹,而如果你不想用胶片模拟功能,就将它指向一个空文件夹。\n\n阅读RawPedia的Film Simulation词条以获取更多信息。\n\n你现在想取消扫描吗? TP_FILMSIMULATION_STRENGTH;力度 @@ -1208,13 +1467,16 @@ TP_ICM_INPUTPROFILE;输入配置 TP_ICM_LABEL;ICM TP_ICM_NOICM;无ICM:sRGB配置 TP_ICM_OUTPUTPROFILE;输出配置 +TP_ICM_PROFILEINTENT;渲染意图 +TP_ICM_SAVEREFERENCE_APPLYWB;应用白平衡 TP_ICM_TONECURVE;使用DCP色调曲线 TP_ICM_WORKINGPROFILE;当前配置 +TP_ICM_WORKING_TRC_CUSTOM;自定义 TP_IMPULSEDENOISE_LABEL;脉冲噪声降低 TP_IMPULSEDENOISE_THRESH;阈值 TP_LABCURVE_AVOIDCOLORSHIFT;避免色彩偏移 -TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;使色彩适应当前色彩空间范围, 并使用Munsell色矫正 -TP_LABCURVE_BRIGHTNESS;光强度 +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;使色彩适应当前色彩空间范围,并使用Munsell色矫正 +TP_LABCURVE_BRIGHTNESS;明度 TP_LABCURVE_CHROMATICITY;色度 TP_LABCURVE_CHROMA_TOOLTIP;若要应用黑白色调,将色度值降低为-100 TP_LABCURVE_CONTRAST;对比度 @@ -1259,6 +1521,7 @@ TP_LOCALCONTRAST_RADIUS;半径 TP_METADATA_EDIT;应用修改 TP_METADATA_MODE;元数据复制模式 TP_METADATA_STRIP;移除所有元数据 +TP_METADATA_TUNNEL;原样复制 TP_NEUTRAL;重置 TP_NEUTRAL_TIP;还原各个曝光控制滑条的值\n自动色阶所能调整的滑条都会被此还原,不论你是否使用了自动色阶功能 TP_PCVIGNETTE_FEATHER;羽化 @@ -1273,7 +1536,7 @@ TP_PERSPECTIVE_HORIZONTAL;水平 TP_PERSPECTIVE_LABEL;视角 TP_PERSPECTIVE_VERTICAL;垂直 TP_PFCURVE_CURVEEDITOR_CH;色相 -TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;控制去除某个色彩的色边的力度。\n越向上 = 越强,\n越向下 = 越弱 +TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;控制去除某个色彩的色边的力度。\n越向上 = 越强\n越向下 = 越弱 TP_PREPROCESS_DEADPIXFILT;坏点过滤器 TP_PREPROCESS_DEADPIXFILT_TOOLTIP;尝试过滤坏点 TP_PREPROCESS_GREENEQUIL;绿平衡 @@ -1323,7 +1586,6 @@ TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;如果勾选框被打勾(推荐如此 TP_RAW_DUALDEMOSAICCONTRAST;反差阈值 TP_RAW_EAHD;EAHD TP_RAW_FALSECOLOR;伪色抑制步长 -TP_RAW_FAST;Fast TP_RAW_HD;阈值 TP_RAW_HD_TOOLTIP;更低的数值会使热像素/坏点的检测更加激进,但是“宁错杀,不放过”的激进程度可能会导致杂点的产生。在启用本功能后,如果你发现了新出现的杂点,就逐渐提高阈值,直至杂点消失 TP_RAW_HPHD;HPHD @@ -1334,7 +1596,7 @@ TP_RAW_IMAGENUM_TOOLTIP;某些Raw文件包含多张子图像(宾得/索尼的 TP_RAW_LABEL;去马赛克 TP_RAW_LMMSE;LMMSE TP_RAW_LMMSEITERATIONS;LMMSE优化步长 -TP_RAW_LMMSE_TOOLTIP;添加gamma(步长1),中位数(步长2-4)和精细化(步长5-6)以减少杂点并提升信噪比 +TP_RAW_LMMSE_TOOLTIP;增加伽马(步长1),中位数(步长2-4)和精细化(步长5-6)以减少杂点并提升信噪比 TP_RAW_MONO;黑白 TP_RAW_NONE;无(显示传感器阵列) TP_RAW_PIXELSHIFT;像素偏移 @@ -1434,6 +1696,8 @@ TP_SHARPENMICRO_CONTRAST;反差阈值 TP_SHARPENMICRO_LABEL;微反差 TP_SHARPENMICRO_MATRIX;使用3×3阵列而非5×5阵列 TP_SHARPENMICRO_UNIFORMITY;均匀度 +TP_SOFTLIGHT_LABEL;柔光 +TP_SOFTLIGHT_STRENGTH;力度 TP_TM_FATTAL_AMOUNT;数量 TP_TM_FATTAL_ANCHOR;锚点 TP_TM_FATTAL_LABEL;动态范围压缩 @@ -1464,8 +1728,13 @@ TP_WAVELET_B1;灰色 TP_WAVELET_B2;残差图 TP_WAVELET_BACKGROUND;背景 TP_WAVELET_BACUR;曲线 +TP_WAVELET_BALANCE;反差平衡 斜/纵-横 +TP_WAVELET_BALANCE_TOOLTIP;调整小波在各方向:纵向-横向与斜向上的平衡。\n如果启用了反差,色度,或是残差图色调映射,那么该平衡的效果会被放大 +TP_WAVELET_BALCHRO;色度平衡 +TP_WAVELET_BALCHRO_TOOLTIP;启用后,“反差平衡”曲线/滑条也会调整色度平衡 TP_WAVELET_BANONE;无 TP_WAVELET_BASLI;滑条 +TP_WAVELET_BATYPE;反差平衡方法 TP_WAVELET_CCURVE;局部反差 TP_WAVELET_CH1;应用到整个色度范围 TP_WAVELET_CH2;根据饱和度高低 @@ -1476,6 +1745,7 @@ TP_WAVELET_CHRO;根据饱和度高低 TP_WAVELET_CHSL;滑条 TP_WAVELET_CHTYPE;色度应用方法 TP_WAVELET_COMPCONT;反差 +TP_WAVELET_COMPTM;色调映射 TP_WAVELET_CONTR;色彩范围 TP_WAVELET_CONTRA;反差 TP_WAVELET_CONTRAST_MINUS;反差 - @@ -1489,7 +1759,7 @@ TP_WAVELET_DAUB4;D4-标准 TP_WAVELET_DAUB6;D6-标准增强 TP_WAVELET_DAUB10;D10-中等 TP_WAVELET_DAUB14;D14-高 -TP_WAVELET_DAUB_TOOLTIP;改变多贝西系数:\nD4 = 标准,\nD14 = 一般而言表现最好,但会增加10%的处理耗时。\n\n影响边缘检测以及较低层级的质量。但是质量不完全和这个系数有关,可能会随具体的图像和处理方式而变化 +TP_WAVELET_DAUB_TOOLTIP;改变多贝西系数:\nD4 = 标准\nD14 = 一般而言表现最好,但会增加10%的处理耗时\n\n影响边缘检测以及较低层级的质量。但是质量不完全和该系数有关,可能会随具体的图像和处理方式而变化 TP_WAVELET_DONE;纵向 TP_WAVELET_DTHR;斜向 TP_WAVELET_DTWO;横向 @@ -1500,8 +1770,10 @@ TP_WAVELET_EDGTHRESH;细节 TP_WAVELET_EDGTHRESH_TOOLTIP;改变力度在第1级和其它层级之间的分配。阈值越高,在第1级上的活动越突出。谨慎使用负值,因为这会让更高层级上的活动更强烈,可能导致杂点的出现。 TP_WAVELET_EDRAD;半径 TP_WAVELET_EDSL;阈值滑条 +TP_WAVELET_EDTYPE;局部反差调整方法 TP_WAVELET_EDVAL;力度 TP_WAVELET_FINEST;最精细 +TP_WAVELET_HIGHLIGHT;高光亮度范围 TP_WAVELET_HS1;全部亮度范围 TP_WAVELET_HS2;阴影/高光 TP_WAVELET_HUESKIN;肤色和其它色彩 @@ -1524,9 +1796,14 @@ TP_WAVELET_LEVZERO;第1级 TP_WAVELET_LINKEDG;与边缘锐度的力度挂钩 TP_WAVELET_MEDGREINF;第一层级 TP_WAVELET_MEDI;减少蓝天中的杂点 +TP_WAVELET_MEDILEV;边缘检测 TP_WAVELET_NEUTRAL;还原 TP_WAVELET_NOIS;去噪 TP_WAVELET_NOISE;去噪和精细化 +TP_WAVELET_NPHIGH;高 +TP_WAVELET_NPLOW;低 +TP_WAVELET_NPNONE;无 +TP_WAVELET_OPACITYW;反差平衡 斜/纵-横曲线 TP_WAVELET_PROC;处理 TP_WAVELET_RE1;增强 TP_WAVELET_RE2;不变 @@ -1537,6 +1814,9 @@ TP_WAVELET_RESCONH;高光 TP_WAVELET_RESID;残差图像 TP_WAVELET_SETTINGS;小波设定 TP_WAVELET_SKIN;肤色针对/保护 +TP_WAVELET_SKIN_TOOLTIP;值为-100时,肤色受针对\n值为0时,所有色彩被平等针对\n值为+100时,肤色受保护,所有其他颜色会被调整 +TP_WAVELET_SKY;天空色针对/保护 +TP_WAVELET_SKY_TOOLTIP;值为-100时,天空色受针对\n值为0时,所有色彩被平等针对\n值为+100时,天空色受保护,所有其他颜色会被调整 TP_WAVELET_STREN;力度 TP_WAVELET_STRENGTH;力度 TP_WAVELET_SUPE;额外级 @@ -1553,13 +1833,13 @@ TP_WBALANCE_CAMERA;相机 TP_WBALANCE_CLOUDY;阴天 TP_WBALANCE_CUSTOM;自定义 TP_WBALANCE_DAYLIGHT;晴天 -TP_WBALANCE_EQBLUERED;蓝红平衡 +TP_WBALANCE_EQBLUERED;蓝红均衡器 TP_WBALANCE_FLASH55;徕卡 TP_WBALANCE_FLASH60;标准,佳能,宾得,奥林巴斯 TP_WBALANCE_FLASH65;尼康,松下,索尼,美能达 TP_WBALANCE_FLASH_HEADER;闪光 TP_WBALANCE_FLUO_HEADER;荧光灯 -TP_WBALANCE_GREEN;色度 +TP_WBALANCE_GREEN;色调 TP_WBALANCE_LABEL;白平衡 TP_WBALANCE_LED_HEADER;LED TP_WBALANCE_METHOD;方法 @@ -1570,7 +1850,7 @@ TP_WBALANCE_SOLUX35;Solux 3500K TP_WBALANCE_SOLUX41;Solux 4100K TP_WBALANCE_SPOTWB;白平衡采样 TP_WBALANCE_TEMPBIAS;自动白平衡色温偏向 -TP_WBALANCE_TEMPBIAS_TOOLTIP;此功能允许你将色温向冷/暖偏移\n以调整计算出的“自动白平衡”。这个偏移被表达为已计\n算出的色温的一个百分比,故最终的调整结果为“色温+色温*偏移” +TP_WBALANCE_TEMPBIAS_TOOLTIP;此功能允许你将色温向冷/暖偏移,\n以调整计算出的“自动白平衡”。这个偏移被表达为已计\n算出的色温的一个百分比,故最终的调整结果为“色温+色温*偏移” TP_WBALANCE_TEMPERATURE;色温 TP_WBALANCE_TUNGSTEN;白炽灯 TP_WBALANCE_WATER1;水下 1 @@ -1618,93 +1898,19 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_154;Vib - Protect skin-tones !HISTORY_MSG_156;Vib - Link pastel/saturated !HISTORY_MSG_157;Vib - P/S threshold -!HISTORY_MSG_161;TM - Reweighting iterates -!HISTORY_MSG_175;CAM02/16 - CAT02/16 adaptation -!HISTORY_MSG_176;CAM02/16 - Viewing surround -!HISTORY_MSG_177;CAM02/16 - Scene luminosity -!HISTORY_MSG_178;CAM02/16 - Viewing luminosity -!HISTORY_MSG_179;CAM02/16 - White-point model -!HISTORY_MSG_182;CAM02/16 - Automatic CAT02/16 -!HISTORY_MSG_184;CAM02/16 - Scene surround -!HISTORY_MSG_185;CAM02/16 - Gamut control -!HISTORY_MSG_197;CAM02/16 - Color curve -!HISTORY_MSG_198;CAM02/16 - Color curve -!HISTORY_MSG_199;CAM02/16 - Output histograms -!HISTORY_MSG_206;CAT02/16 - Auto scene luminosity -!HISTORY_MSG_208;WB - B/R equalizer -!HISTORY_MSG_214;Black-and-White -!HISTORY_MSG_215;B&W - CM - Red -!HISTORY_MSG_216;B&W - CM - Green -!HISTORY_MSG_217;B&W - CM - Blue -!HISTORY_MSG_218;B&W - Gamma - Red -!HISTORY_MSG_219;B&W - Gamma - Green -!HISTORY_MSG_220;B&W - Gamma - Blue -!HISTORY_MSG_221;B&W - Color filter -!HISTORY_MSG_222;B&W - Presets -!HISTORY_MSG_223;B&W - CM - Orange -!HISTORY_MSG_224;B&W - CM - Yellow -!HISTORY_MSG_225;B&W - CM - Cyan -!HISTORY_MSG_226;B&W - CM - Magenta -!HISTORY_MSG_227;B&W - CM - Purple -!HISTORY_MSG_228;B&W - Luminance equalizer -!HISTORY_MSG_229;B&W - Luminance equalizer -!HISTORY_MSG_230;B&W - Mode -!HISTORY_MSG_231;B&W - 'Before' curve -!HISTORY_MSG_232;B&W - 'Before' curve type -!HISTORY_MSG_233;B&W - 'After' curve -!HISTORY_MSG_234;B&W - 'After' curve type -!HISTORY_MSG_235;B&W - CM - Auto !HISTORY_MSG_236;--unused-- -!HISTORY_MSG_237;B&W - CM -!HISTORY_MSG_238;GF - Feather -!HISTORY_MSG_240;GF - Center -!HISTORY_MSG_241;VF - Feather -!HISTORY_MSG_242;VF - Roundness -!HISTORY_MSG_243;VC - Radius !HISTORY_MSG_250;NR - Enhanced -!HISTORY_MSG_251;B&W - Algorithm -!HISTORY_MSG_257;Color Toning -!HISTORY_MSG_258;CT - Color curve -!HISTORY_MSG_259;CT - Opacity curve -!HISTORY_MSG_260;CT - a*[b*] opacity -!HISTORY_MSG_261;CT - Method -!HISTORY_MSG_262;CT - b* opacity -!HISTORY_MSG_263;CT - Shadows - Red -!HISTORY_MSG_264;CT - Shadows - Green -!HISTORY_MSG_265;CT - Shadows - Blue -!HISTORY_MSG_266;CT - Mid - Red -!HISTORY_MSG_267;CT - Mid - Green -!HISTORY_MSG_268;CT - Mid - Blue -!HISTORY_MSG_269;CT - High - Red -!HISTORY_MSG_270;CT - High - Green -!HISTORY_MSG_271;CT - High - Blue -!HISTORY_MSG_272;CT - Balance -!HISTORY_MSG_273;CT - Color Balance SMH !HISTORY_MSG_274;CT - Sat. Shadows !HISTORY_MSG_275;CT - Sat. Highlights -!HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- -!HISTORY_MSG_278;CT - Preserve luminance -!HISTORY_MSG_279;CT - Shadows -!HISTORY_MSG_280;CT - Highlights -!HISTORY_MSG_281;CT - Sat. strength -!HISTORY_MSG_282;CT - Sat. threshold -!HISTORY_MSG_283;CT - Strength -!HISTORY_MSG_284;CT - Auto sat. protection !HISTORY_MSG_290;Black Level - Red !HISTORY_MSG_291;Black Level - Green !HISTORY_MSG_292;Black Level - Blue !HISTORY_MSG_300;- -!HISTORY_MSG_304;W - Contrast levels !HISTORY_MSG_313;W - Chroma - Sat/past !HISTORY_MSG_314;W - Gamut - Reduce artifacts -!HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Finer levels -!HISTORY_MSG_319;W - Contrast - Finer range -!HISTORY_MSG_320;W - Contrast - Coarser range -!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1721,7 +1927,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_335;W - Residual - Highlights !HISTORY_MSG_336;W - Residual - Highlights threshold !HISTORY_MSG_337;W - Residual - Sky hue -!HISTORY_MSG_341;W - Edge performance !HISTORY_MSG_342;W - ES - First level !HISTORY_MSG_343;W - Chroma levels !HISTORY_MSG_344;W - Meth chroma sl/cur @@ -1735,8 +1940,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_355;W - ES - Threshold low !HISTORY_MSG_356;W - ES - Threshold high !HISTORY_MSG_358;W - Gamut - CH -!HISTORY_MSG_359;Hot/Dead - Threshold -!HISTORY_MSG_360;TM - Gamma !HISTORY_MSG_361;W - Final - Chroma balance !HISTORY_MSG_362;W - Residual - Compression method !HISTORY_MSG_363;W - Residual - Compression strength @@ -1801,7 +2004,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_437;Retinex - M - Method !HISTORY_MSG_438;Retinex - M - Equalizer !HISTORY_MSG_439;Retinex - Process -!HISTORY_MSG_440;CbDL - Method !HISTORY_MSG_441;Retinex - Gain transmission !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation @@ -1822,15 +2024,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_466;EvPixelShiftSum !HISTORY_MSG_467;EvPixelShiftExp0 !HISTORY_MSG_470;EvPixelShiftMedian3 -!HISTORY_MSG_476;CAM02/16 - Temp out -!HISTORY_MSG_477;CAM02/16 - Green out -!HISTORY_MSG_478;CAM02/16 - Yb out -!HISTORY_MSG_479;CAM02/16 - CAT02/16 adaptation out -!HISTORY_MSG_480;CAM02/16 - Automatic CAT02/16 out -!HISTORY_MSG_481;CAM02/16 - Temp scene -!HISTORY_MSG_482;CAM02/16 - Green scene -!HISTORY_MSG_483;CAM02/16 - Yb scene -!HISTORY_MSG_484;CAM02/16 - Auto Yb scene !HISTORY_MSG_496;Local Spot deleted !HISTORY_MSG_497;Local Spot selected !HISTORY_MSG_498;Local Spot name @@ -2169,8 +2362,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_839;Local - Software complexity !HISTORY_MSG_840;Local - CL Curve !HISTORY_MSG_841;Local - LC curve -!HISTORY_MSG_842;Local - Contrast Threshold -!HISTORY_MSG_843;Local - Radius +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW !HISTORY_MSG_845;Local - Log encoding !HISTORY_MSG_846;Local - Log encoding auto !HISTORY_MSG_847;Local - Log encoding Source @@ -2192,6 +2386,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_864;Local - Wavelet dir contrast attenuation !HISTORY_MSG_865;Local - Wavelet dir contrast delta !HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - balance ΔE C-H !HISTORY_MSG_869;Local - Denoise by level !HISTORY_MSG_870;Local - Wavelet mask curve H !HISTORY_MSG_871;Local - Wavelet mask curve C @@ -2361,6 +2556,115 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_1039;Local - Grain - gamma !HISTORY_MSG_1040;Local - Spot - soft radius !HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q !HISTORY_MSG_BLSHAPE;Blur by level !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance @@ -2369,20 +2673,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_CATCAT;Cat02/16 mode !HISTORY_MSG_CATCOMPLEX;Ciecam complexity !HISTORY_MSG_CATMODEL;CAM Model -!HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction -!HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction -!HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Channel -!HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - region C mask -!HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;CT - H mask -!HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;CT - Lightness -!HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;CT - L mask -!HISTORY_MSG_COLORTONING_LABREGION_LIST;CT - List -!HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;CT - region mask blur -!HISTORY_MSG_COLORTONING_LABREGION_OFFSET;CT - region offset -!HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - region power -!HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation -!HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask -!HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope !HISTORY_MSG_COMPLEX;Wavelet complexity !HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation @@ -2390,14 +2680,25 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output !HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input -!HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method !HISTORY_MSG_ILLUM;Illuminant !HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera !HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera @@ -2407,21 +2708,25 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery !HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation !HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode !HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SIGMACOL;Chroma Attenuation response !HISTORY_MSG_SIGMADIR;Dir Attenuation response !HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response !HISTORY_MSG_SIGMATON;Toning Attenuation response -!HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light -!HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. !HISTORY_MSG_TEMPOUT;CAM02 automatic temperature !HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method !HISTORY_MSG_WAVBALCHROM;Equalizer chrominance !HISTORY_MSG_WAVBALLUM;Equalizer luminance !HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma !HISTORY_MSG_WAVCHROMCO;Chroma coarse !HISTORY_MSG_WAVCHROMFI;Chroma fine !HISTORY_MSG_WAVCLARI;Clarity @@ -2433,7 +2738,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_WAVEDGS;Edge stopping !HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer !HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors !HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius !HISTORY_MSG_WAVLEVSIGM;Radius !HISTORY_MSG_WAVLIMDEN;Interaction 56 14 !HISTORY_MSG_WAVLOWTHR;Threshold low contrast @@ -2465,6 +2772,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default @@ -2479,6 +2787,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -2491,7 +2800,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -2522,19 +2832,18 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !MAIN_BUTTON_NAVPREV_TOOLTIP;Navigate to the previous image relative to image opened in the Editor.\nShortcut: Shift-F3\n\nTo navigate to the previous image relative to the currently selected thumbnail in the File Browser or Filmstrip:\nShortcut: F3 !MAIN_BUTTON_NAVSYNC_TOOLTIP;Synchronize the File Browser or Filmstrip with the Editor to reveal the thumbnail of the currently opened image, and clear any active filters.\nShortcut: x\n\nAs above, but without clearing active filters:\nShortcut: y\n(Note that the thumbnail of the opened image will not be shown if filtered out). !MAIN_MSG_IMAGEUNPROCESSED;This command requires all selected images to be queue-processed first. -!MAIN_MSG_PATHDOESNTEXIST;The path\n\n%1\n\ndoes not exist. Please set a correct path in Preferences. -!MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! -!MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -!MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. -!MAIN_TAB_FAVORITES;Favorites +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BEFOREAFTERLOCK;Lock / Unlock the Before view\n\nLock: keep the Before view unchanged.\nUseful to evaluate the cumulative effect of multiple tools.\nAdditionally, comparisons can be made to any state in the History.\n\nUnlock: the Before view will follow the After view one step behind, showing the image before the effect of the currently used tool. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_LOCGROUP;Local !PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_RETINEX;Retinex -!PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments !PREFERENCES_COMPLEXITY_EXP;Advanced !PREFERENCES_COMPLEXITY_NORM;Standard @@ -2544,24 +2853,31 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format !PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. !PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling -!PROFILEPANEL_COPYPPASTE;Parameters to copy -!PROFILEPANEL_GLOBALPROFILES;Bundled profiles -!PROFILEPANEL_LOADPPASTE;Parameters to load -!PROFILEPANEL_PASTEPPASTE;Parameters to paste -!PROFILEPANEL_PDYNAMIC;Dynamic -!PROFILEPANEL_PINTERNAL;Neutral -!PROFILEPANEL_SAVEPPASTE;Parameters to save !PROGRESSDLG_PROFILECHANGEDINBROWSER;Processing profile changed in browser +!SAMPLEFORMAT_1;8-bit unsigned +!SAMPLEFORMAT_2;16-bit unsigned !SAMPLEFORMAT_4;24-bit LogLuv !SAMPLEFORMAT_8;32-bit LogLuv !SAVEDLG_SUBSAMP_TOOLTIP;Best compression:\nJ:a:b 4:2:0\nh/v 2/2\nChroma halved horizontally and vertically.\n\nBalanced:\nJ:a:b 4:2:2\nh/v 2/1\nChroma halved horizontally.\n\nBest quality:\nJ:a:b 4:4:4\nh/v 1/1\nNo chroma subsampling. !SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !THRESHOLDSELECTOR_B;Bottom !THRESHOLDSELECTOR_BL;Bottom-left !THRESHOLDSELECTOR_BR;Bottom-right @@ -2575,66 +2891,18 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_BWMIX_ALGO_TOOLTIP;Linear: will produce a normal linear response.\nSpecial effects: will produce special effects by mixing channels non-linearly. !TP_BWMIX_CC_ENABLED;Adjust complementary color !TP_BWMIX_CC_TOOLTIP;Enable to allow automatic adjustment of complementary colors in ROYGCBPM mode. -!TP_BWMIX_CHANNEL;Luminance equalizer -!TP_BWMIX_CURVEEDITOR1;'Before' curve -!TP_BWMIX_CURVEEDITOR2;'After' curve -!TP_BWMIX_CURVEEDITOR_AFTER_TOOLTIP;Tone curve, after B&W conversion, at the end of treatment. -!TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;Tone curve, just before B&W conversion.\nMay take into account the color components. -!TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H).\nPay attention to extreme values as they may cause artifacts. -!TP_BWMIX_FILTER_TOOLTIP;The color filter simulates shots taken with a colored filter placed in front of the lens. Colored filters reduce the transmission of specific color ranges and therefore affect their lightness. E.g. a red filter darkens blue skies. -!TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% !TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. -!TP_BWMIX_SET_HYPERPANCHRO;Hyper Panchromatic -!TP_BWMIX_SET_NORMCONTAST;Normal Contrast -!TP_BWMIX_SET_ORTHOCHRO;Orthochromatic -!TP_BWMIX_SET_ROYGCBPMABS;Absolute ROYGCBPM -!TP_BWMIX_SET_ROYGCBPMREL;Relative ROYGCBPM -!TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance !TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. -!TP_COLORAPP_ALGO;Algorithm -!TP_COLORAPP_ALGO_ALL;All -!TP_COLORAPP_ALGO_JC;Lightness + Chroma (JC) -!TP_COLORAPP_ALGO_JS;Lightness + Saturation (JS) -!TP_COLORAPP_ALGO_QM;Brightness + Colorfulness (QM) -!TP_COLORAPP_ALGO_TOOLTIP;Lets you choose between parameter subsets or all parameters. -!TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. -!TP_COLORAPP_BRIGHT;Brightness (Q) -!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02/16 is the amount of perceived light emanating from a stimulus and differs from L*a*b* and RGB brightness. -!TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. !TP_COLORAPP_CATCLASSIC;Classic !TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. !TP_COLORAPP_CATMOD;Cat02/16 mode !TP_COLORAPP_CATSYMGEN;Automatic Symmetric !TP_COLORAPP_CATSYMSPE;Mixed -!TP_COLORAPP_CHROMA;Chroma (C) -!TP_COLORAPP_CHROMA_M;Colorfulness (M) -!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM02/16 is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. -!TP_COLORAPP_CHROMA_S;Saturation (S) -!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02/16 corresponds to the color of a stimulus in relation to its own brightness, differs from L*a*b* and RGB saturation. -!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02/16 corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions, differs from L*a*b* and RGB chroma. -!TP_COLORAPP_CIECAT_DEGREE;CAT02/16 adaptation -!TP_COLORAPP_CONTRAST;Contrast (J) -!TP_COLORAPP_CONTRAST_Q;Contrast (Q) -!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM02/16 is based on brightness, differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM02/16 is based on lightness, differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02/16.\nIf the "CIECAM02/16 output histograms in curves" checkbox is enabled, shows the histogram of J or Q after CIECAM02/16.\n\nJ and Q are not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. -!TP_COLORAPP_CURVEEDITOR2;Tone curve 2 -!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the second exposure tone curve. -!TP_COLORAPP_CURVEEDITOR3;Color curve -!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02/16.\nIf the "CIECAM02/16 output histograms in curves" checkbox is enabled, shows the histogram of C, S or M after CIECAM02/16.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -!TP_COLORAPP_DATACIE;CIECAM02/16 output histograms in curves -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02/16 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02/16 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02/16 curves show L*a*b* values before CIECAM02/16 adjustments. !TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). !TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). -!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] -!TP_COLORAPP_GAMUT;Gamut control (L*a*b*) -!TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. !TP_COLORAPP_GEN;Settings - Preset !TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. -!TP_COLORAPP_HUE;Hue (h) -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. !TP_COLORAPP_IL41;D41 !TP_COLORAPP_IL50;D50 !TP_COLORAPP_IL55;D55 @@ -2645,135 +2913,44 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_COLORAPP_ILFREE;Free !TP_COLORAPP_ILLUM;Illuminant !TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. -!TP_COLORAPP_LABEL;Color Appearance & Lighting (CIECAM02/16) -!TP_COLORAPP_LABEL_SCENE;Scene Conditions -!TP_COLORAPP_LABEL_VIEWING;Viewing Conditions -!TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) !TP_COLORAPP_MOD02;CIECAM02 !TP_COLORAPP_MOD16;CIECAM16 -!TP_COLORAPP_MODEL;WP Model !TP_COLORAPP_MODELCAT;CAM Model !TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02/16 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. -!TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode !TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled -!TP_COLORAPP_RSTPRO;Red & skin-tones protection -!TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. -!TP_COLORAPP_SURROUND;Surround !TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting -!TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. -!TP_COLORAPP_TCMODE_CHROMA;Chroma -!TP_COLORAPP_TCMODE_COLORF;Colorfulness -!TP_COLORAPP_TCMODE_LABEL1;Curve mode 1 -!TP_COLORAPP_TCMODE_LABEL2;Curve mode 2 -!TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02/16 -!TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, ...), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. -!TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). -!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] -!TP_COLORAPP_WBRT;WB [RT] + [output] -!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. A gray at 18% corresponds to a background luminance expressed in CIE L of 50%.\nThis data must take into account the average luminance of the image -!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. A gray at 18% corresponds to a background luminance expressed in CIE L of 50%.\nThis data is calculated from the average luminance of the image +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image !TP_COLORTONING_AB;o C/L -!TP_COLORTONING_AUTOSAT;Automatic -!TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L -!TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) -!TP_COLORTONING_HIGHLIGHT;Highlights -!TP_COLORTONING_HUE;Hue -!TP_COLORTONING_LAB;L*a*b* blending -!TP_COLORTONING_LABEL;Color Toning -!TP_COLORTONING_LABGRID;L*a*b* color correction grid !TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 -!TP_COLORTONING_LABREGIONS;Color correction regions !TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 -!TP_COLORTONING_LABREGION_CHANNEL;Channel -!TP_COLORTONING_LABREGION_CHANNEL_ALL;All -!TP_COLORTONING_LABREGION_CHANNEL_B;Blue -!TP_COLORTONING_LABREGION_CHANNEL_G;Green -!TP_COLORTONING_LABREGION_CHANNEL_R;Red !TP_COLORTONING_LABREGION_CHROMATICITYMASK;C !TP_COLORTONING_LABREGION_HUEMASK;H -!TP_COLORTONING_LABREGION_LIGHTNESS;Lightness !TP_COLORTONING_LABREGION_LIGHTNESSMASK;L -!TP_COLORTONING_LABREGION_LIST_TITLE;Correction -!TP_COLORTONING_LABREGION_MASK;Mask -!TP_COLORTONING_LABREGION_MASKBLUR;Mask Blur -!TP_COLORTONING_LABREGION_OFFSET;Offset -!TP_COLORTONING_LABREGION_POWER;Power -!TP_COLORTONING_LABREGION_SATURATION;Saturation -!TP_COLORTONING_LABREGION_SHOWMASK;Show mask -!TP_COLORTONING_LABREGION_SLOPE;Slope -!TP_COLORTONING_LUMA;Luminance -!TP_COLORTONING_LUMAMODE;Preserve luminance -!TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. -!TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. -!TP_COLORTONING_MIDTONES;Midtones -!TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity -!TP_COLORTONING_RGBCURVES;RGB - Curves -!TP_COLORTONING_RGBSLIDERS;RGB - Sliders -!TP_COLORTONING_SA;Saturation Protection -!TP_COLORTONING_SATURATEDOPACITY;Strength -!TP_COLORTONING_SATURATIONTHRESHOLD;Threshold -!TP_COLORTONING_SHADOWS;Shadows -!TP_COLORTONING_SPLITCO;Shadows/Midtones/Highlights -!TP_COLORTONING_SPLITCOCO;Color Balance Shadows/Midtones/Highlights -!TP_COLORTONING_SPLITLR;Saturation 2 colors -!TP_COLORTONING_STR;Strength -!TP_COLORTONING_STRENGTH;Strength -!TP_COLORTONING_TWO2;Special chroma '2 colors' -!TP_COLORTONING_TWOALL;Special chroma -!TP_COLORTONING_TWOBY;Special a* and b* -!TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. -!TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI !TP_DEHAZE_SATURATION;Saturation -!TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones -!TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Increase (multiply) the value of all chrominance sliders.\nThis curve lets you adjust the strength of chromatic noise reduction as a function of chromaticity, for instance to increase the action in areas of low saturation and to decrease it in those of high saturation. -!TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones -!TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview -!TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. -!TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Preview size=%1, Center: Px=%2 Py=%3 -!TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Tile size=%1, Center: Tx=%2 Ty=%3 -!TP_DIRPYRDENOISE_MAIN_COLORSPACE_LAB;L*a*b* -!TP_DIRPYRDENOISE_MAIN_GAMMA;Gamma -!TP_DIRPYRDENOISE_MAIN_GAMMA_TOOLTIP;Gamma varies noise reduction strength across the range of tones. Smaller values will target shadows, while larger values will stretch the effect to the brighter tones. !TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fine: closer to the colors of the skin, minimizing the action on other colors\nLarge: avoid more artifacts. !TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;This pyramid is for the upper part, so far as the algorithm at its maximum efficiency.\nTo the lower part, the transition zones.\nIf you need to move the area significantly to the left or right - or if there are artifacts: the white balance is incorrect\nYou can slightly reduce the zone to prevent the rest of the image is affected. -!TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. !TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. -!TP_EPD_EDGESTOPPING;Edge stopping -!TP_EPD_GAMMA;Gamma -!TP_EPD_REWEIGHTINGITERATES;Reweighting iterates -!TP_EXPOSURE_AUTOLEVELS_TIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. -!TP_FILMNEGATIVE_BLUE;Blue ratio !TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm !TP_FILMNEGATIVE_COLORSPACE;Inversion color space: !TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space !TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. !TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space -!TP_FILMNEGATIVE_GREEN;Reference exponent !TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_OUT_LEVEL;Output level -!TP_FILMNEGATIVE_RED;Red ratio !TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 !TP_FILMNEGATIVE_REF_PICK;Pick white balance spot !TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. @@ -2784,23 +2961,69 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. +!TP_ICM_BLUFRAME;Blue Primaries !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated !TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_GREFRAME;Green Primaries +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. !TP_ICM_INPUTCAMERAICC_TOOLTIP;Use RawTherapee's camera-specific DCP or ICC input color profiles. These profiles are more precise than simpler matrix ones. They are not available for all cameras. These profiles are stored in the /iccprofiles/input and /dcpprofiles folders and are automatically retrieved based on a file name matching to the exact model name of the camera. !TP_ICM_INPUTCAMERA_TOOLTIP;Use a simple color matrix from dcraw, an enhanced RawTherapee version (whichever is available based on camera model) or one embedded in the DNG. -!TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode (‘working profile’) to a different mode (‘destination primaries’). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the ‘primaries’ is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image -!TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When ‘Custom CIE xy diagram’ is selected in ‘Destination- primaries’’ combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: -!TP_ICM_WORKING_TRC_CUSTOM;Custom +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LABCURVE_CURVEEDITOR_A_RANGE1;Green Saturated !TP_LABCURVE_CURVEEDITOR_A_RANGE2;Green Pastel @@ -2815,7 +3038,842 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Dull !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated -!TP_METADATA_TUNNEL;Copy unchanged +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_ALL;All rubrics +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLSYM;Symmetric +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRESIDFRA;Blur Residual +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. +!TP_LOCALLAB_COMPLEX_METHOD;Software Complexity +!TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTL;Contrast (J) +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) +!TP_LOCALLAB_CURVENH;Super +!TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) +!TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or ‘salt & pepper’ noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. +!TP_LOCALLAB_DENOIS;Denoise +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;‘Excluding’ mode prevents adjacent spots from influencing certain parts of the image. Adjusting ‘Scope’ will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXPTRC;Tone Response Curve - TRC +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATANCHORA;Offset +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATRES;Amount Residual Image +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTW2;ƒ - Use Fast Fourier Transform (TIF, JPG,..) +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HLHZ;Hz +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_LUMONLY;Luminance only +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the GF will be applied progressively.\n if the mask is above the ‘light’ threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'Blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask'=0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable colorpicker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MED;Medium +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm +!TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCh +!TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) +!TP_LOCALLAB_MERGENONE;None +!TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERGETHR;Original + Mask LCh +!TP_LOCALLAB_MERGETWO;Original +!TP_LOCALLAB_MERGETYPE;Merge image and mask +!TP_LOCALLAB_MERGETYPE_TOOLTIP;None, use all mask in LCh mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘Scope’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT improve quality and allow big radius, but increases the treatment time.\nThe treatment time depends on the surface to be treated\nThe treatment time depends on the value of scale (be careful of high values).\nTo be used preferably for large radius.\n\nDimensions can be reduced by a few pixels to optimize FFTW.\nThis optimization can reduce the treatment time by a factor of 1.5 to 10.\nOptimization not used in Preview +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SAVREST;Save - Restore Current Image +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using 'Scope (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;”Ellipse” is the normal mode.\n “Rectangle” can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the Scope sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SIM;Simple +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘Scope’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate ‘Mask and modifications’ > ‘Show spot structure’ (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and ‘Local contrast’ (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either ‘Show modified image’ or ‘Show modified areas with mask’. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise") and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WAMASKCOL;Mask Wavelet level +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the ‘Edge sharpness’ tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHIGH;Wavelet high +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVLOW;Wavelet low +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) +!TP_LOCALLAB_WAVMED;Wavelet normal +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n !TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor !TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length !TP_PERSPECTIVE_CAMERA_FRAME;Correction @@ -2826,6 +3884,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_PERSPECTIVE_CAMERA_YAW;Horizontal !TP_PERSPECTIVE_CONTROL_LINES;Control lines !TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. !TP_PERSPECTIVE_METHOD;Method !TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based !TP_PERSPECTIVE_METHOD_SIMPLE;Simple @@ -2847,11 +3906,18 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RAW_4PASS;3-pass+fast !TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_FAST;Fast +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) @@ -2925,8 +3991,11 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed -!TP_SOFTLIGHT_LABEL;Soft Light -!TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH !TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Skin-tones !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Red/Purple @@ -2941,13 +4010,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;The vertical axis represents pastel tones at the bottom and saturated tones at the top.\nThe horizontal axis represents the saturation range. !TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Pastel/saturated transition's weighting !TP_VIBRANCE_SATURATED;Saturated Tones -!TP_WAVELET_BALANCE;Contrast balance d/v-h -!TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. -!TP_WAVELET_BALCHRO;Chroma balance -!TP_WAVELET_BALCHROM;Denoise equalizer Blue-Yellow/Red-Green -!TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALLUM;Denoise equalizer White-Black -!TP_WAVELET_BATYPE;Contrast balance method !TP_WAVELET_BL;Blur levels !TP_WAVELET_BLCURVE;Blur by levels !TP_WAVELET_BLURFRAME;Blur @@ -2970,7 +4034,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_COMPLEXLAB;Complexity !TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations !TP_WAVELET_COMPNORMAL;Standard -!TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve !TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels @@ -2993,9 +4056,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_DENEQUAL;1 2 3 4 Equal !TP_WAVELET_DENH;Threshold !TP_WAVELET_DENL;Correction structure -!TP_WAVELET_DENLH;Guided threshold by detail levels 1-4 +!TP_WAVELET_DENLH;Guided threshold levels 1-4 !TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained -!TP_WAVELET_DENMIX_TOOLTIP;Balances the action of the guide taking into account the original image and the denoised image +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. !TP_WAVELET_DENOISE;Guide curve based on Local contrast !TP_WAVELET_DENOISEGUID;Guided threshold based on hue !TP_WAVELET_DENOISEH;High levels Curve Local contrast @@ -3020,17 +4083,16 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect -!TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_FINAL;Final Touchup !TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values !TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter !TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) -!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LEVDEN;Level 5-6 denoise !TP_WAVELET_LEVELHIGH;Radius 5-6 !TP_WAVELET_LEVELLOW;Radius 1-4 @@ -3040,25 +4102,20 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_LIPST;Enhanced algoritm !TP_WAVELET_LOWLIGHT;Coarser levels luminance range !TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise -!TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. !TP_WAVELET_MERGEC;Merge chroma !TP_WAVELET_MERGEL;Merge luma -!TP_WAVELET_MIXCONTRAST;Reference local contrast +!TP_WAVELET_MIXCONTRAST;Reference !TP_WAVELET_MIXDENOISE;Denoise !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. -!TP_WAVELET_NPHIGH;High -!TP_WAVELET_NPLOW;Low -!TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_OPACITY;Opacity blue-yellow -!TP_WAVELET_OPACITYW;Contrast balance d/v-h curve !TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma @@ -3079,12 +4136,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_SIGMA;Attenuation response !TP_WAVELET_SIGMAFIN;Attenuation response !TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values -!TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Hue targetting/protection -!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. !TP_WAVELET_SOFTRAD;Soft radius !TP_WAVELET_STREND;Strength -!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. !TP_WAVELET_THREND;Local contrast threshold !TP_WAVELET_THRESHOLD;Finer levels !TP_WAVELET_THRESHOLD2;Coarser levels From 0599a5e96d7547f8dc7095f7bf24d00182b05f86 Mon Sep 17 00:00:00 2001 From: Desmis Date: Fri, 24 Jun 2022 06:49:04 +0200 Subject: [PATCH 068/170] Change tooltip in LA inverse issue 6506 --- rtdata/languages/default | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index a27c5a35b..c50b49ddf 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -2977,7 +2977,7 @@ TP_LOCALLAB_INDSL;Independent (mouse + sliders) TP_LOCALLAB_INVBL;Inverse TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot TP_LOCALLAB_INVERS;Inverse -TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot +TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. TP_LOCALLAB_INVMASK;Inverse algorithm TP_LOCALLAB_ISOGR;Distribution (ISO) TP_LOCALLAB_JAB;Uses Black Ev & White Ev From 19a4720ec771070d46aafc5121bd0b2d91c68470 Mon Sep 17 00:00:00 2001 From: Desmis Date: Wed, 6 Jul 2022 11:01:14 +0200 Subject: [PATCH 069/170] Fixed bad GUI behavior in Color and Light - issue 6517 --- rtgui/locallabtools.cc | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/rtgui/locallabtools.cc b/rtgui/locallabtools.cc index 5686f9478..bc72a8f35 100644 --- a/rtgui/locallabtools.cc +++ b/rtgui/locallabtools.cc @@ -2090,6 +2090,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) case Normal: // Expert mode widgets are hidden in Normal mode structcol->hide(); + gamc->hide(); blurcolde->hide(); strcolab->hide(); strcolh->hide(); @@ -2138,6 +2139,7 @@ void LocallabColor::updateGUIToMode(const modeType new_type) // Show widgets hidden in Normal and Simple mode structcol->show(); blurcolde->show(); + gamc->show(); if (!invers->get_active()) { // Keep widget hidden when invers is toggled softradiuscol->show(); @@ -2443,7 +2445,7 @@ void LocallabColor::updateColorGUI1() gamc->hide(); } else { gridFrame->show(); - gamc->show(); + gamc->hide(); if (mode == Expert) { // Keep widget hidden in Normal and Simple mode structcol->show(); @@ -2463,6 +2465,7 @@ void LocallabColor::updateColorGUI1() HCurveEditorG->show(); H3CurveEditorG->show(); expmaskcol1->show(); + gamc->show(); } showmaskcolMethod->show(); From 1e2dc30738daea8b7e14077db870a9310e84d209 Mon Sep 17 00:00:00 2001 From: Pandagrapher Date: Mon, 18 Jul 2022 19:03:29 +0200 Subject: [PATCH 070/170] Local adjustments - Fix apply/paste actions with LA - Fixes LA lost when applying partial profile (fixes #6150) - Fixes LA behavior when using apply/paste actions: spots are now totally replaced and not anymore merged (fixes #6136 and #6411) - Fixes a crash in specific situations when saving/copying a partial number of spots - Partial paste dialog: Fixes Locallab button remaining inconsistent if all the spots are deselected --- rtgui/paramsedited.cc | 11 ++++++----- rtgui/partialpastedlg.cc | 18 ++++++++++++++---- rtgui/profilepanel.cc | 6 ++++++ 3 files changed, 26 insertions(+), 9 deletions(-) diff --git a/rtgui/paramsedited.cc b/rtgui/paramsedited.cc index 529d57da6..d5512e60f 100644 --- a/rtgui/paramsedited.cc +++ b/rtgui/paramsedited.cc @@ -3382,15 +3382,16 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng if (locallab.enabled) { toEdit.locallab.enabled = mods.locallab.enabled; + + // In that case, locallab is impacted by the combine: + // Resizing locallab spots vector according to pedited + toEdit.locallab.spots.resize(locallab.spots.size()); } if (locallab.selspot) { toEdit.locallab.selspot = mods.locallab.selspot; } - // Resizing locallab spots vector according to pedited - toEdit.locallab.spots.resize(locallab.spots.size()); - // Updating each locallab spot according to pedited for (size_t i = 0; i < toEdit.locallab.spots.size() && i < mods.locallab.spots.size() && i < locallab.spots.size(); i++) { // Control spot settings @@ -8048,7 +8049,7 @@ LocallabParamsEdited::LocallabSpotEdited::LocallabSpotEdited(bool v) : lightlzcam(v), lightqzcam(v), contlzcam(v), - contqzcam(v), + contqzcam(v), contthreszcam(v), colorflzcam(v), saturzcam(v), @@ -8747,7 +8748,7 @@ void LocallabParamsEdited::LocallabSpotEdited::set(bool v) lightlzcam = v; lightqzcam = v; contlzcam = v; - contqzcam = v; + contqzcam = v; contthreszcam = v; colorflzcam = v; saturzcam = v; diff --git a/rtgui/partialpastedlg.cc b/rtgui/partialpastedlg.cc index b3c49dfd7..a9f79d854 100644 --- a/rtgui/partialpastedlg.cc +++ b/rtgui/partialpastedlg.cc @@ -35,9 +35,9 @@ PartialSpotWidget::PartialSpotWidget(): // Widget listener selListener(nullptr) { - + set_orientation(Gtk::ORIENTATION_VERTICAL); - + // Configure tree view treeview->set_model(treemodel); treeview->set_enable_search(false); @@ -342,7 +342,7 @@ PartialPasteDlg::PartialPasteDlg (const Glib::ustring &title, Gtk::Window* paren vboxes[1]->pack_start (*hseps[1], Gtk::PACK_SHRINK, 2); vboxes[1]->pack_start (*spot, Gtk::PACK_SHRINK, 2); vboxes[1]->pack_start (*sharpen, Gtk::PACK_SHRINK, 2); - vboxes[1]->pack_start (*localcontrast, Gtk::PACK_SHRINK, 2); + vboxes[1]->pack_start (*localcontrast, Gtk::PACK_SHRINK, 2); vboxes[1]->pack_start (*sharpenedge, Gtk::PACK_SHRINK, 2); vboxes[1]->pack_start (*sharpenmicro, Gtk::PACK_SHRINK, 2); vboxes[1]->pack_start (*impden, Gtk::PACK_SHRINK, 2); @@ -984,7 +984,7 @@ void PartialPasteDlg::applyPaste (rtengine::procparams::ProcParams* dstPP, Param if (!dehaze->get_active ()) { filterPE.dehaze = falsePE.dehaze; } - + if (!rgbcurves->get_active ()) { filterPE.rgbCurves = falsePE.rgbCurves; } @@ -1234,6 +1234,9 @@ void PartialPasteDlg::applyPaste (rtengine::procparams::ProcParams* dstPP, Param if (!chosenSpots.at(i)) { tmpPP.locallab.spots.erase(tmpPP.locallab.spots.begin() + i); tmpPE.locallab.spots.erase(tmpPE.locallab.spots.begin() + i); + + // Locallab Selspot param shall be kept in vector size limit + tmpPP.locallab.selspot = std::max(0, std::min(tmpPP.locallab.selspot, (int)tmpPP.locallab.spots.size() - 1)); } } @@ -1260,16 +1263,23 @@ void PartialPasteDlg::updateSpotWidget(const rtengine::procparams::ProcParams* p void PartialPasteDlg::partialSpotUpdated(const UpdateStatus status) { + locallabConn.block(true); + switch (status) { case (AllSelection): locallab->set_active(true); + locallab->set_inconsistent(false); break; case (NoSelection): locallab->set_active(false); + locallab->set_inconsistent(false); break; case (PartialSelection): + locallab->set_active(false); locallab->set_inconsistent(true); } + + locallabConn.block(false); } diff --git a/rtgui/profilepanel.cc b/rtgui/profilepanel.cc index eb1b5d021..e18ec8cff 100644 --- a/rtgui/profilepanel.cc +++ b/rtgui/profilepanel.cc @@ -496,6 +496,12 @@ void ProfilePanel::load_clicked (GdkEventButton* event) custom->pedited->locallab.spots.clear(); } + // For each Locallab spot, loaded profile pp only contains activated tools params + // Missing tool params in pe shall be also set to true to avoid a "spot merge" issue + for (int i = 0; i < (int)pe.locallab.spots.size(); i++) { + pe.locallab.spots.at(i).set(true); + } + custom->set(true); bool prevState = changeconn.block(true); From 3bfcc66e465b8438fc2b76a8ed7f1c83d6f7107e Mon Sep 17 00:00:00 2001 From: Andy Dodd Date: Mon, 25 Apr 2022 18:35:57 -0400 Subject: [PATCH 071/170] Default strings cleanup, includes: 1 - Obsolete history events removal Remove history events that are not referenced anywhere in code Left event 149 despite being unreferenced due to the comment in the code indicating it may return 2 - Orphaned strings removal HISTOGRAM_TOOLTIP_RAW appears to be an orphan, but this looks strange to me. Investigation needed 3 - Strings cleanup - remove improperly commented entries These don't get treated as comments, but at least didn't break anything since nothing in the code referenced them. But they will waste translator's time, so delete them --- rtdata/languages/default | 74 ---------------------------------------- rtengine/procevents.h | 50 ++++++++++++++------------- rtengine/refreshmap.cc | 47 +++++++++++++------------ 3 files changed, 50 insertions(+), 121 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index c50b49ddf..243930c93 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -265,7 +265,6 @@ HISTORY_CUSTOMCURVE;Custom curve HISTORY_FROMCLIPBOARD;From clipboard HISTORY_LABEL;History HISTORY_MSG_1;Photo loaded -HISTORY_MSG_2;PP3 loaded HISTORY_MSG_3;PP3 changed HISTORY_MSG_4;History browsing HISTORY_MSG_5;Exposure - Lightness @@ -279,9 +278,6 @@ HISTORY_MSG_12;Exposure - Auto levels HISTORY_MSG_13;Exposure - Clip HISTORY_MSG_14;L*a*b* - Lightness HISTORY_MSG_15;L*a*b* - Contrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - L* curve HISTORY_MSG_20;Sharpening HISTORY_MSG_21;USM - Radius @@ -307,10 +303,6 @@ HISTORY_MSG_40;WB - Tint HISTORY_MSG_41;Exposure - Tone curve 1 mode HISTORY_MSG_42;Exposure - Tone curve 2 HISTORY_MSG_43;Exposure - Tone curve 2 mode -HISTORY_MSG_44;Lum. denoising radius -HISTORY_MSG_45;Lum. denoising edge tolerance -HISTORY_MSG_46;Color denoising -HISTORY_MSG_47;Blend ICC highlights with matrix HISTORY_MSG_48;DCP - Tone curve HISTORY_MSG_49;DCP illuminant HISTORY_MSG_50;Shadows/Highlights @@ -318,7 +310,6 @@ HISTORY_MSG_51;S/H - Highlights HISTORY_MSG_52;S/H - Shadows HISTORY_MSG_53;S/H - Highlights tonal width HISTORY_MSG_54;S/H - Shadows tonal width -HISTORY_MSG_55;S/H - Local contrast HISTORY_MSG_56;S/H - Radius HISTORY_MSG_57;Coarse rotation HISTORY_MSG_58;Horizontal flipping @@ -330,7 +321,6 @@ HISTORY_MSG_63;Snapshot selected HISTORY_MSG_64;Crop HISTORY_MSG_65;CA correction HISTORY_MSG_66;Exposure - Highlight reconstruction -HISTORY_MSG_67;Exposure - HLR amount HISTORY_MSG_68;Exposure - HLR method HISTORY_MSG_69;Working color space HISTORY_MSG_70;Output color space @@ -341,12 +331,10 @@ HISTORY_MSG_74;Resize - Scale HISTORY_MSG_75;Resize - Method HISTORY_MSG_76;Exif metadata HISTORY_MSG_77;IPTC metadata -HISTORY_MSG_78;- HISTORY_MSG_79;Resize - Width HISTORY_MSG_80;Resize - Height HISTORY_MSG_81;Resize HISTORY_MSG_82;Profile changed -HISTORY_MSG_83;S/H - Sharp mask HISTORY_MSG_84;Perspective correction HISTORY_MSG_85;Lens Correction - LCP file HISTORY_MSG_86;RGB Curves - Luminosity mode @@ -393,12 +381,6 @@ HISTORY_MSG_127;Flat-Field - Auto-selection HISTORY_MSG_128;Flat-Field - Blur radius HISTORY_MSG_129;Flat-Field - Blur type HISTORY_MSG_130;Auto distortion correction -HISTORY_MSG_131;NR - Luma -HISTORY_MSG_132;NR - Chroma -HISTORY_MSG_133;Output gamma -HISTORY_MSG_134;Free gamma -HISTORY_MSG_135;Free gamma -HISTORY_MSG_136;Free gamma slope HISTORY_MSG_137;Black level - Green 1 HISTORY_MSG_138;Black level - Red HISTORY_MSG_139;Black level - Blue @@ -511,7 +493,6 @@ HISTORY_MSG_246;L*a*b* - CL curve HISTORY_MSG_247;L*a*b* - LH curve HISTORY_MSG_248;L*a*b* - HH curve HISTORY_MSG_249;CbDL - Threshold -HISTORY_MSG_250;NR - Enhanced HISTORY_MSG_251;B&W - Algorithm HISTORY_MSG_252;CbDL - Skin tar/prot HISTORY_MSG_253;CbDL - Reduce artifacts @@ -535,8 +516,6 @@ HISTORY_MSG_270;CT - High - Green HISTORY_MSG_271;CT - High - Blue HISTORY_MSG_272;CT - Balance HISTORY_MSG_273;CT - Color Balance SMH -HISTORY_MSG_274;CT - Sat. Shadows -HISTORY_MSG_275;CT - Sat. Highlights HISTORY_MSG_276;CT - Opacity HISTORY_MSG_277;--unused-- HISTORY_MSG_278;CT - Preserve luminance @@ -561,7 +540,6 @@ HISTORY_MSG_296;NR - Luminance curve HISTORY_MSG_297;NR - Mode HISTORY_MSG_298;Dead pixel filter HISTORY_MSG_299;NR - Chrominance curve -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Luma control HISTORY_MSG_302;NR - Chroma method HISTORY_MSG_303;NR - Chroma method @@ -670,7 +648,6 @@ HISTORY_MSG_405;W - Denoise - Level 4 HISTORY_MSG_406;W - ES - Neighboring pixels HISTORY_MSG_407;Retinex - Method HISTORY_MSG_408;Retinex - Radius -HISTORY_MSG_409;Retinex - Contrast HISTORY_MSG_410;Retinex - Offset HISTORY_MSG_411;Retinex - Strength HISTORY_MSG_412;Retinex - Gaussian gradient @@ -734,7 +711,6 @@ HISTORY_MSG_469;PS Median HISTORY_MSG_470;EvPixelShiftMedian3 HISTORY_MSG_471;PS Motion correction HISTORY_MSG_472;PS Smooth transitions -HISTORY_MSG_473;PS Use lmmse HISTORY_MSG_474;PS Equalize HISTORY_MSG_475;PS Equalize channel HISTORY_MSG_476;CAM02/16 - Temp out @@ -1780,7 +1756,6 @@ PARTIALPASTE_LENSPROFILE;Profiled lens correction PARTIALPASTE_LOCALCONTRAST;Local contrast PARTIALPASTE_LOCALLAB;Local Adjustments PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings -PARTIALPASTE_LOCGROUP;Local PARTIALPASTE_METADATA;Metadata mode PARTIALPASTE_METAGROUP;Metadata settings PARTIALPASTE_PCVIGNETTE;Vignette filter @@ -2535,13 +2510,11 @@ TP_ICM_APPLYHUESATMAP;Base table TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. TP_ICM_APPLYLOOKTABLE;Look table TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. -TP_ICM_BLUFRAME;Blue Primaries TP_ICM_BPC;Black Point Compensation TP_ICM_DCPILLUMINANT;Illuminant TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. TP_ICM_FBW;Black-and-White -TP_ICM_GREFRAME;Green Primaries TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. TP_ICM_INPUTCAMERA;Camera standard TP_ICM_INPUTCAMERAICC;Auto-matched camera profile @@ -2712,18 +2685,15 @@ TP_LOCALLAB_BLMED;Median TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. TP_LOCALLAB_BLNOI_EXP;Blur & Noise TP_LOCALLAB_BLNORM;Normal -TP_LOCALLAB_BLSYM;Symmetric TP_LOCALLAB_BLUFR;Blur/Grain & Denoise TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain -TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 TP_LOCALLAB_BLURCOL;Radius TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. TP_LOCALLAB_BLURDE;Blur shape detection TP_LOCALLAB_BLURLC;Luminance only TP_LOCALLAB_BLURLEVELFRA;Blur levels TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. -TP_LOCALLAB_BLURRESIDFRA;Blur Residual TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise TP_LOCALLAB_BLWH;All changes forced in Black-and-White @@ -2800,16 +2770,12 @@ TP_LOCALLAB_COLOR_TOOLNAME;Color & Light TP_LOCALLAB_COL_NAME;Name TP_LOCALLAB_COL_VIS;Status TP_LOCALLAB_COMPFRA;Directional contrast -TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. TP_LOCALLAB_COMPLEX_METHOD;Software Complexity TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping -TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. TP_LOCALLAB_CONTCOL;Contrast threshold TP_LOCALLAB_CONTFRA;Contrast by level -TP_LOCALLAB_CONTL;Contrast (J) TP_LOCALLAB_CONTRAST;Contrast -TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. TP_LOCALLAB_CONTRESID;Contrast TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. @@ -2825,10 +2791,6 @@ TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. -TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) -TP_LOCALLAB_CURVENH;Super -TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) -TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) TP_LOCALLAB_CURVNONE;Disable curves TP_LOCALLAB_CURVES_CIE;Tone curve TP_LOCALLAB_DARKRETI;Darkness @@ -2850,7 +2812,6 @@ TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by pro TP_LOCALLAB_DENOIMASK;Denoise chroma mask TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. -TP_LOCALLAB_DENOIS;Denoise TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. TP_LOCALLAB_DENOI_EXP;Denoise TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 @@ -2910,11 +2871,9 @@ TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. TP_LOCALLAB_EXPTOOL;Exposure Tools -TP_LOCALLAB_EXPTRC;Tone Response Curve - TRC TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure TP_LOCALLAB_FATAMOUNT;Amount TP_LOCALLAB_FATANCHOR;Anchor -TP_LOCALLAB_FATANCHORA;Offset TP_LOCALLAB_FATDETAIL;Detail TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. @@ -2926,7 +2885,6 @@ TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform -TP_LOCALLAB_FFTW2;ƒ - Use Fast Fourier Transform (TIF, JPG,..) TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. @@ -2952,7 +2910,6 @@ TP_LOCALLAB_GRADSTRHUE;Hue gradient strength TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength TP_LOCALLAB_GRADSTRLUM;Luma gradient strength -TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops TP_LOCALLAB_GRAINFRA;Film Grain 1:1 TP_LOCALLAB_GRAINFRA2;Coarseness TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image @@ -2970,7 +2927,6 @@ TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. TP_LOCALLAB_HIGHMASKCOL;Highlights TP_LOCALLAB_HLH;H -TP_LOCALLAB_HLHZ;Hz TP_LOCALLAB_HUECIE;Hue TP_LOCALLAB_IND;Independent (mouse) TP_LOCALLAB_INDSL;Independent (mouse + sliders) @@ -3085,9 +3041,7 @@ TP_LOCALLAB_LOGREPART;Overall strength TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. -TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. -TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LUM;LL - CC @@ -3096,7 +3050,6 @@ TP_LOCALLAB_LUMASK;Background color/luma mask TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) TP_LOCALLAB_LUMAWHITESEST;Lightest TP_LOCALLAB_LUMFRA;L*a*b* standard -TP_LOCALLAB_LUMONLY;Luminance only TP_LOCALLAB_MASFRAME;Mask and Merge TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. TP_LOCALLAB_MASK;Curves @@ -3169,16 +3122,8 @@ TP_LOCALLAB_MERFOU;Multiply TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm -TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCh -TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) -TP_LOCALLAB_MERGENONE;None -TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. -TP_LOCALLAB_MERGETHR;Original + Mask LCh -TP_LOCALLAB_MERGETWO;Original -TP_LOCALLAB_MERGETYPE;Merge image and mask -TP_LOCALLAB_MERGETYPE_TOOLTIP;None, use all mask in LCh mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original TP_LOCALLAB_MERHEI;Overlay TP_LOCALLAB_MERHUE;Hue TP_LOCALLAB_MERLUCOL;Luminance @@ -3224,7 +3169,6 @@ TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) -TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 TP_LOCALLAB_NOISEGAM;Gamma TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. TP_LOCALLAB_NOISELEQUAL;Equalizer white-black @@ -3264,7 +3208,6 @@ TP_LOCALLAB_RECT;Rectangle TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). TP_LOCALLAB_RECURS;Recursive references TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. -TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. @@ -3288,7 +3231,6 @@ TP_LOCALLAB_RETIFRA;Retinex TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). TP_LOCALLAB_RETIM;Original Retinex TP_LOCALLAB_RETITOOLFRA;Retinex Tools -TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT improve quality and allow big radius, but increases the treatment time.\nThe treatment time depends on the surface to be treated\nThe treatment time depends on the value of scale (be careful of high values).\nTo be used preferably for large radius.\n\nDimensions can be reduced by a few pixels to optimize FFTW.\nThis optimization can reduce the treatment time by a factor of 1.5 to 10.\nOptimization not used in Preview TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. @@ -3387,7 +3329,6 @@ TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global TP_LOCALLAB_SOFTRADIUSCOL;Soft radius TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts -TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex TP_LOCALLAB_SOURCE_ABS;Absolute luminance TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) @@ -3404,7 +3345,6 @@ TP_LOCALLAB_STRENGR;Strength TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). TP_LOCALLAB_STRENGTH;Noise TP_LOCALLAB_STRGRID;Strength -TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. TP_LOCALLAB_STRUC;Structure TP_LOCALLAB_STRUCCOL;Spot structure TP_LOCALLAB_STRUCCOL1;Spot structure @@ -3422,7 +3362,6 @@ TP_LOCALLAB_THRESDELTAE;ΔE scope threshold TP_LOCALLAB_THRESRETI;Threshold TP_LOCALLAB_THRESWAV;Balance threshold TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 -TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. TP_LOCALLAB_TM;Tone Mapping TP_LOCALLAB_TM_MASK;Use transmission map @@ -3453,7 +3392,6 @@ TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. -TP_LOCALLAB_WAMASKCOL;Mask Wavelet level TP_LOCALLAB_WARM;Warm/Cool & Color artifacts TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). @@ -3498,14 +3436,10 @@ TP_LOCALLAB_WAVEDG;Local contrast TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. -TP_LOCALLAB_WAVHIGH;Wavelet high TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. TP_LOCALLAB_WAVLEV;Blur by level -TP_LOCALLAB_WAVLOW;Wavelet low TP_LOCALLAB_WAVMASK;Local contrast TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) -//TP_LOCALLAB_WAVMED;Ψ Wavelet normal -TP_LOCALLAB_WAVMED;Wavelet normal TP_LOCALLAB_WEDIANHI;Median Hi TP_LOCALLAB_WHITE_EV;White Ev TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments @@ -3943,7 +3877,6 @@ TP_WAVELET_DEN14PLUS;1 4 High TP_WAVELET_DENCONTRAST;Local contrast Equalizer TP_WAVELET_DENCURV;Curve TP_WAVELET_DENEQUAL;1 2 3 4 Equal -TP_WAVELET_DENH;Threshold TP_WAVELET_DENL;Correction structure TP_WAVELET_DENLH;Guided threshold levels 1-4 TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained @@ -4055,7 +3988,6 @@ TP_WAVELET_PASTEL;Pastel chroma TP_WAVELET_PROC;Process TP_WAVELET_PROTAB;Protection TP_WAVELET_QUAAGRES;Aggressive -TP_WAVELET_QUANONE;Off TP_WAVELET_QUACONSER;Conservative TP_WAVELET_RADIUS;Radius shadows - highlight TP_WAVELET_RANGEAB;Range a and b % @@ -4094,7 +4026,6 @@ TP_WAVELET_THRESHOLD;Finer levels TP_WAVELET_THRESHOLD2;Coarser levels TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of ‘wavelet levels’ will be affected by the Shadow luminance range. TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. -TP_WAVELET_THRESWAV;Balance threshold TP_WAVELET_THRH;Highlights threshold TP_WAVELET_TILESBIG;Tiles TP_WAVELET_TILESFULL;Full image @@ -4110,7 +4041,6 @@ TP_WAVELET_TON;Toning TP_WAVELET_TONFRAME;Excluded colors TP_WAVELET_USH;None TP_WAVELET_USHARP;Clarity method -TP_WAVELET_USHARP_TOOLTIP;Origin : the source file is the file before Wavelet.\nWavelet : the source file is the file including wavelet threatment TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. TP_WAVELET_WAVLOWTHR;Low contrast threshold TP_WAVELET_WAVOFFSET;Offset @@ -4175,7 +4105,3 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f ZOOMPANEL_ZOOMFITSCREEN;Fit whole image to screen\nShortcut: Alt-f ZOOMPANEL_ZOOMIN;Zoom In\nShortcut: + ZOOMPANEL_ZOOMOUT;Zoom Out\nShortcut: - -//TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nOnly the third Ciecam process (Viewing conditions - Target) is taken into account, as well as part of the second (contrast J, saturation s) , as well as some data from the first process (Scene conditions - Source) which is used for the Log encoding.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. -//TP_WAVELET_DENH;Low levels (1234)- Finest details -//TP_WAVELET_DENL;High levels - Coarsest details -//TP_WAVELET_DENLH;Guided threshold for detail levels 1-4 diff --git a/rtengine/procevents.h b/rtengine/procevents.h index 8ebf26bcf..4c9f4f8ec 100644 --- a/rtengine/procevents.h +++ b/rtengine/procevents.h @@ -21,10 +21,14 @@ namespace rtengine { + + + + // Aligned so the first entry starts on line 30 enum ProcEventCode { EvPhotoLoaded = 0, - EvProfileLoaded = 1, + obsolete_1 = 1, EvProfileChanged = 2, EvHistoryBrowsed = 3, EvBrightness = 4, @@ -38,9 +42,9 @@ enum ProcEventCode { EvClip = 12, EvLBrightness = 13, EvLContrast = 14, - EvLBlack = 15, - EvLHLCompr = 16, - EvLSHCompr = 17, + obsolete_15 = 15, // obsolete + obsolete_16 = 16, // obsolete + obsolete_17 = 17, // obsolete EvLLCurve = 18, EvShrEnabled = 19, EvShrRadius = 20, @@ -77,7 +81,7 @@ enum ProcEventCode { EvSHShadows = 51, EvSHHLTonalW = 52, EvSHSHTonalW = 53, - EvSHLContrast = 54, + obsolete_54 = 54, // obsolete EvSHRadius = 55, EvCTRotate = 56, EvCTHFlip = 57, @@ -89,7 +93,7 @@ enum ProcEventCode { EvCrop = 63, EvCACorr = 64, EvHREnabled = 65, - obsolete_66 = 66, //obsolete + obsolete_66 = 66, // obsolete EvHRMethod = 67, EvWProfile = 68, EvOProfile = 69, @@ -100,12 +104,12 @@ enum ProcEventCode { EvResizeMethod = 74, EvExif = 75, EvIPTC = 76, - EvResizeSpec = 77, + obsolete_77 = 77, // obsolete EvResizeWidth = 78, EvResizeHeight = 79, EvResizeEnabled = 80, EvProfileChangeNotification = 81, - EvSHHighQuality = 82, + obsolete_82 = 82, // obsolete EvPerspCorr = 83, EvLCPFile = 84, EvRGBrCurveLumamode = 85, @@ -153,12 +157,12 @@ enum ProcEventCode { EvFlatFieldBlurRadius = 127, EvFlatFieldBlurType = 128, EvAutoDIST = 129, - EvDPDNLumCurve = 130, - EvDPDNChromCurve = 131, - EvGAMMA = 132, - EvGAMPOS = 133, - EvGAMFREE = 134, - EvSLPOS = 135, + obsolete_130 = 130, // obsolete + obsolete_131 = 131, // obsolete + obsolete_132 = 132, // obsolete + obsolete_133 = 133, // obsolete + obsolete_134 = 134, // obsolete + obsolete_135 = 135, // obsolete EvPreProcessExpBlackzero = 136, EvPreProcessExpBlackone = 137, EvPreProcessExpBlacktwo = 138, @@ -231,7 +235,7 @@ enum ProcEventCode { EvCATAutoAdap = 205, EvPFCurve = 206, EvWBequal = 207, - EvWBequalbo = 208, + obsolete_208 = 208, EvGradientDegree = 209, EvGradientEnabled = 210, EvPCVignetteStrength = 211, @@ -272,7 +276,7 @@ enum ProcEventCode { EvLLHCurve = 246, EvLHHCurve = 247, EvDirPyrEqualizerThreshold = 248, - EvDPDNenhance = 249, + obsolete_249 = 249, EvBWMethodalg = 250, EvDirPyrEqualizerSkin = 251, EvDirPyrEqlgamutlab = 252, @@ -296,8 +300,8 @@ enum ProcEventCode { EvColorToningbluehigh = 270, EvColorToningbalance = 271, EvColorToningNeutral = 272, - EvColorToningsatlow = 273, - EvColorToningsathigh = 274, + obsolete_273 = 273, + obsolete_274 = 274, EvColorToningTwocolor = 275, EvColorToningNeutralcur = 276, EvColorToningLumamode = 277, @@ -322,7 +326,7 @@ enum ProcEventCode { EvDPDNsmet = 296, EvPreProcessDeadPixel = 297, EvDPDNCCCurve = 298, - EvDPDNautochroma = 299, + obsolete_299 = 299, EvDPDNLmet = 300, EvDPDNCmet = 301, EvDPDNC2met = 302, @@ -431,7 +435,7 @@ enum ProcEventCode { EvWavNPmet = 405, EvretinexMethod = 406, EvLneigh = 407, - EvLgain = 408, + obsolete_408 = 408, EvLoffs = 409, EvLstr = 410, EvLscal = 411, @@ -495,7 +499,7 @@ enum ProcEventCode { // EvPixelShiftMedian3 = 469, EvPixelShiftMotionMethod = 470, EvPixelShiftSmooth = 471, - EvPixelShiftLmmse = 472, + obsolete_472 = 472, EvPixelShiftEqualBright = 473, EvPixelShiftEqualBrightChannel = 474, EvCATtempout = 475, @@ -626,7 +630,7 @@ enum ProcEventCode { Evlocallabstreng = 600, Evlocallabsensisf = 601, Evlocallabsharblur = 602, - EvLocenalabregion = 603, + obsolete_603 = 603, EvlocallabshowmaskMethod = 604, EvLocallabSpotSelectedWithMask = 605, EvlocallabCCmaskshape = 606, @@ -870,7 +874,7 @@ enum ProcEventCode { EvLocenalog = 844, EvLocallabAuto = 845, EvlocallabsourceGray = 846, - EvlocallabsourceGrayAuto = 847, + obsolete_847 = 847, EvlocallabAutogray = 848, EvlocallabblackEv = 849, EvlocallabwhiteEv = 850, diff --git a/rtengine/refreshmap.cc b/rtengine/refreshmap.cc index fe730c203..d45283c38 100644 --- a/rtengine/refreshmap.cc +++ b/rtengine/refreshmap.cc @@ -28,7 +28,7 @@ // Aligned so the first entry starts on line 30. int refreshmap[rtengine::NUMOFEVENTS] = { ALL, // EvPhotoLoaded, - ALL, // EvProfileLoaded, + 0, // EvProfileLoaded : obsolete, ALL, // EvProfileChanged, ALL, // EvHistoryBrowsed, AUTOEXP, // EvBrightness, @@ -42,9 +42,9 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP, // EvClip, LUMINANCECURVE, // EvLBrightness, LUMINANCECURVE, // EvLContrast, - LUMINANCECURVE, // EvLBlack, - LUMINANCECURVE, // EvLHLCompr, - LUMINANCECURVE, // EvLSHCompr, + 0, // EvLBlack : obsolete, + 0, // EvLHLCompr : obsolete, + 0, // EvLSHCompr : obsolete, LUMINANCECURVE, // EvLLCurve, SHARPENING, // EvShrEnabled, SHARPENING, // EvShrRadius, @@ -81,7 +81,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { LUMINANCECURVE, // EvSHShadows, LUMINANCECURVE, // EvSHHLTonalW, LUMINANCECURVE, // EvSHSHTonalW, - AUTOEXP, // EvSHLContrast, + 0, // EvSHLContrast : obsolete, LUMINANCECURVE, // EvSHRadius, ALLNORAW, // EvCTRotate, ALLNORAW, // EvCTHFlip, @@ -93,7 +93,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { CROP, // EvCrop, HDR, // EvCACorr, ALLNORAW, // EvHREnabled, - ALLNORAW, // EvHRAmount, + 0, // EvHRAmount : obsolete, ALLNORAW, // EvHRMethod, DEMOSAIC, // EvWProfile, OUTPUTPROFILE, // EvOProfile, @@ -104,12 +104,12 @@ int refreshmap[rtengine::NUMOFEVENTS] = { RESIZE, // EvResizeMethod, EXIF, // EvExif, IPTC, // EvIPTC - RESIZE, // EvResizeSpec, + 0, // EvResizeSpec : obsolete, RESIZE, // EvResizeWidth RESIZE, // EvResizeHeight RESIZE, // EvResizeEnabled ALL, // EvProfileChangeNotification - RETINEX, // EvShrHighQuality + 0, // EvSHHighQuality : obsolete HDR, // EvPerspCorr DARKFRAME, // EvLCPFile AUTOEXP, // EvRGBrCurveLumamode @@ -157,12 +157,12 @@ int refreshmap[rtengine::NUMOFEVENTS] = { FLATFIELD, // EvFlatFieldBlurRadius, FLATFIELD, // EvFlatFieldBlurType, HDR, // EvAutoDIST, - ALLNORAW, // EvDPDNLumCurve, - ALLNORAW, // EvDPDNChromCurve, - GAMMA, // EvGAMMA - GAMMA, // EvGAMPOS - GAMMA, // EvGAMFREE - GAMMA, // EvSLPOS + 0, // EvDPDNLumCurve : obsolete + 0, // EvDPDNChromCurve : obsolete + 0, // EvGAMMA : obsolete + 0, // EvGAMPOS : obsolete + 0, // EvGAMFREE : obsolete + 0, // EvSLPOS : obsolete DARKFRAME, // EvPreProcessExpBlackzero DARKFRAME, // EvPreProcessExpBlackone DARKFRAME, // EvPreProcessExpBlacktwo @@ -200,7 +200,6 @@ int refreshmap[rtengine::NUMOFEVENTS] = { LUMINANCECURVE, // EvLLCCurve LUMINANCECURVE, // EvLLCredsk ALLNORAW, // EvDPDNLdetail - //ALLNORAW, // EvCATEnabled LUMINANCECURVE, // EvCATEnabled LUMINANCECURVE, // EvCATDegree LUMINANCECURVE, // EvCATMethodsur @@ -236,7 +235,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { LUMINANCECURVE, // EvCATAutoadap DEFRINGE, // EvPFCurve ALLNORAW, // EvWBequal - ALLNORAW, // EvWBequalbo + 0, // EvWBequalbo : obsolete HDR, // EvGradientDegree HDR, // EvGradientEnabled HDR, // EvPCVignetteStrength @@ -277,7 +276,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { LUMINANCECURVE, // EvLLHCurve LUMINANCECURVE, // EvLHHCurve ALLNORAW, // EvDirPyrEqualizerThreshold - ALLNORAW, // EvDPDNenhance + 0, // EvDPDNenhance : obsolete AUTOEXP, // EvBWMethodalg ALLNORAW, // EvDirPyrEqualizerSkin ALLNORAW, // EvDirPyrEqlgamutlab @@ -301,8 +300,8 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP, // EvColorToningbluehigh AUTOEXP, // EvColorToningbalance AUTOEXP, // EvColorToningNeutral - AUTOEXP, // EvColorToningsatlow - AUTOEXP, // EvColorToningsathigh + 0, // EvColorToningsatlow : obsolete + 0, // EvColorToningsathigh : obsolete AUTOEXP, // EvColorToningTwocolor AUTOEXP, // EvColorToningNeutralcur AUTOEXP, // EvColorToningLumamode @@ -327,7 +326,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { ALLNORAW, // EvDPDNsmet DARKFRAME, // EvPreProcessDeadPixel ALLNORAW, // EvDPDNCCCurve - ALLNORAW, // EvDPDNautochroma + 0, // EvDPDNautochroma : obsolete ALLNORAW, // EvDPDNLmet ALLNORAW, // EvDPDNCmet ALLNORAW, // EvDPDNC2met @@ -436,7 +435,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { DIRPYREQUALIZER, // EvWavNPmet DEMOSAIC, // EvretinexMethod RETINEX, // EvLneigh - RETINEX, // EvLgain + 0, // EvLgain : obsolete RETINEX, // EvLoffs RETINEX, // EvLstr RETINEX, // EvLscal @@ -500,7 +499,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { 0, // unused DEMOSAIC, // EvPixelShiftMotionMethod DEMOSAIC, // EvPixelShiftSmooth - DEMOSAIC, // EvPixelShiftLmmse + 0, // EvPixelShiftLmmse : obsolete DEMOSAIC, // EvPixelShiftEqualBright DEMOSAIC, // EvPixelShiftEqualBrightChannel LUMINANCECURVE, // EvCATtempout @@ -631,7 +630,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP, // EvLocallabstreng AUTOEXP, // EvLocallabsensisf AUTOEXP, // Evlocallabsharblur - AUTOEXP, // EvLocenalabregion + 0, // EvLocenalabregion : obsolete AUTOEXP, // EvlocallabshowmaskMethod AUTOEXP, // EvLocallabSpotSelectedWithMask AUTOEXP, // EvlocallabCCmaskshape @@ -875,7 +874,7 @@ int refreshmap[rtengine::NUMOFEVENTS] = { AUTOEXP | M_AUTOEXP, // EvLocenalog HDR, // EvLocallabAuto AUTOEXP, // EvlocallabsourceGray - HDR, // EvlocallabsourceGrayAuto + 0, // EvlocallabsourceGrayAuto : obsolete HDR, // EvlocallabAutoGray AUTOEXP, // EvlocallabblackEv AUTOEXP, // EvlocallabwhiteEv From 262d00bf1b5435e2baad377682bed9500260b1f6 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 23 Jul 2022 15:52:19 -0700 Subject: [PATCH 072/170] Fix incomplete changing of input profile Closes #6533. --- rtgui/icmpanel.cc | 16 +++++++++++----- 1 file changed, 11 insertions(+), 5 deletions(-) diff --git a/rtgui/icmpanel.cc b/rtgui/icmpanel.cc index 90528e831..4f9a2f3ea 100644 --- a/rtgui/icmpanel.cc +++ b/rtgui/icmpanel.cc @@ -1906,23 +1906,29 @@ void ICMPanel::ipChanged() { Glib::ustring profname; + Glib::ustring localized_profname; if (inone->get_active()) { - profname = inone->get_label(); + profname = "(none)"; + localized_profname = inone->get_label(); } else if (iembedded->get_active()) { - profname = iembedded->get_label(); + profname = "(embedded)"; + localized_profname = iembedded->get_label(); } else if (icamera->get_active()) { - profname = icamera->get_label(); + profname = "(camera)"; + localized_profname = icamera->get_label(); } else if (icameraICC->get_active()) { - profname = icameraICC->get_label(); + profname = "(cameraICC)"; + localized_profname = icameraICC->get_label(); } else { profname = ipDialog->get_filename(); + localized_profname = profname; } updateDCP(-1, profname); if (listener && profname != oldip) { - listener->panelChanged(EvIProfile, profname); + listener->panelChanged(EvIProfile, localized_profname); } oldip = profname; From c3a6b4822a6d9276938d8c6a3172ebda3de1c0e0 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 14 Aug 2022 22:17:05 -0700 Subject: [PATCH 073/170] Automated builds: Patch lensfun-update-data script (#6549) * Patch lensfun-update-data in automated builds * Fix Windows build libffi DLL version --- .github/workflows/appimage.yml | 2 ++ .github/workflows/windows.yml | 4 +++- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index e8e9f44a1..105f2c840 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -76,6 +76,8 @@ jobs: - name: Include Lensfun run: | + echo "Patching lensfun-update-data script." + sudo sed -i 's/HTTPError\(, ValueError\)/URLError\1/' $(which lensfun-update-data) echo "Updating Lensfun database." lensfun-update-data echo "Creating Lensfun directory in the build directory." diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index c2e59a099..456b365d2 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -82,6 +82,8 @@ jobs: - name: Include Lensfun run: | + echo "Patching lensfun-update-data script." + sed -i 's/HTTPError\(, ValueError\)/URLError\1/' $(which lensfun-update-data) echo "Updating Lensfun database." lensfun-update-data echo "Creating Lensfun directory in the build directory." @@ -115,7 +117,7 @@ jobs: "libdeflate.dll" \ "libepoxy-0.dll" \ "libexpat-1.dll" \ - "libffi-7.dll" \ + libffi-*.dll \ "libfftw3f-3.dll" \ "libfontconfig-1.dll" \ "libfreetype-6.dll" \ From 0b10a092fd1446f4f4b2191e64017c76dcced1d6 Mon Sep 17 00:00:00 2001 From: Desmis Date: Wed, 17 Aug 2022 07:11:11 +0200 Subject: [PATCH 074/170] Optimize FFTW (when used) - when full image is selected (#6545) Co-authored-by: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> --- rtengine/iplocallab.cc | 65 +++++++++++++++++++++++++++++++++++------- 1 file changed, 54 insertions(+), 11 deletions(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 273e4a8cb..9a39f7c1d 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -617,6 +617,7 @@ struct local_params { float laplacexp; float balanexp; float linear; + int fullim; int expmet; int softmet; int blurmet; @@ -895,7 +896,15 @@ static void calcLocalParams(int sp, int oW, int oH, const LocallabParams& locall lp.laplacexp = locallab.spots.at(sp).laplacexp; lp.balanexp = locallab.spots.at(sp).balanexp; lp.linear = locallab.spots.at(sp).linear; - + if (locallab.spots.at(sp).spotMethod == "norm") { + lp.fullim = 0; + } else if(locallab.spots.at(sp).spotMethod == "exc"){ + lp.fullim = 1; + } else if (locallab.spots.at(sp).spotMethod == "full"){ + lp.fullim = 2; + } + // printf("Lpfullim=%i\n", lp.fullim); + lp.fftColorMask = locallab.spots.at(sp).fftColorMask; lp.prevdE = prevDeltaE; lp.showmaskcolmet = llColorMask; @@ -8317,10 +8326,20 @@ const int fftw_size[] = {18144, 18000, 17920, 17836, 17820, 17640, 17600, 17550, int N_fftwsize = sizeof(fftw_size) / sizeof(fftw_size[0]); -void optfft(int N_fftwsize, int &bfh, int &bfw, int &bfhr, int &bfwr, struct local_params& lp, int H, int W, int &xstart, int &ystart, int &xend, int ¥d, int cx, int cy) +void optfft(int N_fftwsize, int &bfh, int &bfw, int &bfhr, int &bfwr, struct local_params& lp, int H, int W, int &xstart, int &ystart, int &xend, int ¥d, int cx, int cy, int fulima) { int ftsizeH = 1; int ftsizeW = 1; + int deltaw = 150; + int deltah = 150; + + if(W < 4000) { + deltaw = 80; + } + if(H < 4000) { + deltah = 80; + } + for (int ft = 0; ft < N_fftwsize; ft++) { //find best values if (fftw_size[ft] <= bfh) { @@ -8335,6 +8354,31 @@ void optfft(int N_fftwsize, int &bfh, int &bfw, int &bfhr, int &bfwr, struct loc break; } } + + if(fulima == 2) {// if full image, the ftsizeH and ftsizeW is a bit larger (about 10 to 200 pixels) than the image dimensions so that it is fully processed (consumes a bit more resources) + for (int ftfu = 0; ftfu < N_fftwsize; ftfu++) { //find best values + if (fftw_size[ftfu] <= (H + deltah)) { + ftsizeH = fftw_size[ftfu]; + break; + } + } + for (int ftfu = 0; ftfu < N_fftwsize; ftfu++) { //find best values + if (fftw_size[ftfu] <= (W + deltaw)) { + ftsizeW = fftw_size[ftfu]; + break; + } + } + } + + if (settings->verbose) { + if(fulima == 2) { + printf("Full image: ftsizeWF=%i ftsizeH=%i\n", ftsizeW, ftsizeH); + + } else { + printf("ftsizeW=%i ftsizeH=%i\n", ftsizeW, ftsizeH); + } + } + //optimize with size fftw bool reduW = false; @@ -8373,7 +8417,6 @@ void optfft(int N_fftwsize, int &bfh, int &bfw, int &bfhr, int &bfwr, struct loc reduW = true; exec = false; } - //new values optimized ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, H); @@ -8552,7 +8595,7 @@ void ImProcFunctions::transit_shapedetect2(int sp, float meantm, float stdtm, in int bfhr = bfh; int bfwr = bfw; if (lp.blurcolmask >= 0.25f && lp.fftColorMask && call == 2) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } bfh = bfhr; @@ -13660,7 +13703,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh >= mSP) { if (lp.blurmet == 0 && (fft || lp.rad > 30.0)) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } const std::unique_ptr bufgbi(new LabImage(TW, TH)); @@ -14977,7 +15020,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh > mSP) { if (lp.ftwreti) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } array2D buflight(bfw, bfh); @@ -16141,7 +16184,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh >= mSP) { if (lp.softmet == 1) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } const std::unique_ptr bufexporig(new LabImage(bfw, bfh)); @@ -16267,7 +16310,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSPwav && bfh >= mSPwav) {//avoid too small spot for wavelet if (lp.ftwlc) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } std::unique_ptr bufmaskblurlc; @@ -16983,7 +17026,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh >= mSP) { if (lp.expmet == 1 || lp.expmet == 0) { - optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfhr, bfwr, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } const std::unique_ptr bufexporig(new LabImage(bfw, bfh)); @@ -17513,7 +17556,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh >= mSP) { if (lp.blurcolmask >= 0.25f && lp.fftColorMask && call == 2) { - optfft(N_fftwsize, bfh, bfw, bfh, bfw, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfh, bfw, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } std::unique_ptr bufcolorig; @@ -18783,7 +18826,7 @@ void ImProcFunctions::Lab_Local( if (bfw >= mSP && bfh >= mSP) { if (lp.blurma >= 0.25f && lp.fftma && call == 2) { - optfft(N_fftwsize, bfh, bfw, bfh, bfw, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy); + optfft(N_fftwsize, bfh, bfw, bfh, bfw, lp, original->H, original->W, xstart, ystart, xend, yend, cx, cy, lp.fullim); } array2D blechro(bfw, bfh); array2D ble(bfw, bfh); From f56f0358c11f01308a3de87fb7f7e854ca1efb71 Mon Sep 17 00:00:00 2001 From: jrockwar <31840085+jrockwar@users.noreply.github.com> Date: Thu, 18 Aug 2022 15:48:48 +0100 Subject: [PATCH 075/170] enable installation on arm64 processors on windows (#6481) --- UpdateInfo.cmake | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/UpdateInfo.cmake b/UpdateInfo.cmake index 473c68364..b0c2bdff6 100644 --- a/UpdateInfo.cmake +++ b/UpdateInfo.cmake @@ -106,9 +106,9 @@ if(WIN32) elseif(BIT_DEPTH EQUAL 8) set(BUILD_BIT_DEPTH 64) # Restricting the 64 bits builds to 64 bits systems only - set(ARCHITECTURE_ALLOWED "x64 ia64") + set(ARCHITECTURE_ALLOWED "x64 ia64 arm64") # installing in 64 bits mode for all 64 bits processors, even for itanium architecture - set(INSTALL_MODE "x64 ia64") + set(INSTALL_MODE "x64 ia64 arm64") endif() # set part of the output archive name set(SYSTEM_NAME "WinVista") From 65db39b9f8a36ca2abbbb6d54c182cad3f002a30 Mon Sep 17 00:00:00 2001 From: luzpaz Date: Thu, 18 Aug 2022 10:49:26 -0400 Subject: [PATCH 076/170] Fix various typos (#6529) --- rtengine/ciecam02.cc | 2 +- rtengine/iplocallab.cc | 41 +++++++++++++++++++++-------------------- rtengine/ipwavelet.cc | 4 ++-- rtgui/filepanel.cc | 2 +- 4 files changed, 25 insertions(+), 24 deletions(-) diff --git a/rtengine/ciecam02.cc b/rtengine/ciecam02.cc index 3895820d2..25f0c852d 100644 --- a/rtengine/ciecam02.cc +++ b/rtengine/ciecam02.cc @@ -738,7 +738,7 @@ void Ciecam02::jzczhzxyz (double &x, double &y, double &z, double jz, double az, Lp = Iz + 0.138605043271539 * az + 0.0580473161561189 * bz; Mp = Iz - 0.138605043271539 * az - 0.0580473161561189 * bz; Sp = Iz - 0.0960192420263189 * az - 0.811891896056039 * bz; - //I change optionnaly 10000 for pl function of la(absolute luminance) default 10000 + //I change optionally 10000 for pl function of la(absolute luminance) default 10000 tmp = pow(Lp, Jzazbz_pi); if(std::isnan(tmp)) {//to avoid crash diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 9a39f7c1d..e3256d1ce 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -3325,7 +3325,7 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L } } } - //others "Lab" threatment...to adapt + //others "Lab" treatment...to adapt if(wavcurvejz || mjjz != 0.f || lp.mCjz != 0.f) {//local contrast wavelet and clarity #ifdef _OPENMP @@ -3689,7 +3689,7 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L if(mocam == 0 || mocam == 1 || call == 1 || call == 2 || call == 10) {//call=2 vibrance warm-cool - call = 10 take into account "mean luminance Yb for Jz //begin ciecam if (settings->verbose && (mocam == 0 || mocam == 1 || call == 1)) {//display only if choice cam16 - //informations on Cam16 scene conditions - allows user to see choices's incidences + //information on Cam16 scene conditions - allows user to see choices's incidences float maxicam = -1000.f; float maxicamq = -1000.f; float maxisat = -1000.f; @@ -8098,7 +8098,8 @@ void ImProcFunctions::InverseColorLight_Local(bool tonequ, bool tonecurv, int sp void ImProcFunctions::calc_ref(int sp, LabImage * original, LabImage * transformed, int cx, int cy, int oW, int oH, int sk, double & huerefblur, double & chromarefblur, double & lumarefblur, double & hueref, double & chromaref, double & lumaref, double & sobelref, float & avg, const LocwavCurve & locwavCurveden, bool locwavdenutili) { if (params->locallab.enabled) { - //always calculate hueref, chromaref, lumaref before others operations use in normal mode for all modules exceprt denoise + // always calculate hueref, chromaref, lumaref before others operations + // use in normal mode for all modules except denoise struct local_params lp; calcLocalParams(sp, oW, oH, params->locallab, lp, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, locwavCurveden, locwavdenutili); int begy = lp.yc - lp.lyT; @@ -10538,7 +10539,7 @@ void ImProcFunctions::wavcontrast4(struct local_params& lp, float ** tmp, float } - //gamma and slope residual image - be carefull memory + //gamma and slope residual image - be careful memory bool tonecur = false; const Glib::ustring profile = params->icm.workingProfile; bool isworking = (profile == "sRGB" || profile == "Adobe RGB" || profile == "ProPhoto" || profile == "WideGamut" || profile == "BruceRGB" || profile == "Beta RGB" || profile == "BestRGB" || profile == "Rec2020" || profile == "ACESp0" || profile == "ACESp1"); @@ -10585,7 +10586,7 @@ void ImProcFunctions::wavcontrast4(struct local_params& lp, float ** tmp, float cmsHTRANSFORM dummy = nullptr; int ill =0; workingtrc(tmpImage, tmpImage, W_Level, H_Level, -5, prof, 2.4, 12.92310, ill, 0, dummy, true, false, false); - workingtrc(tmpImage, tmpImage, W_Level, H_Level, 1, prof, lp.residgam, lp.residslop, ill, 0, dummy, false, true, true);//be carefull no gamut control + workingtrc(tmpImage, tmpImage, W_Level, H_Level, 1, prof, lp.residgam, lp.residslop, ill, 0, dummy, false, true, true);//be careful no gamut control rgb2lab(*tmpImage, *labresid, params->icm.workingProfile); delete tmpImage; @@ -10968,7 +10969,7 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl float gamma = lp.noisegam; rtengine::GammaValues g_a; //gamma parameters double pwr = 1.0 / (double) lp.noisegam;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope if(gamma > 1.f) { @@ -11683,7 +11684,7 @@ void ImProcFunctions::DeNoise(int call, float * slidL, float * slida, float * sl float gamma = lp.noisegam; rtengine::GammaValues g_a; //gamma parameters double pwr = 1.0 / (double) lp.noisegam;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope if(gamma > 1.f) { #ifdef _OPENMP @@ -15775,7 +15776,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = params->locallab.spots.at(sp).vibgam; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { #ifdef _OPENMP @@ -15800,7 +15801,7 @@ void ImProcFunctions::Lab_Local( // float gamma = params->locallab.spots.at(sp).vibgam; // rtengine::GammaValues g_a; //gamma parameters // double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab - // double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + // double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab // rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { @@ -16526,7 +16527,7 @@ void ImProcFunctions::Lab_Local( float gamma = lp.gamlc; rtengine::GammaValues g_a; //gamma parameters double pwr = 1.0 / (double) lp.gamlc;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope if(gamma != 1.f) { @@ -16825,7 +16826,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = params->locallab.spots.at(sp).shargam; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { #ifdef _OPENMP @@ -16851,7 +16852,7 @@ void ImProcFunctions::Lab_Local( /* float gamma = params->locallab.spots.at(sp).shargam; double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope */ if(gamma1 != 1.f) { @@ -16880,7 +16881,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = params->locallab.spots.at(sp).shargam; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { #ifdef _OPENMP @@ -16904,7 +16905,7 @@ void ImProcFunctions::Lab_Local( /* float gamma = params->locallab.spots.at(sp).shargam; double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope */ if(gamma1 != 1.f) { @@ -16946,7 +16947,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = params->locallab.spots.at(sp).shargam; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { #ifdef _OPENMP @@ -16971,7 +16972,7 @@ void ImProcFunctions::Lab_Local( /* float gamma = params->locallab.spots.at(sp).shargam; double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope */ if(gamma1 != 1.f) { @@ -17057,7 +17058,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = lp.gamex; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) lp.gamex;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { @@ -17377,7 +17378,7 @@ void ImProcFunctions::Lab_Local( float gamma = lp.gamex; rtengine::GammaValues g_a; //gamma parameters double pwr = 1.0 / (double) lp.gamex;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope */ if(gamma1 != 1.f) { @@ -17616,7 +17617,7 @@ void ImProcFunctions::Lab_Local( float gamma1 = lp.gamc; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) lp.gamc;//default 3.0 - gamma Lab - double ts1 = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts1 = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr1, ts1, g_a); // call to calcGamma with selected gamma and slope if(gamma1 != 1.f) { @@ -18644,7 +18645,7 @@ void ImProcFunctions::Lab_Local( float gamma = lp.gamc; rtengine::GammaValues g_a; //gamma parameters double pwr = 1.0 / (double) lp.gamc;//default 3.0 - gamma Lab - double ts = 9.03296;//always the same 'slope' in the extrem shadows - slope Lab + double ts = 9.03296;//always the same 'slope' in the extreme shadows - slope Lab rtengine::Color::calcGamma(pwr, ts, g_a); // call to calcGamma with selected gamma and slope */ if(gamma1 != 1.f) { diff --git a/rtengine/ipwavelet.cc b/rtengine/ipwavelet.cc index 2ac5b9b78..a545c719a 100644 --- a/rtengine/ipwavelet.cc +++ b/rtengine/ipwavelet.cc @@ -658,7 +658,7 @@ void ImProcFunctions::ip_wavelet(LabImage * lab, LabImage * dst, int kall, const maxlevelcrop = 10; } - // adap maximum level wavelet to size of crop + // adapt maximum level wavelet to size of crop if (minwin * skip < 1024) { maxlevelcrop = 9; //sampling wavelet 512 } @@ -694,7 +694,7 @@ void ImProcFunctions::ip_wavelet(LabImage * lab, LabImage * dst, int kall, const levwav = rtengine::min(maxlevelcrop, levwav); - // I suppress this fonctionality ==> crash for level < 3 + // I suppress this functionality ==> crash for level < 3 if (levwav < 1) { return; // nothing to do } diff --git a/rtgui/filepanel.cc b/rtgui/filepanel.cc index 304a7cf17..9dc2a656c 100644 --- a/rtgui/filepanel.cc +++ b/rtgui/filepanel.cc @@ -305,7 +305,7 @@ bool FilePanel::imageLoaded( Thumbnail* thm, ProgressConnector 0 && winGdiHandles <= 6500) //(old settings 8500) 0 means we don't have the rights to access the function, 8500 because the limit is 10000 and we need about 1500 free handles - //J.Desmis october 2021 I change 8500 to 6500..Why ? because whitout while increasing size GUI system crash in multieditor + //J.Desmis october 2021 I change 8500 to 6500..Why ? because without while increasing size GUI system crash in multieditor #endif { GThreadLock lock; // Acquiring the GUI... not sure that it's necessary, but it shouldn't harm From d8320bc8b75c49a687fd9b93f7c1b16cb8eb92ed Mon Sep 17 00:00:00 2001 From: Philippe Daouadi Date: Thu, 18 Aug 2022 16:50:19 +0200 Subject: [PATCH 077/170] Add Canon EOS R3, R7 and R10 support (#6543) --- rtengine/camconst.json | 19 +++++++++++++++++-- rtengine/dcraw.cc | 12 ++++++++++++ 2 files changed, 29 insertions(+), 2 deletions(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 1f4d9adcf..2b243e04a 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1208,12 +1208,17 @@ Camera constants: "ranges" : { "white" : 16367 } // Typically 16383 without LENR, with LENR safest value is 15800 for ISO 25600 }, + { // Quality C + "make_model": "Canon EOS R3", + "dcraw_matrix" : [9423,-2839,-1195,-4532,12377,2415,-483,1374,5276] + }, + { // Quality C "make_model": "Canon EOS R5", "dcraw_matrix" : [9766, -2953, -1254, -4276, 12116, 2433, -437, 1336, 5131], "raw_crop" : [ 128, 96, 8224, 5490 ], "masked_areas" : [ 94, 20, 5578, 122 ], - "ranges" : { "white" : 16382 } + "ranges" : { "white" : 16382 } }, { // Quality C @@ -1224,6 +1229,16 @@ Camera constants: "ranges" : { "white" : 16382 } }, + { // Quality C + "make_model": "Canon EOS R7", + "dcraw_matrix" : [10424, -3138, -1300, -4221, 11938, 2584, -547, 1658, 6183] + }, + + { // Quality C + "make_model": "Canon EOS R10", + "dcraw_matrix" : [9269, -2012, -1107, -3990, 11762, 2527, -569, 2093, 4913] + }, + { // Quality C, CHDK DNGs, raw frame correction "make_model": "Canon PowerShot A3100 IS", "raw_crop": [ 24, 12, 4032, 3024 ] // full size 4036X3026 @@ -1702,7 +1717,7 @@ Camera constants: { // Quality A, samples provided by dimonoid (#5842) "make_model": "NIKON COOLPIX P1000", "dcraw_matrix": [ 14294, -6116, -1333, -1628, 10219, 1637, -14, 1158, 5022 ], // ColorMatrix2 from Adobe DNG Converter 11.4 - "ranges": { + "ranges": { "black": 200, "white": [ 4000, 4050, 3950 ] // Typical values without LENR: 4009, 4093, 3963 } // No significant influence of ISO diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 85d0b0b33..e8202ea02 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6091,6 +6091,18 @@ get2_256: offsetChannelBlackLevel2 = save1 + (0x157 << 1); offsetWhiteLevels = save1 + (0x32a << 1); break; + case 3973: // R3; ColorDataSubVer: 34 + case 3778: // R7, R10; ColorDataSubVer: 48 + // imCanon.ColorDataVer = 11; + imCanon.ColorDataSubVer = get2(); + + fseek(ifp, save1 + ((0x0069+0x0064) << 1), SEEK_SET); + FORC4 cam_mul[c ^ (c >> 1)] = (float)get2(); + + offsetChannelBlackLevel2 = save1 + ((0x0069+0x0102) << 1); + offsetChannelBlackLevel = save1 + ((0x0069+0x0213) << 1); + offsetWhiteLevels = save1 + ((0x0069+0x0217) << 1); + break; } if (offsetChannelBlackLevel) From f564394bbce9c66a93e5d0b5b2d7b68131b9bf27 Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Thu, 18 Aug 2022 17:00:49 +0200 Subject: [PATCH 078/170] dfmanager cleanup (#6211) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * Turn `DFManager` into a singleton * PIMPL `DFManager` * Cleanup namespace usage in `dfmanager.cc` * Constify `DFManager` interface * Fix bad `reinterpret_cast` between `std::string` and `Glib::ustring` Co-authored-by: Flössie Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> --- rtengine/dfmanager.cc | 699 +++++++++++++++++++++---------------- rtengine/dfmanager.h | 91 ++--- rtengine/init.cc | 2 +- rtengine/rawimagesource.cc | 16 +- rtengine/rawimagesource.h | 2 +- rtgui/darkframe.cc | 4 +- rtgui/darkframe.h | 2 +- rtgui/filebrowser.cc | 2 +- rtgui/preferences.cc | 6 +- rtgui/toolpanelcoord.cc | 4 +- rtgui/toolpanelcoord.h | 2 +- 11 files changed, 439 insertions(+), 391 deletions(-) diff --git a/rtengine/dfmanager.cc b/rtengine/dfmanager.cc index e551c9aad..34215e58c 100644 --- a/rtengine/dfmanager.cc +++ b/rtengine/dfmanager.cc @@ -17,28 +17,82 @@ * along with RawTherapee. If not, see . */ -#include -#include +#include #include +#include +#include +#include +#include + #include #include #include "dfmanager.h" -#include "../rtgui/options.h" -#include "rawimage.h" + #include "imagedata.h" +#include "jaggedarray.h" +#include "noncopyable.h" +#include "pixelsmap.h" +#include "rawimage.h" #include "utils.h" -namespace rtengine +#include "../rtgui/options.h" + +namespace { -// *********************** class dfInfo ************************************** +std::string toUppercase(const std::string& string) +{ + return Glib::ustring(string).uppercase(); +} + +class dfInfo final +{ +public: + Glib::ustring pathname; // filename of dark frame + std::list pathNames; // other similar dark frames, used for average + std::string maker; // manufacturer + std::string model; // model + int iso; // ISO (gain) + double shutter; // shutter or exposure time in sec + time_t timestamp; // seconds since 1 Jan 1970 + + + dfInfo(const Glib::ustring &name, const std::string &mak, const std::string &mod, int iso, double shut, time_t t) + : pathname(name), maker(mak), model(mod), iso(iso), shutter(shut), timestamp(t), ri(nullptr) {} + + dfInfo(const dfInfo &o) + : pathname(o.pathname), maker(o.maker), model(o.model), iso(o.iso), shutter(o.shutter), timestamp(o.timestamp), ri(nullptr) {} + ~dfInfo(); + + dfInfo &operator =(const dfInfo &o); + + // Calculate virtual distance between two shots; different model return infinite + double distance(const std::string &mak, const std::string &mod, int iso, double shutter) const; + + static std::string key(const std::string &mak, const std::string &mod, int iso, double shut); + std::string key() const + { + return key(maker, model, iso, shutter); + } + + const rtengine::RawImage* getRawImage(); + const std::vector& getHotPixels(); + +private: + rtengine::RawImage* ri; // Dark Frame raw data + std::vector badPixels; // Extracted hot pixels + + void updateBadPixelList(const rtengine::RawImage* df); + void updateRawImage(); +}; + dfInfo::~dfInfo() { delete ri; } -inline dfInfo& dfInfo::operator =(const dfInfo &o) +inline dfInfo& dfInfo::operator = (const dfInfo &o) { if (this != &o) { pathname = o.pathname; @@ -48,7 +102,7 @@ inline dfInfo& dfInfo::operator =(const dfInfo &o) shutter = o.shutter; timestamp = o.timestamp; - if( ri ) { + if (ri) { delete ri; ri = nullptr; } @@ -57,38 +111,13 @@ inline dfInfo& dfInfo::operator =(const dfInfo &o) return *this; } -bool dfInfo::operator <(const dfInfo &e2) const -{ - if( this->maker.compare( e2.maker) >= 0 ) { - return false; - } - - if( this->model.compare( e2.model) >= 0 ) { - return false; - } - - if( this->iso >= e2.iso ) { - return false; - } - - if( this->shutter >= e2.shutter ) { - return false; - } - - if( this->timestamp >= e2.timestamp ) { - return false; - } - - return true; -} - -std::string dfInfo::key(const std::string &mak, const std::string &mod, int iso, double shut ) +std::string dfInfo::key(const std::string &mak, const std::string &mod, int iso, double shut) { std::ostringstream s; s << mak << " " << mod << " "; s.width(5); s << iso << "ISO "; - s.precision( 2 ); + s.precision(2); s.width(4); s << shut << "s"; return s.str(); @@ -96,115 +125,106 @@ std::string dfInfo::key(const std::string &mak, const std::string &mod, int iso, double dfInfo::distance(const std::string &mak, const std::string &mod, int iso, double shutter) const { - if( this->maker.compare( mak) != 0 ) { + if (this->maker.compare(mak) != 0) { return INFINITY; } - if( this->model.compare( mod) != 0 ) { + if (this->model.compare(mod) != 0) { return INFINITY; } - double dISO = (log(this->iso / 100.) - log(iso / 100.)) / log(2); - double dShutter = (log(this->shutter) - log(shutter)) / log(2); - return sqrt( dISO * dISO + dShutter * dShutter); + const double dISO = (log(this->iso / 100.) - log(iso / 100.)) / log(2); + const double dShutter = (log(this->shutter) - log(shutter)) / log(2); + return std::sqrt(dISO * dISO + dShutter * dShutter); } -RawImage* dfInfo::getRawImage() +const rtengine::RawImage* dfInfo::getRawImage() { - if(ri) { + if (ri) { return ri; } updateRawImage(); - updateBadPixelList( ri ); + updateBadPixelList(ri); return ri; } -std::vector& dfInfo::getHotPixels() +const std::vector& dfInfo::getHotPixels() { - if( !ri ) { + if (!ri) { updateRawImage(); - updateBadPixelList( ri ); + updateBadPixelList(ri); } return badPixels; } + /* updateRawImage() load into ri the actual pixel data from pathname if there is a single shot * otherwise load each file from the pathNames list and extract a template from the media; * the first file is used also for reading all information other than pixels */ void dfInfo::updateRawImage() { - typedef unsigned int acc_t; - if( !pathNames.empty() ) { - std::list::iterator iName = pathNames.begin(); - ri = new RawImage(*iName); // First file used also for extra pixels information (width,height, shutter, filters etc.. ) + if (!pathNames.empty()) { + std::list::const_iterator iName = pathNames.begin(); + ri = new rtengine::RawImage(*iName); // First file used also for extra pixels information (width,height, shutter, filters etc.. ) - if( ri->loadRaw(true)) { + if (ri->loadRaw(true)) { delete ri; ri = nullptr; } else { - int H = ri->get_height(); - int W = ri->get_width(); + const int H = ri->get_height(); + const int W = ri->get_width(); ri->compress_image(0); - int rSize = W * ((ri->getSensorType() == ST_BAYER || ri->getSensorType() == ST_FUJI_XTRANS) ? 1 : 3); - acc_t **acc = new acc_t*[H]; - - for( int row = 0; row < H; row++) { - acc[row] = new acc_t[rSize ]; - } + const int rSize = W * ((ri->getSensorType() == rtengine::ST_BAYER || ri->getSensorType() == rtengine::ST_FUJI_XTRANS) ? 1 : 3); + rtengine::JaggedArray acc(W, H); // copy first image into accumulators - for (int row = 0; row < H; row++) + for (int row = 0; row < H; row++) { for (int col = 0; col < rSize; col++) { acc[row][col] = ri->data[row][col]; } + } int nFiles = 1; // First file data already loaded - for( ++iName; iName != pathNames.end(); ++iName) { - RawImage* temp = new RawImage(*iName); + for (++iName; iName != pathNames.end(); ++iName) { + rtengine::RawImage temp(*iName); - if( !temp->loadRaw(true)) { - temp->compress_image(0); //\ TODO would be better working on original, because is temporary + if (!temp.loadRaw(true)) { + temp.compress_image(0); //\ TODO would be better working on original, because is temporary nFiles++; - if( ri->getSensorType() == ST_BAYER || ri->getSensorType() == ST_FUJI_XTRANS ) { - for( int row = 0; row < H; row++) { - for( int col = 0; col < W; col++) { - acc[row][col] += temp->data[row][col]; + if (ri->getSensorType() == rtengine::ST_BAYER || ri->getSensorType() == rtengine::ST_FUJI_XTRANS) { + for (int row = 0; row < H; row++) { + for (int col = 0; col < W; col++) { + acc[row][col] += temp.data[row][col]; } } } else { - for( int row = 0; row < H; row++) { - for( int col = 0; col < W; col++) { - acc[row][3 * col + 0] += temp->data[row][3 * col + 0]; - acc[row][3 * col + 1] += temp->data[row][3 * col + 1]; - acc[row][3 * col + 2] += temp->data[row][3 * col + 2]; + for (int row = 0; row < H; row++) { + for (int col = 0; col < W; col++) { + acc[row][3 * col + 0] += temp.data[row][3 * col + 0]; + acc[row][3 * col + 1] += temp.data[row][3 * col + 1]; + acc[row][3 * col + 2] += temp.data[row][3 * col + 2]; } } } } - - delete temp; } - + const float factor = 1.f / nFiles; for (int row = 0; row < H; row++) { for (int col = 0; col < rSize; col++) { - ri->data[row][col] = acc[row][col] / nFiles; + ri->data[row][col] = acc[row][col] * factor; } - - delete [] acc[row]; } - - delete [] acc; } } else { - ri = new RawImage(pathname); + ri = new rtengine::RawImage(pathname); - if( ri->loadRaw(true)) { + if (ri->loadRaw(true)) { delete ri; ri = nullptr; } else { @@ -213,35 +233,36 @@ void dfInfo::updateRawImage() } } -void dfInfo::updateBadPixelList( RawImage *df ) +void dfInfo::updateBadPixelList(const rtengine::RawImage *df) { - if(!df) { + if (!df) { return; } - const float threshold = 10.f / 8.f; + constexpr float threshold = 10.f / 8.f; - if( df->getSensorType() == ST_BAYER || df->getSensorType() == ST_FUJI_XTRANS ) { - std::vector badPixelsTemp; + if (df->getSensorType() == rtengine::ST_BAYER || df->getSensorType() == rtengine::ST_FUJI_XTRANS) { + std::vector badPixelsTemp; #ifdef _OPENMP #pragma omp parallel #endif { - std::vector badPixelsThread; + std::vector badPixelsThread; #ifdef _OPENMP #pragma omp for nowait #endif - for( int row = 2; row < df->get_height() - 2; row++) - for( int col = 2; col < df->get_width() - 2; col++) { - float m = (df->data[row - 2][col - 2] + df->data[row - 2][col] + df->data[row - 2][col + 2] + - df->data[row][col - 2] + df->data[row][col + 2] + - df->data[row + 2][col - 2] + df->data[row + 2][col] + df->data[row + 2][col + 2]); + for (int row = 2; row < df->get_height() - 2; ++row) { + for (int col = 2; col < df->get_width() - 2; ++col) { + const float m = df->data[row - 2][col - 2] + df->data[row - 2][col] + df->data[row - 2][col + 2] + + df->data[row][col - 2] + df->data[row][col + 2] + + df->data[row + 2][col - 2] + df->data[row + 2][col] + df->data[row + 2][col + 2]; - if( df->data[row][col] > m * threshold ) { + if (df->data[row][col] > m * threshold) { badPixelsThread.emplace_back(col, row); } } + } #ifdef _OPENMP #pragma omp critical @@ -250,48 +271,78 @@ void dfInfo::updateBadPixelList( RawImage *df ) } badPixels.insert(badPixels.end(), badPixelsTemp.begin(), badPixelsTemp.end()); } else { - for( int row = 1; row < df->get_height() - 1; row++) - for( int col = 1; col < df->get_width() - 1; col++) { + for (int row = 1; row < df->get_height() - 1; ++row) { + for (int col = 1; col < df->get_width() - 1; ++col) { float m[3]; - for( int c = 0; c < 3; c++) { - m[c] = (df->data[row - 1][3 * (col - 1) + c] + df->data[row - 1][3 * col + c] + df->data[row - 1][3 * (col + 1) + c] + - df->data[row] [3 * (col - 1) + c] + df->data[row] [3 * col + c] + - df->data[row + 1][3 * (col - 1) + c] + df->data[row + 1][3 * col + c] + df->data[row + 1][3 * (col + 1) + c]); + for (int c = 0; c < 3; c++) { + m[c] = df->data[row - 1][3 * (col - 1) + c] + df->data[row - 1][3 * col + c] + df->data[row - 1][3 * (col + 1) + c] + + df->data[row] [3 * (col - 1) + c] + df->data[row] [3 * col + c] + + df->data[row + 1][3 * (col - 1) + c] + df->data[row + 1][3 * col + c] + df->data[row + 1][3 * (col + 1) + c]; } - if( df->data[row][3 * col] > m[0]*threshold || df->data[row][3 * col + 1] > m[1]*threshold || df->data[row][3 * col + 2] > m[2]*threshold) { + if (df->data[row][3 * col] > m[0]*threshold || df->data[row][3 * col + 1] > m[1]*threshold || df->data[row][3 * col + 2] > m[2]*threshold) { badPixels.emplace_back(col, row); } } + } } - if( settings->verbose ) { + if (rtengine::settings->verbose) { std::cout << "Extracted " << badPixels.size() << " pixels from darkframe:" << df->get_filename().c_str() << std::endl; } } -// ************************* class DFManager ********************************* +} -void DFManager::init(const Glib::ustring& pathname) +class rtengine::DFManager::Implementation final : + public NonCopyable +{ +public: + void init(const Glib::ustring& pathname); + Glib::ustring getPathname() const + { + return currentPath; + }; + void getStat(int& totFiles, int& totTemplates) const; + const RawImage* searchDarkFrame(const std::string& mak, const std::string& mod, int iso, double shut, time_t t); + const RawImage* searchDarkFrame(const Glib::ustring& filename); + const std::vector* getHotPixels(const std::string& mak, const std::string& mod, int iso, double shut, time_t t); + const std::vector* getHotPixels(const Glib::ustring& filename); + const std::vector* getBadPixels(const std::string& mak, const std::string& mod, const std::string& serial) const; + +private: + typedef std::multimap dfList_t; + typedef std::map > bpList_t; + dfList_t dfList; + bpList_t bpList; + bool initialized; + Glib::ustring currentPath; + dfInfo* addFileInfo(const Glib::ustring &filename, bool pool = true); + dfInfo* find(const std::string &mak, const std::string &mod, int isospeed, double shut, time_t t); + int scanBadPixelsFile(const Glib::ustring &filename); +}; + + +void rtengine::DFManager::Implementation::init(const Glib::ustring& pathname) { if (pathname.empty()) { return; } std::vector names; - auto dir = Gio::File::create_for_path (pathname); + const auto dir = Gio::File::create_for_path(pathname); if (!dir || !dir->query_exists()) { return; } try { - auto enumerator = dir->enumerate_children ("standard::name"); + const auto enumerator = dir->enumerate_children("standard::name"); - while (auto file = enumerator->next_file ()) { - names.emplace_back (Glib::build_filename (pathname, file->get_name ())); + while (const auto file = enumerator->next_file()) { + names.emplace_back(Glib::build_filename(pathname, file->get_name())); } } catch (Glib::Exception&) {} @@ -299,40 +350,40 @@ void DFManager::init(const Glib::ustring& pathname) dfList.clear(); bpList.clear(); - for (size_t i = 0; i < names.size(); i++) { - size_t lastdot = names[i].find_last_of ('.'); + for (const auto &name : names) { + const auto lastdot = name.find_last_of('.'); - if (lastdot != Glib::ustring::npos && names[i].substr(lastdot) == ".badpixels" ) { - int n = scanBadPixelsFile( names[i] ); + if (lastdot != Glib::ustring::npos && name.substr(lastdot) == ".badpixels") { + const int n = scanBadPixelsFile(name); - if( n > 0 && settings->verbose) { - printf("Loaded %s: %d pixels\n", names[i].c_str(), n); + if (n > 0 && settings->verbose) { + printf("Loaded %s: %d pixels\n", name.c_str(), n); } continue; } try { - addFileInfo(names[i]); - } catch( std::exception& e ) {} + addFileInfo(name); + } catch(std::exception& e) {} } // Where multiple shots exist for same group, move filename to list - for( dfList_t::iterator iter = dfList.begin(); iter != dfList.end(); ++iter ) { - dfInfo &i = iter->second; + for (auto &df : dfList) { + dfInfo &i = df.second; - if( !i.pathNames.empty() && !i.pathname.empty() ) { - i.pathNames.push_back( i.pathname ); + if (!i.pathNames.empty() && !i.pathname.empty()) { + i.pathNames.push_back(i.pathname); i.pathname.clear(); } - if( settings->verbose ) { - if( !i.pathname.empty() ) { - printf( "%s: %s\n", i.key().c_str(), i.pathname.c_str()); + if (settings->verbose) { + if (!i.pathname.empty()) { + printf("%s: %s\n", i.key().c_str(), i.pathname.c_str()); } else { - printf( "%s: MEAN of \n ", i.key().c_str()); + printf("%s: MEAN of \n ", i.key().c_str()); - for(std::list::iterator path = i.pathNames.begin(); path != i.pathNames.end(); ++path) { + for (std::list::iterator path = i.pathNames.begin(); path != i.pathNames.end(); ++path) { printf("%s, ", path->c_str()); } @@ -345,9 +396,140 @@ void DFManager::init(const Glib::ustring& pathname) return; } -dfInfo* DFManager::addFileInfo (const Glib::ustring& filename, bool pool) +void rtengine::DFManager::Implementation::getStat(int& totFiles, int& totTemplates) const { - auto ext = getFileExtension(filename); + totFiles = 0; + totTemplates = 0; + + for (const auto &df : dfList) { + const dfInfo &i = df.second; + + if (i.pathname.empty()) { + totTemplates++; + totFiles += i.pathNames.size(); + } else { + totFiles++; + } + } +} + +/* The search for the best match is twofold: + * if perfect matches for iso and shutter are found, then the list is scanned for lesser distance in time + * otherwise if no match is found, the whole list is searched for lesser distance in iso and shutter + */ +const rtengine::RawImage* rtengine::DFManager::Implementation::searchDarkFrame(const std::string& mak, const std::string& mod, int iso, double shut, time_t t) +{ + dfInfo* df = find(toUppercase(mak), toUppercase(mod), iso, shut, t); + + if (df) { + return df->getRawImage(); + } else { + return nullptr; + } +} + +const rtengine::RawImage* rtengine::DFManager::Implementation::searchDarkFrame(const Glib::ustring& filename) +{ + for (auto& df : dfList) { + if (df.second.pathname.compare(filename) == 0) { + return df.second.getRawImage(); + } + } + + dfInfo *df = addFileInfo(filename, false); + + if (df) { + return df->getRawImage(); + } + + return nullptr; +} + +const std::vector* rtengine::DFManager::Implementation::getHotPixels(const Glib::ustring& filename) +{ + for (auto& df : dfList) { + if (df.second.pathname.compare(filename) == 0) { + return &df.second.getHotPixels(); + } + } + + return nullptr; +} + +const std::vector* rtengine::DFManager::Implementation::getHotPixels(const std::string& mak, const std::string& mod, int iso, double shut, time_t t) +{ + dfInfo* df = find(toUppercase(mak), toUppercase(mod), iso, shut, t); + + if (df) { + if (settings->verbose) { + if (!df->pathname.empty()) { + printf("Searched hotpixels from %s\n", df->pathname.c_str()); + } else { + if (!df->pathNames.empty()) { + printf("Searched hotpixels from template (first %s)\n", df->pathNames.begin()->c_str()); + } + } + } + + return &df->getHotPixels(); + } else { + return nullptr; + } +} + +const std::vector* rtengine::DFManager::Implementation::getBadPixels(const std::string& mak, const std::string& mod, const std::string& serial) const +{ + bpList_t::const_iterator iter; + bool found = false; + + if (!serial.empty()) { + // search with serial number first + std::ostringstream s; + s << mak << " " << mod << " " << serial; + iter = bpList.find(s.str()); + + if (iter != bpList.end()) { + found = true; + } + + if (settings->verbose) { + if (found) { + printf("%s.badpixels found\n", s.str().c_str()); + } else { + printf("%s.badpixels not found\n", s.str().c_str()); + } + } + } + + if (!found) { + // search without serial number + std::ostringstream s; + s << mak << " " << mod; + iter = bpList.find(s.str()); + + if (iter != bpList.end()) { + found = true; + } + + if (settings->verbose) { + if (found) { + printf("%s.badpixels found\n", s.str().c_str()); + } else { + printf("%s.badpixels not found\n", s.str().c_str()); + } + } + } + + if (!found) { + return nullptr; + } else { + return &(iter->second); + } +} + +dfInfo* rtengine::DFManager::Implementation::addFileInfo(const Glib::ustring& filename, bool pool) +{ + const auto ext = getFileExtension(filename); if (ext.empty() || !options.is_extention_enabled(ext)) { return nullptr; @@ -376,37 +558,34 @@ dfInfo* DFManager::addFileInfo (const Glib::ustring& filename, bool pool) } RawImage ri(filename); - int res = ri.loadRaw(false); // Read information about shot - if (res != 0) { + if (ri.loadRaw(false) != 0) { // Read information about shot return nullptr; } - dfList_t::iterator iter; - - if(!pool) { - dfInfo n(filename, "", "", 0, 0, 0); - iter = dfList.emplace("", n); + if (!pool) { + const dfInfo n(filename, "", "", 0, 0, 0); + auto iter = dfList.emplace("", n); return &(iter->second); } FramesData idata(filename, std::unique_ptr(new RawMetaDataLocation(ri.get_exifBase(), ri.get_ciffBase(), ri.get_ciffLen())), true); /* Files are added in the map, divided by same maker/model,ISO and shutter*/ - std::string key(dfInfo::key(((Glib::ustring)idata.getMake()).uppercase(), ((Glib::ustring)idata.getModel()).uppercase(), idata.getISOSpeed(), idata.getShutterSpeed())); - iter = dfList.find(key); + std::string key(dfInfo::key(toUppercase(idata.getMake()), toUppercase(idata.getModel()), idata.getISOSpeed(), idata.getShutterSpeed())); + auto iter = dfList.find(key); - if(iter == dfList.end()) { - dfInfo n(filename, ((Glib::ustring)idata.getMake()).uppercase(), ((Glib::ustring)idata.getModel()).uppercase(), idata.getISOSpeed(), idata.getShutterSpeed(), idata.getDateTimeAsTS()); + if (iter == dfList.end()) { + dfInfo n(filename, toUppercase(idata.getMake()), toUppercase(idata.getModel()), idata.getISOSpeed(), idata.getShutterSpeed(), idata.getDateTimeAsTS()); iter = dfList.emplace(key, n); } else { while(iter != dfList.end() && iter->second.key() == key && ABS(iter->second.timestamp - idata.getDateTimeAsTS()) > 60 * 60 * 6) { // 6 hour difference ++iter; } - if(iter != dfList.end()) { + if (iter != dfList.end()) { iter->second.pathNames.push_back(filename); } else { - dfInfo n(filename, ((Glib::ustring)idata.getMake()).uppercase(), ((Glib::ustring)idata.getModel()).uppercase(), idata.getISOSpeed(), idata.getShutterSpeed(), idata.getDateTimeAsTS()); + dfInfo n(filename, toUppercase(idata.getMake()), toUppercase(idata.getModel()), idata.getISOSpeed(), idata.getShutterSpeed(), idata.getDateTimeAsTS()); iter = dfList.emplace(key, n); } } @@ -418,44 +597,23 @@ dfInfo* DFManager::addFileInfo (const Glib::ustring& filename, bool pool) return nullptr; } -void DFManager::getStat( int &totFiles, int &totTemplates) +dfInfo* rtengine::DFManager::Implementation::find(const std::string& mak, const std::string& mod, int isospeed, double shut, time_t t) { - totFiles = 0; - totTemplates = 0; - - for( dfList_t::iterator iter = dfList.begin(); iter != dfList.end(); ++iter ) { - dfInfo &i = iter->second; - - if( i.pathname.empty() ) { - totTemplates++; - totFiles += i.pathNames.size(); - } else { - totFiles++; - } - } -} - -/* The search for the best match is twofold: - * if perfect matches for iso and shutter are found, then the list is scanned for lesser distance in time - * otherwise if no match is found, the whole list is searched for lesser distance in iso and shutter - */ -dfInfo* DFManager::find( const std::string &mak, const std::string &mod, int isospeed, double shut, time_t t ) -{ - if( dfList.empty() ) { + if (dfList.empty()) { return nullptr; } - std::string key( dfInfo::key(mak, mod, isospeed, shut) ); - dfList_t::iterator iter = dfList.find( key ); + const std::string key(dfInfo::key(mak, mod, isospeed, shut)); + dfList_t::iterator iter = dfList.find(key); - if( iter != dfList.end() ) { + if (iter != dfList.end()) { dfList_t::iterator bestMatch = iter; time_t bestDeltaTime = ABS(iter->second.timestamp - t); - for(++iter; iter != dfList.end() && !key.compare( iter->second.key() ); ++iter ) { - time_t d = ABS(iter->second.timestamp - t ); + for (++iter; iter != dfList.end() && !key.compare(iter->second.key()); ++iter) { + const time_t d = ABS(iter->second.timestamp - t); - if( d < bestDeltaTime ) { + if (d < bestDeltaTime) { bestMatch = iter; bestDeltaTime = d; } @@ -465,12 +623,12 @@ dfInfo* DFManager::find( const std::string &mak, const std::string &mod, int iso } else { iter = dfList.begin(); dfList_t::iterator bestMatch = iter; - double bestD = iter->second.distance( mak, mod, isospeed, shut ); + double bestD = iter->second.distance(mak, mod, isospeed, shut); - for( ++iter; iter != dfList.end(); ++iter ) { - double d = iter->second.distance( mak, mod, isospeed, shut ); + for (++iter; iter != dfList.end(); ++iter) { + const double d = iter->second.distance(mak, mod, isospeed, shut); - if( d < bestD ) { + if (d < bestD) { bestD = d; bestMatch = iter; } @@ -480,170 +638,107 @@ dfInfo* DFManager::find( const std::string &mak, const std::string &mod, int iso } } -RawImage* DFManager::searchDarkFrame( const std::string &mak, const std::string &mod, int iso, double shut, time_t t ) -{ - dfInfo *df = find( ((Glib::ustring)mak).uppercase(), ((Glib::ustring)mod).uppercase(), iso, shut, t ); - - if( df ) { - return df->getRawImage(); - } else { - return nullptr; - } -} - -RawImage* DFManager::searchDarkFrame( const Glib::ustring filename ) -{ - for ( dfList_t::iterator iter = dfList.begin(); iter != dfList.end(); ++iter ) { - if( iter->second.pathname.compare( filename ) == 0 ) { - return iter->second.getRawImage(); - } - } - - dfInfo *df = addFileInfo( filename, false ); - - if(df) { - return df->getRawImage(); - } - - return nullptr; -} -std::vector *DFManager::getHotPixels ( const Glib::ustring filename ) -{ - for ( dfList_t::iterator iter = dfList.begin(); iter != dfList.end(); ++iter ) { - if( iter->second.pathname.compare( filename ) == 0 ) { - return &iter->second.getHotPixels(); - } - } - - return nullptr; -} -std::vector *DFManager::getHotPixels ( const std::string &mak, const std::string &mod, int iso, double shut, time_t t ) -{ - dfInfo *df = find( ((Glib::ustring)mak).uppercase(), ((Glib::ustring)mod).uppercase(), iso, shut, t ); - - if( df ) { - if( settings->verbose ) { - if( !df->pathname.empty() ) { - printf( "Searched hotpixels from %s\n", df->pathname.c_str()); - } else { - if( !df->pathNames.empty() ) { - printf( "Searched hotpixels from template (first %s)\n", df->pathNames.begin()->c_str()); - } - } - } - - return &df->getHotPixels(); - } else { - return nullptr; - } -} - -int DFManager::scanBadPixelsFile( Glib::ustring filename ) +int rtengine::DFManager::Implementation::scanBadPixelsFile(const Glib::ustring& filename) { FILE *file = ::fopen( filename.c_str(), "r" ); - if( !file ) { - return false; + if (!file) { + return 0; } - size_t lastdot = filename.find_last_of ('.'); - size_t dirpos1 = filename.find_last_of ('/'); - size_t dirpos2 = filename.find_last_of ('\\'); + const auto lastdot = filename.find_last_of('.'); + auto dirpos1 = filename.find_last_of('/'); + auto dirpos2 = filename.find_last_of('\\'); - if( dirpos1 == Glib::ustring::npos && dirpos2 == Glib::ustring::npos ) { + if (dirpos1 == Glib::ustring::npos && dirpos2 == Glib::ustring::npos) { dirpos1 = 0; - } else if( dirpos1 != Glib::ustring::npos && dirpos2 != Glib::ustring::npos ) { + } else if (dirpos1 != Glib::ustring::npos && dirpos2 != Glib::ustring::npos) { dirpos1 = (dirpos1 > dirpos2 ? dirpos1 : dirpos2); - } else if( dirpos1 == Glib::ustring::npos ) { + } else if (dirpos1 == Glib::ustring::npos) { dirpos1 = dirpos2; } - std::string makmodel(filename, dirpos1 + 1, lastdot - (dirpos1 + 1) ); + const std::string makmodel(filename, dirpos1 + 1, lastdot - (dirpos1 + 1)); std::vector bp; char line[256]; - if(fgets(line, sizeof(line), file )) { + if (fgets(line, sizeof(line), file)) { int x, y; int offset = 0; int numparms = sscanf(line, "%d %d", &x, &y); - if( numparms == 1 ) { // only one number in first line means, that this is the offset. + if (numparms == 1) { // only one number in first line means, that this is the offset. offset = x; - } else if(numparms == 2) { + } else if (numparms == 2) { bp.emplace_back(x + offset, y + offset); } - while( fgets(line, sizeof(line), file ) ) { - if( sscanf(line, "%d %d", &x, &y) == 2 ) { + while(fgets(line, sizeof(line), file)) { + if (sscanf(line, "%d %d", &x, &y) == 2) { bp.emplace_back(x + offset, y + offset); } } } - int numPixels = bp.size(); + const int numPixels = bp.size(); - if( numPixels > 0 ) { - bpList[ makmodel ] = bp; + if (numPixels > 0) { + bpList[makmodel] = bp; } fclose(file); return numPixels; } -std::vector *DFManager::getBadPixels ( const std::string &mak, const std::string &mod, const std::string &serial) +rtengine::DFManager& rtengine::DFManager::getInstance() { - bpList_t::iterator iter; - bool found = false; - - if( !serial.empty() ) { - // search with serial number first - std::ostringstream s; - s << mak << " " << mod << " " << serial; - iter = bpList.find( s.str() ); - - if( iter != bpList.end() ) { - found = true; - } - - if( settings->verbose ) { - if(found) { - printf("%s.badpixels found\n", s.str().c_str()); - } else { - printf("%s.badpixels not found\n", s.str().c_str()); - } - } - - } - - if(!found) { - // search without serial number - std::ostringstream s; - s << mak << " " << mod; - iter = bpList.find( s.str() ); - - if( iter != bpList.end() ) { - found = true; - } - - if( settings->verbose ) { - if(found) { - printf("%s.badpixels found\n", s.str().c_str()); - } else { - printf("%s.badpixels not found\n", s.str().c_str()); - } - } - } - - if(!found) { - return nullptr; - } else { - return &(iter->second); - } + static DFManager instance; + return instance; } -// Global variable -DFManager dfm; - - +void rtengine::DFManager::init(const Glib::ustring& pathname) +{ + implementation->init(pathname); } +Glib::ustring rtengine::DFManager::getPathname() const +{ + return implementation->getPathname(); +} + +void rtengine::DFManager::getStat(int& totFiles, int& totTemplates) const +{ + implementation->getStat(totFiles, totTemplates); +} + +const rtengine::RawImage* rtengine::DFManager::searchDarkFrame(const std::string& mak, const std::string& mod, int iso, double shut, time_t t) +{ + return implementation->searchDarkFrame(mak, mod, iso, shut, t); +} + +const rtengine::RawImage* rtengine::DFManager::searchDarkFrame(const Glib::ustring& filename) +{ + return implementation->searchDarkFrame(filename); +} + +const std::vector* rtengine::DFManager::getHotPixels(const std::string& mak, const std::string& mod, int iso, double shut, time_t t) +{ + return implementation->getHotPixels(mak, mod, iso, shut, t); +} + +const std::vector* rtengine::DFManager::getHotPixels(const Glib::ustring& filename) +{ + return implementation->getHotPixels(filename); +} + +const std::vector* rtengine::DFManager::getBadPixels(const std::string& mak, const std::string& mod, const std::string& serial) const +{ + return implementation->getBadPixels(mak, mod, serial); +} + +rtengine::DFManager::DFManager() : + implementation(new Implementation) +{ +} + +rtengine::DFManager::~DFManager() = default; diff --git a/rtengine/dfmanager.h b/rtengine/dfmanager.h index b23981ffb..01ee7479a 100644 --- a/rtengine/dfmanager.h +++ b/rtengine/dfmanager.h @@ -18,89 +18,40 @@ */ #pragma once -#include -#include -#include +#include #include +#include #include -#include "pixelsmap.h" - namespace rtengine { +struct badPix; + class RawImage; -class dfInfo final -{ -public: - - Glib::ustring pathname; // filename of dark frame - std::list pathNames; // other similar dark frames, used for average - std::string maker; ///< manufacturer - std::string model; ///< model - int iso; ///< ISO (gain) - double shutter; ///< shutter or exposure time in sec - time_t timestamp; ///< seconds since 1 Jan 1970 - - - dfInfo(const Glib::ustring &name, const std::string &mak, const std::string &mod, int iso, double shut, time_t t) - : pathname(name), maker(mak), model(mod), iso(iso), shutter(shut), timestamp(t), ri(nullptr) {} - - dfInfo( const dfInfo &o) - : pathname(o.pathname), maker(o.maker), model(o.model), iso(o.iso), shutter(o.shutter), timestamp(o.timestamp), ri(nullptr) {} - ~dfInfo(); - - dfInfo &operator =(const dfInfo &o); - bool operator <(const dfInfo &e2) const; - - // Calculate virtual distance between two shots; different model return infinite - double distance(const std::string &mak, const std::string &mod, int iso, double shutter) const; - - static std::string key(const std::string &mak, const std::string &mod, int iso, double shut ); - std::string key() - { - return key( maker, model, iso, shutter); - } - - RawImage *getRawImage(); - std::vector &getHotPixels(); - -protected: - RawImage *ri; ///< Dark Frame raw data - std::vector badPixels; ///< Extracted hot pixels - - void updateBadPixelList( RawImage *df ); - void updateRawImage(); -}; class DFManager final { public: - void init(const Glib::ustring &pathname); - Glib::ustring getPathname() - { - return currentPath; - }; - void getStat( int &totFiles, int &totTemplate); - RawImage *searchDarkFrame( const std::string &mak, const std::string &mod, int iso, double shut, time_t t ); - RawImage *searchDarkFrame( const Glib::ustring filename ); - std::vector *getHotPixels ( const std::string &mak, const std::string &mod, int iso, double shut, time_t t ); - std::vector *getHotPixels ( const Glib::ustring filename ); - std::vector *getBadPixels ( const std::string &mak, const std::string &mod, const std::string &serial); + static DFManager& getInstance(); -protected: - typedef std::multimap dfList_t; - typedef std::map > bpList_t; - dfList_t dfList; - bpList_t bpList; - bool initialized; - Glib::ustring currentPath; - dfInfo *addFileInfo(const Glib::ustring &filename, bool pool = true ); - dfInfo *find( const std::string &mak, const std::string &mod, int isospeed, double shut, time_t t ); - int scanBadPixelsFile( Glib::ustring filename ); + void init(const Glib::ustring& pathname); + Glib::ustring getPathname() const; + void getStat(int& totFiles, int& totTemplates) const; + const RawImage* searchDarkFrame(const std::string& mak, const std::string& mod, int iso, double shut, time_t t); + const RawImage* searchDarkFrame(const Glib::ustring& filename); + const std::vector* getHotPixels(const std::string& mak, const std::string& mod, int iso, double shut, time_t t); + const std::vector* getHotPixels(const Glib::ustring& filename); + const std::vector* getBadPixels(const std::string& mak, const std::string& mod, const std::string& serial) const; + +private: + DFManager(); + ~DFManager(); + + class Implementation; + + const std::unique_ptr implementation; }; -extern DFManager dfm; - } diff --git a/rtengine/init.cc b/rtengine/init.cc index 1a00f7ff6..ff29c3476 100644 --- a/rtengine/init.cc +++ b/rtengine/init.cc @@ -92,7 +92,7 @@ int init (const Settings* s, const Glib::ustring& baseDir, const Glib::ustring& #pragma omp section #endif { - dfm.init(s->darkFramesPath); + DFManager::getInstance().init(s->darkFramesPath); } #ifdef _OPENMP #pragma omp section diff --git a/rtengine/rawimagesource.cc b/rtengine/rawimagesource.cc index 57b8f632c..48d7b0904 100644 --- a/rtengine/rawimagesource.cc +++ b/rtengine/rawimagesource.cc @@ -34,6 +34,7 @@ #include "median.h" #include "mytime.h" #include "pdaflinesfilter.h" +#include "pixelsmap.h" #include "procparams.h" #include "rawimage.h" #include "rawimagesource_i.h" @@ -41,6 +42,7 @@ #include "rt_math.h" #include "rtengine.h" #include "rtlensfun.h" + #include "../rtgui/options.h" #define BENCHMARK @@ -1307,14 +1309,14 @@ void RawImageSource::preprocess (const RAWParams &raw, const LensProfParams &le Glib::ustring newDF = raw.dark_frame; - RawImage *rid = nullptr; + const RawImage* rid = nullptr; if (!raw.df_autoselect) { if (!raw.dark_frame.empty()) { - rid = dfm.searchDarkFrame(raw.dark_frame); + rid = DFManager::getInstance().searchDarkFrame(raw.dark_frame); } } else { - rid = dfm.searchDarkFrame(idata->getMake(), idata->getModel(), idata->getISOSpeed(), idata->getShutterSpeed(), idata->getDateTimeAsTS()); + rid = DFManager::getInstance().searchDarkFrame(idata->getMake(), idata->getModel(), idata->getISOSpeed(), idata->getShutterSpeed(), idata->getDateTimeAsTS()); } if (rid && settings->verbose) { @@ -1387,7 +1389,7 @@ void RawImageSource::preprocess (const RAWParams &raw, const LensProfParams &le // Always correct camera badpixels from .badpixels file - std::vector *bp = dfm.getBadPixels(ri->get_maker(), ri->get_model(), idata->getSerialNumber()); + const std::vector *bp = DFManager::getInstance().getBadPixels(ri->get_maker(), ri->get_model(), idata->getSerialNumber()); if (bp) { if (!bitmapBads) { @@ -1405,9 +1407,9 @@ void RawImageSource::preprocess (const RAWParams &raw, const LensProfParams &le bp = nullptr; if (raw.df_autoselect) { - bp = dfm.getHotPixels(idata->getMake(), idata->getModel(), idata->getISOSpeed(), idata->getShutterSpeed(), idata->getDateTimeAsTS()); + bp = DFManager::getInstance().getHotPixels(idata->getMake(), idata->getModel(), idata->getISOSpeed(), idata->getShutterSpeed(), idata->getDateTimeAsTS()); } else if (!raw.dark_frame.empty()) { - bp = dfm.getHotPixels(raw.dark_frame); + bp = DFManager::getInstance().getHotPixels(raw.dark_frame); } if (bp) { @@ -2453,7 +2455,7 @@ void RawImageSource::HLRecovery_Global(const ToneCurveParams &hrp) /* Copy original pixel data and * subtract dark frame (if present) from current image and apply flat field correction (if present) */ -void RawImageSource::copyOriginalPixels(const RAWParams &raw, RawImage *src, RawImage *riDark, RawImage *riFlatFile, array2D &rawData) +void RawImageSource::copyOriginalPixels(const RAWParams &raw, RawImage *src, const RawImage *riDark, RawImage *riFlatFile, array2D &rawData) { const auto tmpfilters = ri->get_filters(); ri->set_filters(ri->prefilters); // we need 4 blacks for bayer processing diff --git a/rtengine/rawimagesource.h b/rtengine/rawimagesource.h index 16677b1da..41a400dd9 100644 --- a/rtengine/rawimagesource.h +++ b/rtengine/rawimagesource.h @@ -138,7 +138,7 @@ public: } void processFlatField(const procparams::RAWParams &raw, const RawImage *riFlatFile, array2D &rawData, const float black[4]); - void copyOriginalPixels(const procparams::RAWParams &raw, RawImage *ri, RawImage *riDark, RawImage *riFlatFile, array2D &rawData ); + void copyOriginalPixels(const procparams::RAWParams &raw, RawImage *ri, const RawImage *riDark, RawImage *riFlatFile, array2D &rawData ); void scaleColors (int winx, int winy, int winw, int winh, const procparams::RAWParams &raw, array2D &rawData); // raw for cblack void WBauto(double &tempref, double &greenref, array2D &redloc, array2D &greenloc, array2D &blueloc, int bfw, int bfh, double &avg_rm, double &avg_gm, double &avg_bm, double &tempitc, double &greenitc, float &studgood, bool &twotimes, const procparams::WBParams & wbpar, int begx, int begy, int yEn, int xEn, int cx, int cy, const procparams::ColorManagementParams &cmp, const procparams::RAWParams &raw) override; void getAutoWBMultipliersitc(double &tempref, double &greenref, double &tempitc, double &greenitc, float &studgood, int begx, int begy, int yEn, int xEn, int cx, int cy, int bf_h, int bf_w, double &rm, double &gm, double &bm, const procparams::WBParams & wbpar, const procparams::ColorManagementParams &cmp, const procparams::RAWParams &raw) override; diff --git a/rtgui/darkframe.cc b/rtgui/darkframe.cc index b6b1201a7..5c71d9918 100644 --- a/rtgui/darkframe.cc +++ b/rtgui/darkframe.cc @@ -97,7 +97,7 @@ void DarkFrame::read(const rtengine::procparams::ProcParams* pp, const ParamsEdi if( pp->raw.df_autoselect && dfp && !multiImage) { // retrieve the auto-selected df filename - rtengine::RawImage *img = dfp->getDF(); + const rtengine::RawImage *img = dfp->getDF(); if( img ) { dfInfo->set_text( Glib::ustring::compose("%1: %2ISO %3s", Glib::path_get_basename(img->get_filename()), img->get_ISOspeed(), img->get_shutter()) ); @@ -179,7 +179,7 @@ void DarkFrame::dfAutoChanged() if(dfAuto->get_active() && dfp && !batchMode) { // retrieve the auto-selected df filename - rtengine::RawImage *img = dfp->getDF(); + const rtengine::RawImage *img = dfp->getDF(); if( img ) { dfInfo->set_text( Glib::ustring::compose("%1: %2ISO %3s", Glib::path_get_basename(img->get_filename()), img->get_ISOspeed(), img->get_shutter()) ); diff --git a/rtgui/darkframe.h b/rtgui/darkframe.h index 58e8b4842..cbd7816d6 100644 --- a/rtgui/darkframe.h +++ b/rtgui/darkframe.h @@ -36,7 +36,7 @@ class DFProvider { public: virtual ~DFProvider() = default; - virtual rtengine::RawImage* getDF() = 0; + virtual const rtengine::RawImage* getDF() = 0; virtual Glib::ustring GetCurrentImageFilePath() = 0; // add other info here }; diff --git a/rtgui/filebrowser.cc b/rtgui/filebrowser.cc index 97e724174..66c84d86e 100644 --- a/rtgui/filebrowser.cc +++ b/rtgui/filebrowser.cc @@ -875,7 +875,7 @@ void FileBrowser::menuItemActivated (Gtk::MenuItem* m) } // Reinit cache - rtengine::dfm.init( options.rtSettings.darkFramesPath ); + rtengine::DFManager::getInstance().init( options.rtSettings.darkFramesPath ); } else { // Target directory creation failed, we clear the darkFramesPath setting options.rtSettings.darkFramesPath.clear(); diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index c6c2eb61b..c44ad11ca 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -2641,8 +2641,8 @@ void Preferences::darkFrameChanged() { //Glib::ustring s(darkFrameDir->get_filename()); Glib::ustring s(darkFrameDir->get_current_folder()); - //if( s.compare( rtengine::dfm.getPathname()) !=0 ){ - rtengine::dfm.init(s); + //if( s.compare( rtengine::DFManager::getInstance().getPathname()) !=0 ){ + rtengine::DFManager::getInstance().init(s); updateDFinfos(); //} } @@ -2660,7 +2660,7 @@ void Preferences::flatFieldChanged() void Preferences::updateDFinfos() { int t1, t2; - rtengine::dfm.getStat(t1, t2); + rtengine::DFManager::getInstance().getStat(t1, t2); Glib::ustring s = Glib::ustring::compose("%1: %2 %3, %4 %5", M("PREFERENCES_DARKFRAMEFOUND"), t1, M("PREFERENCES_DARKFRAMESHOTS"), t2, M("PREFERENCES_DARKFRAMETEMPLATES")); dfLabel->set_text(s); } diff --git a/rtgui/toolpanelcoord.cc b/rtgui/toolpanelcoord.cc index 9099f5620..54102a2e1 100644 --- a/rtgui/toolpanelcoord.cc +++ b/rtgui/toolpanelcoord.cc @@ -944,7 +944,7 @@ void ToolPanelCoordinator::autoCropRequested() crop->cropManipReady(); } -rtengine::RawImage* ToolPanelCoordinator::getDF() +const rtengine::RawImage* ToolPanelCoordinator::getDF() { if (!ipc) { return nullptr; @@ -959,7 +959,7 @@ rtengine::RawImage* ToolPanelCoordinator::getDF() std::string model(imd->getModel()); time_t timestamp = imd->getDateTimeAsTS(); - return rtengine::dfm.searchDarkFrame(maker, model, iso, shutter, timestamp); + return rtengine::DFManager::getInstance().searchDarkFrame(maker, model, iso, shutter, timestamp); } return nullptr; diff --git a/rtgui/toolpanelcoord.h b/rtgui/toolpanelcoord.h index 13686d6e3..65e2f1e8f 100644 --- a/rtgui/toolpanelcoord.h +++ b/rtgui/toolpanelcoord.h @@ -307,7 +307,7 @@ public: } //DFProvider interface - rtengine::RawImage* getDF() override; + const rtengine::RawImage* getDF() override; //FFProvider interface rtengine::RawImage* getFF() override; From fd5a77e8c266545c4d73643017e5c7b1924d7627 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Adri=C3=A1n=20K=C3=A1lazi?= Date: Thu, 18 Aug 2022 17:03:32 +0200 Subject: [PATCH 079/170] Fix missing coefficient for Daylight spectral data (#6484) * Fix missing coefficient for Daylight spectral data * Fix incorrect coefficient for Daylight spectral data --- rtengine/colortemp.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/rtengine/colortemp.cc b/rtengine/colortemp.cc index 417476876..36d42f063 100644 --- a/rtengine/colortemp.cc +++ b/rtengine/colortemp.cc @@ -3544,14 +3544,14 @@ double ColorTemp::daylight_spect(double wavelength, double m1, double m2) 53.30, 56.10, 58.90, 60.40, 61.90 }; //s1 - static const double s1[97] = {41.60, 39.80, 38.00, 40.70, 43.40, 40.95, 38.50, 36.75, 35.00, 39.20, 43.40, 44.85, 46.30, 45.10, 43.90, 40.50, 37.10, 36.90, 36.70, 36.30, 35.90, 34.25, 32.60, 30.25, 27.90, 26.10, 24.30, 22.20, 20.10, 18.15, 16.20, 14.70, + static const double s1[97] = {41.60, 39.80, 38.00, 40.20, 42.40, 40.45, 38.50, 36.75, 35.00, 39.20, 43.40, 44.85, 46.30, 45.10, 43.90, 40.50, 37.10, 36.90, 36.70, 36.30, 35.90, 34.25, 32.60, 30.25, 27.90, 26.10, 24.30, 22.20, 20.10, 18.15, 16.20, 14.70, 13.20, 10.90, 8.60, 7.35, 6.10, 5.15, 4.20, 3.05, 1.90, 0.95, 0.00, -0.80, -1.60, -2.55, -3.50, -3.50, -3.50, -4.65, -5.80, -6.50, -7.20, -7.90, -8.60, -9.05, -9.50, -10.20, -10.90, -10.80, -10.70, -11.35, -12.00, -13.00, -14.00, - -13.80, -13.60, -12.80, -12.00, -12.65, -13.30, -13.10, -12.90, -11.75, -10.60, -11.10, -11.60, -11.90, -12.20, -11.20, -10.20, -9.00, -7.80, -9.50, -11.20, -10.80, -10.50, -10.60, -10.15, -9.70, -9.00, -8.30, + -13.80, -13.60, -12.80, -12.00, -12.65, -13.30, -13.10, -12.90, -11.75, -10.60, -11.10, -11.60, -11.90, -12.20, -11.20, -10.20, -9.00, -7.80, -9.50, -11.20, -10.80, -10.40, -10.50, -10.60, -10.15, -9.70, -9.00, -8.30, -8.80, -9.30, -9.55, -9.80 }; //s2 static const double s2[97] = {6.70, 6.00, 5.30, 5.70, 6.10, 4.55, 3.00, 2.10, 1.20, 0.05, -1.10, -0.80, -0.50, -0.60, -0.70, -0.95, -1.20, -1.90, -2.60, -2.75, -2.90, -2.85, -2.80, -2.70, -2.60, -2.60, -2.60, -2.20, -1.80, -1.65, -1.50, -1.40, -1.30, - -1.25, -1.20, -1.10, -1.00, -0.75, -0.50, -0.40, -0.30, -0.15, 0.00, 0.10, 0.20, 0.35, 0.50, 1.30, 2.10, 2.65, 3.65, 4.10, 4.40, 4.70, 4.90, 5.10, 5.90, 6.70, 7.00, 7.30, 7.95, 8.60, 9.20, 9.80, 10.00, 10.20, 9.25, 8.30, 8.95, + -1.25, -1.20, -1.10, -1.00, -0.75, -0.50, -0.40, -0.30, -0.15, 0.00, 0.10, 0.20, 0.35, 0.50, 1.30, 2.10, 2.65, 3.20, 3.65, 4.10, 4.40, 4.70, 4.90, 5.10, 5.90, 6.70, 7.00, 7.30, 7.95, 8.60, 9.20, 9.80, 10.00, 10.20, 9.25, 8.30, 8.95, 9.60, 9.05, 8.50, 7.75, 7.00, 7.30, 7.60, 7.80, 8.00, 7.35, 6.70, 5.95, 5.20, 6.30, 7.40, 7.10, 6.80, 6.90, 7.00, 6.70, 6.40, 5.95, 5.50, 5.80, 6.10, 6.30, 6.50 }; From 8566f06f4f2a06caeb24508da8b4cfc1d8bc5619 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Thu, 18 Aug 2022 20:45:25 +0200 Subject: [PATCH 080/170] Rename LICENSE.txt to LICENSE (and bump the date) This should get the license automatically detected by GitHub. If not, this is not a life-altering change... --- LICENSE.txt => LICENSE | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) rename LICENSE.txt => LICENSE (99%) diff --git a/LICENSE.txt b/LICENSE similarity index 99% rename from LICENSE.txt rename to LICENSE index 24b3ca2eb..bf110e687 100644 --- a/LICENSE.txt +++ b/LICENSE @@ -1,6 +1,6 @@ RawTherapee - A powerful, cross-platform raw image processing program. - Copyright (C) 2004-2012 Gabor Horvath - Copyright (C) 2010-2021 RawTherapee development team. + Copyright (C) 2004-2012 Gabor Horvath + Copyright (C) 2010-2022 RawTherapee development team. RawTherapee is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by From 6f53844b74130286ccb1cd6b720da4b82692dfc5 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Thu, 18 Aug 2022 20:48:03 +0200 Subject: [PATCH 081/170] Update LICENSE and remove the preamble The RT specific portion should typically go into the source files. Perhaps this then enables GitHub to recognize GPL3? --- LICENSE | 17 ----------------- 1 file changed, 17 deletions(-) diff --git a/LICENSE b/LICENSE index bf110e687..e963df829 100644 --- a/LICENSE +++ b/LICENSE @@ -1,20 +1,3 @@ - RawTherapee - A powerful, cross-platform raw image processing program. - Copyright (C) 2004-2012 Gabor Horvath - Copyright (C) 2010-2022 RawTherapee development team. - - RawTherapee 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. - - RawTherapee 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 this program. If not, see . - GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007 From c58f58250581febdfb432b6de52bf1085e71e413 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Thu, 18 Aug 2022 20:58:50 +0200 Subject: [PATCH 082/170] Minor license path fixes (#6551) * Fix CMakeLists * Fix splash.cc --- CMakeLists.txt | 2 +- rtgui/splash.cc | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 0a55ca6d5..23f53a99a 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -725,7 +725,7 @@ add_custom_target( # End generating AboutThisBuild.txt install(FILES AUTHORS.txt DESTINATION "${CREDITSDIR}") -install(FILES LICENSE.txt DESTINATION "${LICENCEDIR}") +install(FILES LICENSE DESTINATION "${LICENCEDIR}") install(FILES "${CMAKE_BINARY_DIR}/AboutThisBuild.txt" DESTINATION "${CREDITSDIR}") install( diff --git a/rtgui/splash.cc b/rtgui/splash.cc index 7ae5bf4d7..42b276a2e 100644 --- a/rtgui/splash.cc +++ b/rtgui/splash.cc @@ -178,7 +178,7 @@ Splash::Splash (Gtk::Window& parent) : Gtk::Dialog(M("GENERAL_ABOUT"), parent, t } // Tab 4: the license - std::string licenseFileName = Glib::build_filename (licensePath, "LICENSE.txt"); + std::string licenseFileName = Glib::build_filename (licensePath, "LICENSE"); if ( Glib::file_test(licenseFileName, (Glib::FILE_TEST_EXISTS)) ) { FILE *f = g_fopen (licenseFileName.c_str (), "rt"); From 8a09af2c488527413420180689b096af7ce9ef89 Mon Sep 17 00:00:00 2001 From: Benitoite Date: Thu, 18 Aug 2022 21:38:05 -0700 Subject: [PATCH 083/170] macOS: optionally make a generically-named copy of the zip (#6518) Adds `-DOSX_NIGHTLY`. With -DOSX_NIGHTLY=ON will produce copies of the zip with generic names: `RawTherapee_macOS_arm64_latest.zip` for the purpose of hyperlinking. This is activated for GitHub Actions automated builds. * mac: specify catalina on github action * mac: use clang instead of /path/to/clang * mac: Exec Architectures --> Architecture Priority * mac: add an option to generate a universal app * mac: generate a universal app * mac: use "Universal" for arch in naming * mac: remove some braces * mac: fix gtk3 environment paths * mac: fix universal url logic * mac: merge about txts for universal build * Mac: fix osx version minimums in universal 1 * Mac: update info plist for osx version minima * Mac: update universal versioning * Mac: add processor tunings for sandy-ivy bridge * mac: fix minimum versioning statements * Mac: fix a paste error * mac: remove any x/X libs from bundle * mac: don't get rid of libxcb for cairo * mac: fix a typo * mac: revert library removals for cairo --- .github/workflows/main.yml | 6 +-- CMakeLists.txt | 18 +++++++ ProcessorTargets.cmake | 3 ++ tools/osx/Info.plist.in | 22 +++++--- tools/osx/macosx_bundle.sh | 104 ++++++++++++++++++++++++++++++------- 5 files changed, 124 insertions(+), 29 deletions(-) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 4fa09ee98..1663e4051 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -14,7 +14,7 @@ on: - created jobs: build: - runs-on: macos-latest + runs-on: macos-10.15 steps: - uses: actions/checkout@v2 - name: Install dependencies @@ -52,8 +52,8 @@ jobs: -DPROC_LABEL="generic processor" \ -DWITH_LTO="OFF" \ -DLENSFUNDBDIR="/Applications/RawTherapee.app/Contents/Resources/share/lensfun" \ - -DCMAKE_C_COMPILER=/usr/local/opt/llvm/bin/clang \ - -DCMAKE_CXX_COMPILER=/usr/local/opt/llvm/bin/clang++ \ + -DCMAKE_C_COMPILER=clang \ + -DCMAKE_CXX_COMPILER=clang++ \ -DCMAKE_C_FLAGS="-arch x86_64 -Wno-pass-failed -Wno-deprecated-register -Wno-unused-command-line-argument" \ -DCMAKE_CXX_FLAGS="-arch x86_64 -Wno-pass-failed -Wno-deprecated-register -Wno-unused-command-line-argument" \ -DOpenMP_C_FLAGS="${C_FLAGS}" \ diff --git a/CMakeLists.txt b/CMakeLists.txt index 23f53a99a..068b70e79 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -80,6 +80,24 @@ set(CACHE_NAME_SUFFIX # being bundled. However, file access can be restricted for some folder. option(OSX_DEV_BUILD "Generate macOS development builds" OFF) +# On macOS, optionally generate the final zip artifact file without version in the name for nightly upload purposes. +option(OSX_NIGHTLY "Generate a generically-named zip" OFF) + +# Generate a universal macOS build +option(OSX_UNIVERSAL "Generate a universal app" OFF) + +# On macOS: merge the app via a specific url to generate a universal bundle with both x86_64 and arm64 +if(OSX_UNIVERSAL) + if(NOT "${OSX_UNIVERSAL_URL}") + if(CMAKE_OSX_ARCHITECTURES STREQUAL "arm64") + set(OSX_UNIVERSAL_URL "https://kd6kxr.keybase.pub/RawTherapee_macOS_x86_64_latest.zip" CACHE STRING "URL of x86_64 app for lipo") + else() + set(OSX_UNIVERSAL_URL "https://kd6kxr.keybase.pub/RawTherapee_macOS_arm64_latest.zip" CACHE STRING "URL of arm64 app for lipo") + endif() + endif() +endif() + + # By default we don't use a specific processor target, so PROC_TARGET_NUMBER is # set to 0. Specify other values to optimize for specific processor architecture # as listed in ProcessorTargets.cmake: diff --git a/ProcessorTargets.cmake b/ProcessorTargets.cmake index b22cfc839..60fd1e35f 100644 --- a/ProcessorTargets.cmake +++ b/ProcessorTargets.cmake @@ -38,5 +38,8 @@ set(PROC_TARGET_8_FLAGS "-march=athlon64" CACHE STRING "Processor-8 flags") set(PROC_TARGET_9_LABEL phenomX4 CACHE STRING "Processor-9 label - use it to provide a phenomX4 optimized build, if you have this processor") set(PROC_TARGET_9_FLAGS "-march=amdfam10" CACHE STRING "Processor-9 flags") +set(PROC_TARGET_10_LABEL sandybridge-ivybridge CACHE STRING "Processor set-10 label") +set(PROC_TARGET_10_FLAGS "-march=sandybridge -mtune=ivybridge" CACHE STRING "Processors set-10 flags") + #set(PROC_TARGET__LABEL procLabel CACHE STRING "Processor- label") #set(PROC_TARGET__FLAGS "procFlags" CACHE STRING "Processor- flags") diff --git a/tools/osx/Info.plist.in b/tools/osx/Info.plist.in index d1582a4f1..876d35e3a 100644 --- a/tools/osx/Info.plist.in +++ b/tools/osx/Info.plist.in @@ -3,10 +3,14 @@ LSEnvironment - XDG_DATA_DIRS + XDG_CONFIG_DIRS + /Applications/RawTherapee.app/Contents/Resources/share/gtk-3.0 + XDG_CONFIG_HOME /Applications/RawTherapee.app/Contents/Resources/share + XDG_DATA_DIRS + /Applications/RawTherapee.app/Contents/Resources/share/gtk-3.0 GTK_PATH - /Applications/RawTherapee.app/Contents/Frameworks + /Applications/RawTherapee.app/Contents/Resources/share/gtk-3.0 GTK_IM_MODULE_FILE /Applications/RawTherapee.app/Contents/Resources/etc/gtk-3.0/gtk.immodules XDG_DATA_HOME @@ -28,8 +32,13 @@ LSMultipleInstancesProhibited - LSMinimumSystemVersion - @minimum_macos_version@ + LSMinimumSystemVersionByArchitecture + + arm64 + @minimum_arm64_version@ + x86_64 + @minimum_x86_64_version@ + CFBundleAllowMixedLocalizations CFBundleDisplayName @@ -156,9 +165,10 @@ ???? CFBundleVersion @shortVersion@ - LSExecutableArchitectures + LSArchitecturePriority - @arch@ + arm64 + x86_64 NSHighResolutionCapable diff --git a/tools/osx/macosx_bundle.sh b/tools/osx/macosx_bundle.sh index 862337ea5..58a75f629 100644 --- a/tools/osx/macosx_bundle.sh +++ b/tools/osx/macosx_bundle.sh @@ -24,7 +24,7 @@ function msgError { } function GetDependencies { - otool -L "$1" | awk 'NR >= 2 && $1 !~ /^(\/usr\/lib|\/System|@executable_path|@rpath)\// { print $1 }' + otool -L "$1" | awk 'NR >= 2 && $1 !~ /^(\/usr\/lib|\/System|@executable_path|@rpath)\// { print $1 }' 2>&1 } function CheckLink { @@ -40,11 +40,11 @@ function ModifyInstallNames { { # id if [[ ${x:(-6)} == ".dylib" ]] || [[ f${x:(-3)} == ".so" ]]; then - install_name_tool -id /Applications/"${LIB}"/$(basename ${x}) ${x} + install_name_tool -id /Applications/"${LIB}"/$(basename ${x}) ${x} 2>/dev/null fi GetDependencies "${x}" | while read -r y do - install_name_tool -change ${y} /Applications/"${LIB}"/$(basename ${y}) ${x} + install_name_tool -change ${y} /Applications/"${LIB}"/$(basename ${y}) ${x} 2>/dev/null done } | bash -v done @@ -120,6 +120,13 @@ minimum_macos_version=${MINIMUM_SYSTEM_VERSION} #Out: /opt LOCAL_PREFIX="$(cmake .. -L -N | grep LOCAL_PREFIX)"; LOCAL_PREFIX="${LOCAL_PREFIX#*=}" +#In: OSX_UNIVERSAL_URL=https:// etc. +#Out: https:// etc. +UNIVERSAL_URL="$(cmake .. -L -N | grep OSX_UNIVERSAL_URL)"; UNIVERSAL_URL="${UNIVERSAL_URL#*=}" +if [[ -n $UNIVERSAL_URL ]]; then + echo "Univeral app is ON. The URL is ${UNIVERSAL_URL}" +fi + #In: pkgcfg_lib_EXPAT_expat:FILEPATH=/opt/local/lib/libexpat.dylib #Out: /opt/local/lib/libexpat.dylib EXPATLIB="$(cmake .. -LA -N | grep pkgcfg_lib_EXPAT_expat)"; pkgcfg_lib_EXPAT_expat="${pkgcfg_lib_EXPAT_expat#*=}" @@ -139,6 +146,13 @@ if [[ -n $FANCY_DMG ]]; then echo "Fancy .dmg build is ON." fi +# In: OSX_NIGHTLY:BOOL=ON +# Out: ON +OSX_NIGHTLY="$(cmake .. -L -N | grep OSX_NIGHTLY)"; NIGHTLY="${OSX_NIGHTLY#*=}" +if [[ -n $NIGHTLY ]]; then + echo "Nightly/generically-named zip is ON." +fi + APP="${PROJECT_NAME}.app" CONTENTS="${APP}/Contents" RESOURCES="${CONTENTS}/Resources" @@ -149,7 +163,7 @@ EXECUTABLE="${MACOS}/rawtherapee" GDK_PREFIX="${LOCAL_PREFIX}/" msg "Removing old files:" -rm -rf "${APP}" *.dmg *.zip +rm -rf "${APP}" *.dmg *.zip *.app msg "Creating bundle container:" install -d "${RESOURCES}" @@ -188,10 +202,10 @@ ditto ${LOCAL_PREFIX}/lib/liblensfun.2.dylib "${CONTENTS}/Frameworks/liblensfun. ditto ${LOCAL_PREFIX}/lib/libomp.dylib "${CONTENTS}/Frameworks" msg "Copying dependencies from ${GTK_PREFIX}." -CheckLink "${EXECUTABLE}" +CheckLink "${EXECUTABLE}" 2>&1 # dylib install names -ModifyInstallNames +ModifyInstallNames 2>&1 # Copy libjpeg-turbo ("62") into the app bundle ditto ${LOCAL_PREFIX}/lib/libjpeg.62.dylib "${CONTENTS}/Frameworks/libjpeg.62.dylib" @@ -246,20 +260,22 @@ cp -RL "${LOCAL_PREFIX}/share/icons/hicolor" "${RESOURCES}/share/icons/hicolor" # fix libfreetype install name for lib in "${LIB}"/*; do - install_name_tool -change libfreetype.6.dylib "${LIB}"/libfreetype.6.dylib "${lib}" + install_name_tool -change libfreetype.6.dylib "${LIB}"/libfreetype.6.dylib "${lib}" 2>/dev/null done # Build GTK3 pixbuf loaders & immodules database msg "Build GTK3 databases:" +mkdir -p "${RESOURCES}"/share/gtk-3.0 +mkdir -p "${ETC}"/gtk-3.0 "${LOCAL_PREFIX}"/bin/gdk-pixbuf-query-loaders "${LIB}"/libpixbufloader-*.so > "${ETC}"/gtk-3.0/gdk-pixbuf.loaders "${LOCAL_PREFIX}"/bin/gtk-query-immodules-3.0 "${LIB}"/im-* > "${ETC}"/gtk-3.0/gtk.immodules || "${LOCAL_PREFIX}"/bin/gtk-query-immodules "${LIB}"/im-* > "${ETC}"/gtk-3.0/gtk.immodules sed -i.bak -e "s|${PWD}/RawTherapee.app/Contents/|/Applications/RawTherapee.app/Contents/|" "${ETC}"/gtk-3.0/gdk-pixbuf.loaders "${ETC}/gtk-3.0/gtk.immodules" sed -i.bak -e "s|${LOCAL_PREFIX}/share/|/Applications/RawTherapee.app/Contents/Resources/share/|" "${ETC}"/gtk-3.0/gtk.immodules sed -i.bak -e "s|${LOCAL_PREFIX}/|/Applications/RawTherapee.app/Contents/Frameworks/|" "${ETC}"/gtk-3.0/gtk.immodules -rm "${ETC}"/*.bak +rm "${ETC}"/*/*.bak # Install names -ModifyInstallNames +ModifyInstallNames 2>/dev/null # Mime directory msg "Copying shared files from ${GTK_PREFIX}:" @@ -271,8 +287,8 @@ ditto "${PROJECT_SOURCE_DIR}/rtdata/fonts" "${ETC}/fonts" # App bundle resources ditto "${PROJECT_SOURCE_DATA_DIR}/"{rawtherapee,profile}.icns "${RESOURCES}" -ditto "${PROJECT_SOURCE_DATA_DIR}/PkgInfo" "${CONTENTS}" -cmake -DPROJECT_SOURCE_DATA_DIR=${PROJECT_SOURCE_DATA_DIR} -DCONTENTS=${CONTENTS} -Dversion=${PROJECT_FULL_VERSION} -DshortVersion=${PROJECT_VERSION} -Darch=${arch} -P "${PROJECT_SOURCE_DATA_DIR}/info-plist.cmake" +#ditto "${PROJECT_SOURCE_DATA_DIR}/PkgInfo" "${CONTENTS}" + update-mime-database -V "${RESOURCES}/share/mime" cp -RL "${LOCAL_PREFIX}/share/locale" "${RESOURCES}/share/locale" @@ -283,20 +299,61 @@ cp -LR {"${LOCAL_PREFIX}","${RESOURCES}"}/share/glib-2.0/schemas # Append an LC_RPATH msg "Registering @rpath into the main executable." -install_name_tool -add_rpath /Applications/"${LIB}" "${EXECUTABLE}" +install_name_tool -add_rpath /Applications/"${LIB}" "${EXECUTABLE}" 2>/dev/null -ModifyInstallNames +ModifyInstallNames 2>/dev/null # fix @rpath in Frameworks msg "Registering @rpath in Frameworks folder." for frameworklibs in "${LIB}"/*{dylib,so,cli}; do - install_name_tool -delete_rpath ${LOCAL_PREFIX}/lib "${frameworklibs}" - install_name_tool -add_rpath /Applications/"${LIB}" "${frameworklibs}" + install_name_tool -delete_rpath ${LOCAL_PREFIX}/lib "${frameworklibs}" 2>/dev/null + install_name_tool -add_rpath /Applications/"${LIB}" "${frameworklibs}" 2>/dev/null done -install_name_tool -delete_rpath RawTherapee.app/Contents/Frameworks "${EXECUTABLE}"-cli -install_name_tool -add_rpath /Applications/"${LIB}" "${EXECUTABLE}"-cli +install_name_tool -delete_rpath RawTherapee.app/Contents/Frameworks "${EXECUTABLE}"-cli 2>/dev/null +install_name_tool -add_rpath /Applications/"${LIB}" "${EXECUTABLE}"-cli 2>/dev/null ditto "${EXECUTABLE}"-cli "${APP}"/.. +# Merge the app with the other archictecture to create the Universal app. +if [[ -n $UNIVERSAL_URL ]]; then + msg "Getting Universal countercomponent." + curl -L ${UNIVERSAL_URL} -o univ.zip + msg "Extracting app." + unzip univ.zip -d univapp + hdiutil attach -mountpoint ./RawTherapeeuniv univapp/*/*dmg + if [[ $arch = "arm64" ]]; then + cp -R RawTherapee.app RawTherapee-arm64.app + minimum_arm64_version=$(f=$(cat RawTherapee-arm64.app/Contents/Resources/AboutThisBuild.txt | grep mmacosx-version); echo "${f#*min=}" | cut -d ' ' -f1) + cp -R RawTherapeeuniv/RawTherapee.app RawTherapee-x86_64.app + minimum_x86_64_version=$(f=$(cat RawTherapee-x86_64.app/Contents/Resources/AboutThisBuild.txt | grep mmacosx-version); echo "${f#*min=}" | cut -d ' ' -f1) + echo "\n\n=====================================\n\n" >> RawTherapee.app/Contents/Resources/AboutThisBuild.txt + cat RawTherapee-x86_64.app/Contents/Resources/AboutThisBuild.txt >> RawTherapee.app/Contents/Resources/AboutThisBuild.txt + else + cp -R RawTherapee.app RawTherapee-x86_64.app + minimum_x86_64_version=$(f=$(cat RawTherapee-x86_64.app/Contents/Resources/AboutThisBuild.txt | grep mmacosx-version); echo "${f#*min=}" | cut -d ' ' -f1) + cp -R RawTherapeeuniv/RawTherapee.app RawTherapee-arm64.app + minimum_arm64_version=$(f=$(cat RawTherapee-arm64.app/Contents/Resources/AboutThisBuild.txt | grep mmacosx-version); echo "${f#*min=}" | cut -d ' ' -f1) + echo "\n\n=====================================\n\n" >> RawTherapee.app/Contents/Resources/AboutThisBuild.txt + cat RawTherapee-arm64.app/Contents/Resources/AboutThisBuild.txt >> RawTherapee.app/Contents/Resources/AboutThisBuild.txt + fi + cmake -DPROJECT_SOURCE_DATA_DIR=${PROJECT_SOURCE_DATA_DIR} -DCONTENTS=${CONTENTS} -Dversion=${PROJECT_FULL_VERSION} -DshortVersion=${PROJECT_VERSION} -Dminimum_arm64_version=${minimum_arm64_version} -Dminimum_x86_64_version=${minimum_x86_64_version} -Darch=${arch} -P ${PROJECT_SOURCE_DATA_DIR}/info-plist.cmake + hdiutil unmount ./RawTherapeeuniv + rm -r univapp + # Create the fat main RawTherapee binary and move it into the new bundle + lipo -create -output RawTherapee RawTherapee-arm64.app/Contents/MacOS/RawTherapee RawTherapee-x86_64.app/Contents/MacOS/RawTherapee + mv RawTherapee RawTherapee.app/Contents/MacOS + # Create all the fat dependencies and move them into the bundle + for lib in RawTherapee-arm64.app/Contents/Frameworks/* ; do + lipo -create -output $(basename $lib) RawTherapee-arm64.app/Contents/Frameworks/$(basename $lib) RawTherapee-x86_64.app/Contents/Frameworks/$(basename $lib) + done + sudo mv *cli *so *dylib RawTherapee.app/Contents/Frameworks + rm -r RawTherapee-arm64.app + rm -r RawTherapee-x86_64.app +else + minimum_arm64_version=$(f=$(cat RawTherapee.app/Contents/Resources/AboutThisBuild.txt | grep mmacosx-version); echo "${f#*min=}" | cut -d ' ' -f1) + minimum_x86_64_version=${minimum_arm64_version} + cmake -DPROJECT_SOURCE_DATA_DIR=${PROJECT_SOURCE_DATA_DIR} -DCONTENTS=${CONTENTS} -Dversion=${PROJECT_FULL_VERSION} -DshortVersion=${PROJECT_VERSION} -Dminimum_arm64_version=${minimum_arm64_version} -Dminimum_x86_64_version=${minimum_x86_64_version} -Darch=${arch} -P ${PROJECT_SOURCE_DATA_DIR}/info-plist.cmake +fi + # Codesign the app if [[ -n $CODESIGNID ]]; then msg "Codesigning Application." @@ -353,6 +410,9 @@ function CreateDmg { CreateWebloc 'Report Bug' 'https://github.com/Beep6581/RawTherapee/issues/new' # Disk image name + if [[ -n $UNIVERSAL_URL ]]; then + arch="Universal" + fi dmg_name="${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}" lower_build_type="$(tr '[:upper:]' '[:lower:]' <<< "$CMAKE_BUILD_TYPE")" if [[ $lower_build_type != release ]]; then @@ -368,6 +428,7 @@ function CreateDmg { SetFile -c incC "${srcDir}/.VolumeIcon.icns" create-dmg "${dmg_name}.dmg" "${srcDir}" \ --volname "${PROJECT_NAME}_${PROJECT_FULL_VERSION}" \ + --appname "${PROJECT_NAME}" \ --volicon "${srcDir}/.VolumeIcon.icns" \ --sandbox-safe \ --no-internet-enable \ @@ -389,8 +450,8 @@ function CreateDmg { msg "Notarizing the dmg:" zip "${dmg_name}.dmg.zip" "${dmg_name}.dmg" echo "Uploading..." - uuid=`xcrun altool --notarize-app --primary-bundle-id "com.rawtherapee" ${NOTARY} --file "${dmg_name}.dmg.zip" 2>&1 | grep 'RequestUUID' | awk '{ print $3 }'` - echo "dmg Result= $uuid" # Display identifier string + uuid=$(xcrun altool --notarize-app --primary-bundle-id "com.rawtherapee" ${NOTARY} --file "${dmg_name}.dmg.zip" 2>&1 | grep 'RequestUUID' | awk '{ print $3 }') + echo "dmg Result= ${uuid}" # Display identifier string sleep 15 while : do @@ -416,8 +477,11 @@ function CreateDmg { # Zip disk image for redistribution msg "Zipping disk image for redistribution:" mkdir "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}_folder" - ditto {"${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}.dmg","rawtherapee-cli","${PROJECT_SOURCE_DATA_DIR}/INSTALL.readme.rtf"} "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}_folder" + ditto {"${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}.dmg","rawtherapee-cli","${PROJECT_SOURCE_DATA_DIR}/INSTALL.txt"} "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}_folder" zip -r "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}.zip" "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}_folder/" + if [[ -n $NIGHTLY ]]; then + cp "${PROJECT_NAME}_macOS_${MINIMUM_SYSTEM_VERSION}_${arch}_${PROJECT_FULL_VERSION}.zip" "${PROJECT_NAME}_macOS_${arch}_latest.zip" + fi } CreateDmg msg "Finishing build:" From 32b4aefa47856aaeba3d3c9d3bf7227245c3e040 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Fri, 19 Aug 2022 06:39:34 +0200 Subject: [PATCH 084/170] Propagate LICENSE file renaming to Windows installer script --- tools/win/InnoSetup/WindowsInnoSetup.iss.in | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/win/InnoSetup/WindowsInnoSetup.iss.in b/tools/win/InnoSetup/WindowsInnoSetup.iss.in index 988821d66..954d39991 100644 --- a/tools/win/InnoSetup/WindowsInnoSetup.iss.in +++ b/tools/win/InnoSetup/WindowsInnoSetup.iss.in @@ -47,7 +47,7 @@ AppUpdatesURL={#MyAppURL} DefaultDirName={pf}\{#MyAppName}\{#MyAppVersion} DefaultGroupName={#MyAppName} AllowNoIcons=yes -LicenseFile={#MyBuildBasePath}\LICENSE.txt +LicenseFile={#MyBuildBasePath}\LICENSE OutputDir={#MyBuildBasePath}\..\ OutputBaseFilename={#MyAppName}_{#MyAppVersion}_{#MySystemName}_{#MyBitDepth} SetupIconFile={#MySourceBasePath}\rtdata\images\rawtherapee.ico @@ -112,7 +112,7 @@ Source: "{#MyBuildBasePath}\sounds\*"; DestDir: "{app}\sounds\"; Flags: ignoreve Source: "{#MyBuildBasePath}\themes\*"; DestDir: "{app}\themes\"; Flags: ignoreversion recursesubdirs createallsubdirs Source: "{#MyBuildBasePath}\AboutThisBuild.txt"; DestDir: "{app}"; Flags: ignoreversion Source: "{#MyBuildBasePath}\AUTHORS.txt"; DestDir: "{app}"; Flags: ignoreversion -Source: "{#MyBuildBasePath}\LICENSE.txt"; DestDir: "{app}"; Flags: ignoreversion +Source: "{#MyBuildBasePath}\LICENSE"; DestDir: "{app}"; Flags: ignoreversion Source: "{#MyBuildBasePath}\RELEASE_NOTES.txt"; DestDir: "{app}"; Flags: ignoreversion Source: "{#MyBuildBasePath}\options"; DestDir: "{app}"; Flags: ignoreversion Source: "{#MyBuildBasePath}\*.dll"; DestDir: "{app}"; Flags: ignoreversion From 794099847deade035d2938941102ff6226033791 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Fri, 19 Aug 2022 06:40:13 +0200 Subject: [PATCH 085/170] Propagate LICENSE file renaming to macOS build script --- tools/osx/macosx_bundle.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/osx/macosx_bundle.sh b/tools/osx/macosx_bundle.sh index 58a75f629..9b7042f1f 100644 --- a/tools/osx/macosx_bundle.sh +++ b/tools/osx/macosx_bundle.sh @@ -396,7 +396,7 @@ function CreateDmg { msg "Preparing disk image sources at ${srcDir}:" cp -R "${APP}" "${srcDir}" - cp "${RESOURCES}"/LICENSE.txt "${srcDir}" + cp "${RESOURCES}"/LICENSE "${srcDir}" ln -s /Applications "${srcDir}" # Web bookmarks From 3dabe6bec4598a699843aa5b919e7e7121c4091c Mon Sep 17 00:00:00 2001 From: Andrew Dodd Date: Fri, 19 Aug 2022 09:44:51 -0400 Subject: [PATCH 086/170] Add Sony ILCE-7M4 DCP dual illuminant profile (#6552) Fixes #6468 Intentionally generated without tone curve per #6467 --- rtdata/dcpprofiles/SONY ILCE-7M4.dcp | Bin 0 -> 65358 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 rtdata/dcpprofiles/SONY ILCE-7M4.dcp diff --git a/rtdata/dcpprofiles/SONY ILCE-7M4.dcp b/rtdata/dcpprofiles/SONY ILCE-7M4.dcp new file mode 100644 index 0000000000000000000000000000000000000000..693453619e5df8bb0973829c5fb07a53d4811ee0 GIT binary patch literal 65358 zcma(32T)YY_XP^0qJSB5&H*##>{1j1sF*V8%&1jqU8AOaRKlO# zOB))Q@#AIw?D4;GhdM?^D@yAb@q>{$f3E!BxGf)l``>HV@jreqH8!fp&$;pOkJ3g) z$z6?%eE9h1|He&4Mn=E**qC1v`^U)WH^2U$_x$HIfB5?}=f@m=zE#=3pP`tKTmNs| z;IENUYT3Wn|MQxE9t-W}F7GyL_EhUZqvwp^|31;j$f$W=Bcqoe{{H>v`0(ey$C8Kt z9-B}9_wQ?({Cn*C>)-Pu8vOh3DE^v%UKif_-{aZ;y*~KQzt;u7`uF(7^54HdY4q=L z-2dKZ@c-WDN~eF%|35$93jP_p@aO;k^BWn7@XxbPcr4r0ya1{aF*?M%u$^~XM|hjiP%u3NA%VnOs|MV>}fv~_us|7W*G1y(jOBqX0UGA;ke`2nf%o1TcI;2yNGofyX^Ct@UP zLUWDXkcVWL3~xsIV=maaAQ?|Ro6?@xE%+3d%<=u_@h{H1ANa9euIX5LRE(387PAfV z40M!B;hx!v72L_hZhJXSRooTMJ7nS1cqOj4juiT|%EE!RYBb-qSO}`hz@Nt&m^B_L zoLQBI2mU%N>+C4_Pfxv5na5MwW$XOYf2oYVzFCH~G*JL`~gG86_)Q_9|_!{FoyypCu~4_@dn^idSH zdbFSwSvnlKABz_z^~owzi&YB}Fz5V7w!e`E+U`jhEq}qjJy9ZaNHRW^y<&-;a_mS- zM%d!dth$~QO%5f)yMYl6PY@y1KN$@a4d_hSKGdC?jJ_sKs4#OccAF)`rfo}_``I1g z)k*N*+>YW>T@h27gx#f`XhyLMc0EhNz8iJu#xf^-_eiOQ^QGR-?1V`sh8_^(fcJ1V z*CZRST&1|M(uBFU-w&tBa0KbyxfczO(E<3G)sPMS6^6i; zf!No5I-3(82ziSjXjO6+R7a0V>w^)}Fq>T)sK&)Xp>TJoV(MNBwA6=Vy8Cz5={3j4 z(|`^Eret+lii^21C>d@{Uv^2cR1puS&u>`nK`H2VBGPwOvx7IK7?hKYW(&@<3U>)Q z9Zx~Yu#0T-UtjbXoQm>M)hu+rCl*8MJLiIhuTroyriQ)n z+=51#DX3>=M1PYvz+zVl0uCC}_w5b{Se1e?zuvGo<8A0NFSQoV&#zBqHJ`K5I86-K zns#hYP!8f&OOfOEPI$FE7bknj@p0Qxp^r2dHE$K@@JlCr?vaaS#VUMtTquN&%fUsB z20ur27ycf}MzF08P6N$^;2oJL{-DR|BW;D0AF1$L>Vf;1;zrv3* z6BjvdRHneIynqe0l%Z3dG~Co5WPh%R@lKhB^S_R;@F_khI+%vpRsvgga4$kK(%`$c zlntD@6D~e!5bZzDK3TY+?Tj?^++W3}xotsBt2FFs@|b0{-HxCGwQ=r$su%0~Di?2J z#3XDr9Hmj{KNetGCpsz6?yP+?7jJd|ivc(`Vl(4pl4 zJf5e)o=RKcb6yU7n(6SY=@8*`Wi|qe^+;0o6l4=KF@Fxv$=yZ>0gkCi4h%q~YLn1l zZ30Gl1fom`7w&J1Mtj>Jm~SW*Jeow{>gZssnP%~e31|sxMC}xZ1 zu@i27sK>%#mo8>^>+9gv$beJ(qL|kcH4g8OM!GhaRZUXi$<8<=35QtHY$cqVCqiYD z&syG4pvBT;%#O%lwu=>@38@&=D2ZhclcQmL8Um9N*vxTKBsiy|)GdicREpqxAsxl1 zQrQ6IJ}h{Xj`<~-ENj;u9D10J$TvA`q`?jAOVYuvoMeadUGcLZtyVm*G&E(8Ugo1Z zM2xegAA~Ly1-LON{w+E3WohW~If&ivB}2EE zbT}*zW;5DIP-&Neo#7#@@c~~9KbQe=w>b9R-Wzkfq{D4%3QIP4V6}C6Eu34ns>6T{X7Z#$8s{$+T9u?{yIf(6DRH$%0 zAQU?lpyaF?EzQz}16T7<>aK;*FJ1`wo{Qft^=K3kA^bSEAG;F#Fxw_jh#Z;)n`QyX zvepP)tJ5$NfiS5n6AVR3Sl=xO<6DY^kit0RJ_OKbxG_y=@+buTEW&|jWkN~kU}Tp^AT;BvpqU?tX4wW**mh*=SNWr+ zEE@IPC$Q#g^%z<&4w|xM%%IR>!+4%s7HnhluB-8GK@!~7c`|z|73z&hLEB#<=9;F! z_KT^o>MLbA?__AxDIGUNGIpVb6ldFIz-E=2xptSpf`6a zv!ggI5o3kfb7A-BqiAL>MaZAK!r_xgus&S|vxPSV#jV5GZLPonm#acl#33}~>v#LH zmxZi`h0sgY=zHyg@L(LryptBEbQQv`fq9tAdBDBgQ^LqwIe6694^@H3g$tvz5v%ma zdB;5ALhlT;I~IVp_YwuC*c7bF3q*`INXY(_fbE_^_}Eh_T=9#=KpwlTeryv~rAOh` z?_e|tS|c2p6A9(>5ad|f3w5`LBiJYmmIaQ&g%_bnofQt(Q4-;EKnM=<`$0M_S_thM z4EwDHT{$4`>&g~Q)Fap~9{jDe(`0nGzm%1vE8&)t0*%3e-M!6uOWQPPhi+mQAIS06D;0{_Qa1jL1fB`CasGJw zxA4p2I4*jKF=+5tA)@|q6#teWd0UMTYh8p*Y8lec)(8(<9>dP|3dDT*B1}*pL42kX zEkAx078V|Y?N~KjZ++$Y{2&IB2KH4o!iYur_%cCnQHmaG?4AoV>+i>i zPk#9L>83FIdj@nJ0$|~FMnFy~ZgK8$v?@WF9i$TAdISZnqLbDk2d6I0O$TjT8=Yj8A+FMaS$>LO>JFy9b8j>Vlbq zJ)aYEeFS!TZx^1X1Y=`M1Dq~L3SC&GAAmkL zqG7H%FT51|V750Fmwn#~p^fyI(JCIM9?jU_5jwQE6ptxidNTQ14X)-T){680)+rTx zIzBM)YMRFArkZDlL9E^kRG8<{>dwhkeJpFu(ITs4Uat z+`=}jUQibPT=s*!K_g~vlaA`+{t!3(A$&4TK~p*Zo@Z_d?VluI#gIUl4?Zj;e~yLA zNq*0t2@x*YL?d=~5ZVN66-vHE!un+Ms)IIq1e<4a z0Lrm?q%0l4X69$ZW2_%`i@P$LH5pjY*&l7Dn6vP%sW5-ykHFtX?4@xMng$2pUFBWD zrE5IKb8ff0agkuNF9s`)@O-{GQs~tu3OlTVQ1-@C$gzlo4aYqA-BMw1XgFqt2ji{z zT;cl0FkDcEz^-z!&~|eucE*Mx@Uf#1;T{6d3t?FFMl2+I1>->T2sn-i5GVdUCK z3|NyaJYEuro<|KR9aSXsatg%K=}|c4St?B48-UKUqLF{_x-j{<9`2uF(c-faE5547 z*}8GHaIP|2#yWQ^hi-`&*+nbai;rc<$&+CIjn!fiuVo7YigBxn3L4+lEL&QHcJtIYvS|hLoP7jJsRp;!E@GR%9>ky&E!r=f z%?bnapvc$Z@F**m+b;(wCnuelbez+jvoTW{xFgVx53A0azpv#DGY~Gb6ye_c=V7BSvl$3ESD_EX?C1=wcydBYKr1`n?oIJEZKjI(@IQ?@L^s>C(!Df3U)j8vX^U)VRa`B?uGAQbKY{UXsN}}9-G-`_X4yW zuEWF;tJt=>2XMEi9tz`mY)eWu7S{8_tZFN!cFw?Mo=@t(AHlFG749Ma_z~ELrNk$p z!X^M`Oxm$qeG~BQTL9YqHeEHzPxYZi>p`e{+M zaL#BP!8Sg1!%*h0IEm9fN*qrJWEq1Q%6YDS?W$+NM~}nms2VSVRLpVIQ7q&AY^5K%IL*P^w*5r8(oaB0JDRW@2k7VJ{azDIWy_gLsPDfyGe{3B#i_NZ= zin_1-vC?!R%L`3HSY`n3Yc1J*Z>}3{2t;20-Yji@92RyBf{|G#c8af?mmdaUf~+-b zmk^D@{9wd|n6ucqQ8>>z-{`LM}Jbx*Jb@N=-Afz05 zZ50SX7W-gZif?0;m>iqR_TDMM#(63nS(w1=mJ6_5p@x|ziru+Tgab=8$k`Uk0(d@| zJWGon1N~X`y@Qx+sl((CD)v1j4~|XsnDR)%jP~Rp`-vXc$9S^q{#kf-*bi9~x3d{9 z(lK4(j}eI**i5HXj9wG~-)1XVgMP`l+BFbXvU%)l??l{s9SG}_Gug-m@o3M2U|N4F z%SnobMRYLU11!8n3~VGJST%DZ^N5JTQ@2n|dpLoaSQ=2aEewm#O=KOfMqrU!IG&jf zWfy;jqur?x_^lqmrkZeWp33vPSp#;D?9jLtpp7l z$Z+jRG3$C*fR7;KF?^Ic)H{JAT%&pKT)@_jJ_cn=1-_c@XEW9w#=;y0`t3<&9-4!w zGg*n;Cvl8X9&VQ_acf^Bn{S?r4RcfoS;=c&X*SxPQ=xINo*nCv3CkI3%<8FPK3~(Y zT2KRnrL3qZ1vwKmaGmDO1|%ebUDUv2&@MLgR01;eS{!k9VdEObqXXBq48yjtJKJN? z$V86}*+y3XO*E>R9t-EJXYYKX&}FY59&TR8qI(!14D?4u`Z|`(aXx<6A6b^mSX9?Y z%&!bWLeGWlL!Sr~#0J-j^ZND1vD5Kk*g7*5t|}8Yer5=|7S+aifX_A7amY!oyNb|g z#Whx?DuJ|%7`rrA+46ma!W=Q0&$`TxS};tSBEk4a=UL;JVpLR1z@pEvQIC#8*e=Do zf)duWUJcadx8KQB2O3A?a2j^L>2?JMH9HwkVfboIc2PL9V0Kq_eGI`8XJ( zfcRb_d$NUVBQuof*guAyo0WqfAC*u)2xsFaXQO+Z3Xu(i*~i74Z`-Od?6DvF*&-eD zeyj0vmX>MGrr^Q>4SEk#vDK+b2-u*7V~U(DPUad$TOEFePtXxiOJQ5&NTToP^!vac;Ra0FP}X?A4Y? zTsjp1n=URaS{H%C>w_@##2WTADICpr^Sm^)+5g3P+wj^rZ}0VpeUhBQ!vGQTVji+r z_fKMKcQHbD+-DQ+m%zM0j0;b1v(<3~iy0E6FTT#|4`ML6D}hn{E6g{j7;pDT5i$Hc z%db9;yRBphZePY${ym0_gEG8&&RCiGQPeDvYl_(jU$KMl%(;d!f0quc?*=o=k#YFk zS`U$BFiV{sgKr1*81W#8UEr}jdx0O$J`G}h%Ommnjo&{p%8F7A=;Fn>(1=iWxhxVh zOZ_nJv>)^H<9uct=lQQxtlRMjtehHHE6)F0r~FBK&)PgZjb=e26nuNfp4ptng`Q$` zOMk;otvCgf!(zzHU$WVjC*d+%g7Cm6Y|Kr<+Q$-LR>fC5K7F3bs{y6bJvxasSvU);i-bmM1A-UMw(CQ6X0G zcrNWx#0t+8!1k3AKA#VcU!0fmzJO|W83qQ6@ZIMxJ5XAR-hIS~ zu>H;SuTCTMm>3_QeP?oBzciUIf#Z=HmYaAI6)z+hZuWt7n^S@dGTygn{hFoTV|dkF zhN#BR*b#dHmzfMh%pbB-XHKA{gB(>8?y#lZj$>e51#051v$S=`pyfCRPpe{fen${H zO^J$Ol`JFW5FR~N!hP2{wj=K#%w#HD9a7FBJ@fIjvl>6+O4()JgXos3M&jO6Y=Tub z-1=!SKDUJ3n45t;85+b*Bz97sin2ah)O2QS3hyZ$NYKLEMqmop1Z?b}gQ%#O-RvHR zCV@JnZY^fhYobwFpKFZnCs=%@0m&Xb=5GnCPk0oD?9tAo^wv?@o2>%wxlW&9R~T=!g<9ZQyNxshHEtS~{5TncF1{5A$in@y>@ZD}qWzy4_@>YV^&UGng-YKk8OOdk3h_0BPM4vt~gzfsp zp5_pSpOT^O@^7rdilOa#uIH}(%mz|1Y&p(%bnn^w9w#uA=Z#;NU$db+=G#Kad$ljv zHkYGVbxVoG$xqlkhr?jIR2Z22kX`pYh%a?{y*cPUQ}bTK9j+4&Howc_bM~XaNCSh- zZ8lhz39Y9F%c^d&Fijese9+)R`VCgilF@jx7T@SP>)DIKJ2K~E$FFL1xAI6kdV@X=6@{5$o^vFnYW;m zv&*rIiIMuLImNr5!JK6hh!o9evS%4ievshwhbHuOQz`cAr1)yrn10|i1Pd9;@*2_@ zlT!#kErYD987(L(fv`@FagioevV@Ss^Tw4{4QSJO0mV@Yc*%-Qg@M zxZhxHbAHX*3cOz-fm@eOv{+J(`JW|RukJ`6)Mv2YPl};0+S38AGGzCYVRc12vRPJ& z`#hef<+i2JPNz}1MvhAl zeiqP9gM|@hG;~ioo+>ohbjOsoxu>A=lLiB(nvzpWBKoi4Ii%EtcGc$`yIhOHbtW_} zAOXp#JHEypI-hrhoVzr#OUW; z=>EaTaDiRik`o zJIZw98t?)QI;OWJ2Zt042OsojXf*zTgj@ZJL`zEJ@@?x?Wjaz9cHZAx?U7M@xJpctKL++#sFzQ9b5+vqxugb zP-9#h=Xx)#XjD!mLL)>Nv}QU*nOwq;Az~bMo=IO{RKmMV42J`==$>yS+N|OF|6Us^ zzi|;R9B1K)4f+4N08_mb?|#|PnaAfbuZIlFGi+#p@*ENiWq2vfq9c_Ru$?YPQS+J9 z?7$hsU6G@Asx{3YQHq`R3IyG;qUj+gvEZ=+^QKLvKBE|Dy%JYPPNLPSBDhp55$-&J zQcMoR-~%UB*{SF>;12r~NgTvG|M_&xWm}t8texljB^XT1D%BUxEYA z8(wzyG^zO|u3<>A-^ZSwR&qUr^XJW_IX0*8>x=>mch95MT^XWzZEm%0E=`?N1jhqP+>M+~PQ{1d z-C2cq=C-t3l8;yw*9K`86@=$t;71kO#?PedUo)|Z>niSPGw4!O8upQzd!D9K@;=_9 z>8ruM_S30-NCGbL{?l7eYx2Jxi+P-r*nFHuP3K3$aSqQ!1kYbxm) zg|}KQszzB;CO?1ngch@O3+VkN-n;SRoIHO8^>`DCssJsho18W@^MiIkZJb~9bRc!- zDtzELj~>36Djrqg%uq2hhi;|N##eET?!S_Z`7K5U{c znPuE-q(FJldJ4UN3SF}myqD}i7vBpw&{>IS^EGtYtOz2l60?`uld$s;`hHcy`tC}) zJ0c$z4l1mOT0!EOIXG9YLa}@~txLW&c(ZU*~=J@mkENcBkE&c`smu7S~;sq~@{w;iINjJX;-grMVBULTeDg zX`TmleN>Gd!^Bvy)`!dnT|&F|8bn$LH zbmKKxYvoAZJz`-RuYq&%W@;W3g+azze6iU~_WdH!(ou_o=xx+_ZaC()*W#ewl{SqC z#bu6d<3Vyt5AnmrmOSQL$*G%$_YJ3N5ivDRL(ajR!8%uUWY61olAb{X#ROVFP>6J_UZ@) zReT;~Nbaa5(*~D$?^uQbUDdRJ=kV3_<@o+YL2*yd;<|{hiB&S%+O!ify zkJ};@?&o?_o4T1Oe8#;mSNGAS*i_t~qsG3r`>5yMB!~;tDBR&i_muHC%DJE0T~G2l z6N6N54ce~ur1m4D;P8;2f8#-Z+yhc)h8BKZMHE~&7!`*#kaUpH;n)Dwt<>Pp3>95F z%RLnQys=V66D1m~zNJBdg@!6yso+yp8|Sr^DjI8a7A}Dz{Fv%Tkz3ATTvst_J_ORG z-<(TiiZN+x2(5W_4&R4M@c2O}l}tDX(_<2zufr($eFdgWkm4Rc-^8>Wb&pA5=M_RF zVWlu0&OJ7pgXre@lL$@YK9Gh1RP~7=yPX`tSM>B`elg0FobR>M(Gf!tT5=t)=@$(R zx_$^PRw>}$NJBRV=A#iQu+dsgW6$nKbT1_e4Js-+l7S{lB|0=v(UlJ=2!5`_HK~$z z>`272St@ihSJK46agb%Ga3)JZjeAF96z72r7bs|zT_pS*)!1EELEY2Ckj8bA8%1(@ z&_4tbeKZ*AEvFM#0^Rqzman8dP?zR3Y3!p8da}mTnD5e4aG;=`~c8*uz{z*Sl?@q(L z2n9-8`ce9YBuuPPAj3mXF%I!4ou@?p2OVu29E0>MC3<@3D14}a>*OlDXriMVo5Im# ztqS%zTKZNVg3Cu$=(}7?ua*SCt)&|Mn`r5mSpZD8sj;_QL+9`5kzT5XwO&KESGCyG zO@oI^HB|bH=N?|y{}<2yFF2E*j-0q(v8j&;<%2>fU{wK5eB~PH#z^`&`5im>AmG=cY9!)D2#Xc+0Z9P$GD}4J1`5nP;ZF;l;xK!q0#+^j>C@$C9L!ZML(yEp*G*r(5M@)2gR{O-O{jF zB0+VlSUS#9u=l=%bF*l&`;dgy+;bWGC6fBxNPu;K6eEqo>2X>dDj!OrZXH4{!7*sY zbIYu{LA38x6uL`g@bwFzMFCtNxGaO$a(|L9i9~ca?$5FHqs_x3V786xek=4;zh^ia z9Fb#&Tu0NIhT&r!1%&fj!r>5v+A6TPzm`@y26KO=0tX{B6xfe@n(ipDyRC)}{t7^k zzDnp*)b!7Dy&LU5x7<{XTAy%bySo!NRNA! zDokIjrWw4?`E@J57Y=D?X^tA#?P|yQf7d}vA8$Goo`ggvu0L;9(fcWh=*4}g6Kwpc zQS$`M;%j1b!w}l?E)Ej{#YlS{MnY9A=rz~$+C~r^i{b0%KYD36ZHSMCb%X>D&BG{L z8HMl9BuJG7lgQnG2g9W}rU;;lt&s@cC&iFtJssE?fo3PA2=LRAZ%8=mn#r)cuZG81 z7?#bI;dXsBJ**#w;XyL)lT?wVZ78->$uPgSl0w5n(1z!noW%+n^C}oS7jdo_E+^ON ze9a1y^M0+2LNkKkS}DhZxiWgp{avhy0xFV{k17yN`CM$6CZ*NJfyh@WkX$XHwWW9?`JKQcTRw}Bj20x z(vL2g#Pj-8j3&JU=vGZEPBxHW)kA;U@H7U)=Si^A*^kcMjK=v;-gD`xqe0bCxWYY7 zu6xuJd7Eo2ZKP=TMnQ8vai91?Df*epX*ut~WpSOva6(F+t0GWdAw}9T3HkGW&}L&9 zq&LKL??V{uCdkmXv6wDR4@0n<49(_A{ zhxXt;%H_T3^^@i3Y49Rv`(PBh$uZ2}Nn7s+VMYqqTM9iWa%&J=uFJt*@1+v%&Dh&m z0b7ZP5}pL0GF*Z4$E1`s&mWt4F516QPWSBm@a(J-hdL@KX^S3FTe$YZc}UKCEmFJH z#`%1KJq0#Mg~d`4a;;qHcS16p(nScG;Y%%@l5n<0gkmol{jp8NA&Bvi^YAR*0~)9h z!~VF6Du>0R3Fp`W5h_|VBo32JC9q$tq?bcuac!yuX$$0ZYeEd#?BluRmxLBBjD~lf z1h2|PG{uAC&-*gvBYkK_o&j$;{tv6Y$e8=M?#z(l(q9kiHZu}Kd0(vM=DpN3E&_*= zrSN^Tn}&1W%brRp7Abd8>6&n4{^0k>P*D%dAT2~^0}7#UO`oIJ(@38)r#lEp>{N2LK-&C5y91R zJvHL{2}B_x%(Hf-l+a{&UK63Mu@^n`NW#N5-0LV7QBTgDZZ8ny?p-nM<-LhD+&eww zj+mNz#lw;7)y*qK^gtJf79Y7MWRMRnO^-z)&*u{@J<0E443xb8wPNRP`eqyh``r?J zmhB`j?w`tzm7wKXR~luAg4byY>Kxck6F(W?!+n*TN4k(`fdTp^T(i35Ols~uEF3IF zLyxVL*&`DD=1Q^8!ihXWA~3?4??rjwNFhxkV99$BZ&Nmt#4jAaDN^+I+(hYZ!~e-2 zuy)u;(=)=5dq;}U)f>otY8Y1V`Klhim8Lp`;-b3@wwqlkmIY%Z_xk@g&VR;xQVY)g z@_H%IEly0kzWHNuW3I`RN-6iJA4aH^wQyb$WksqT>4=*u!uHWiDDPJ)^db>nEZjhy z`MTEes0h(rTxelhGU~n+Az*|%wNFWcoOA4U9rjQ@@4Fr0UZz#+_mEe40@C-2VRd2` zg}jP~SG*WsAGwixyLjw8Ek;Jjb~2hDhv(14XzA%pUBY5v#pA#G&n@KsEC!eQNHDCW zBT1}cpyBtz5&0(Cnaq94ybf*DZ6jT46pa!-FFVWDlW1=gM(ZW;c3nqrUm8%E!1EQa z+3&75;MPG2mR78xCXXX=q*MYQ-__L3ITGi2?sA)KPa(e|pn5LB9rIO0p%Ga6oofg- z4t#%HIGoq;eME29)5)9M$6g|ZoA(xKHaisGT={x^(}g;03PH&m8J+~~qA{0((1mLV z?HBmc%M$@8FQ^^o|6K>06_29iqzqggD}u*78+y_=9RbcFgltb0K9CAW zYOPOz+==HLi%sNpEgs=gF$QO@C*Ohb*k=&qakvBB)5O6pR}7;!YsmF|EWVN$J$zP^ z&B|EVToz+sZ+nWXh{5>#V$3_gk}@X6;K?iQaoxUx`X7mgtVWEahRdnhm}uRVD3mxHmXBhVm{Ws3LwcSfACIrFkv%FS3U#=NI z-d8hWYAM1-cTmjy3}}{#V5gfyPUh(tv5)WN+_seV7^R_2victlPYqbbK~sb3uK%o1b! z-9;odi$lB(-;3wGknX8t(U+gU@Mb=RHIKy=?qR#Ic^(~&je+?TK93LP(y)=-Upk)8 z`}#RlP!-Mh2yh;CXFfe?9*wkUG2BxZl2L~!jCjlYq18)C!#x8pc`f$Pa|NXg<$DK? zOOP^k4Y}~WM|GD-`QEKfL}j7qH%f;64V)?WNeDjj`s?}Yon+ZM82z-hakd=agIYGo z#;86bG>slfmpwA!F-?T88B?kIm<(ju^ZXn!hw2YZN5h>WJZ`y&ep;ttu3UuOhnG?p zzE|MRKl$8ZIn6tjf)9MJV?ev*B+zVGAwr#Xb4ao#9$`EN#-FgIcdz4cPcOpUCN|Va5{Ec%5q7SeNsqX{bQ!--iw{hv znPssEULnGUOSbgnRt#$Hh|r<89c{IW#x-YgtvKIzVG+fo8}O{11PaYc`Vba@3tX%G zZ$4kuZat}Zo|(;a{?b5aa^{@#T{-V1{omu?KI~IPdvYAP9}b=P|I544qWCPV;jwMU z#*xTA6D=UZ=i+Hpy(9x~W{F_pVoTljrQ^zc5gI$$QBO+4bk0=*m(Hg_o%vo3{`rSL znNN2$skpk5$9(R5GUI$^EFX_(IiJc^DRANU%PgyT)TwC-ek>5dd%hjXf|KE6BZ431 z(ztfXI66s$UG?TrQFIbQhw$EIge|S_!F?~Cd44mpp*mTKIBp`s$Eh>PYYgv?-19}y zw&~<|E&&fSebG!kjgB}bpx;hkJWH^m{!J4wbF44)v#p6`#p6bSFK*7XrotZa==jJN zT^riapYt)eUnauA^EULRAO?dSM7VUtj;7X$Mjx3NII@`DH8kMh90?A@ETzenk$C4O z!P5!$bkQOL)JuvvsT;|_IscS)wQ+uM$(;7B&w;81=NmVBQQGNjjOUoQE+0lBaTd0A z6Cv*Q1bQaQ1moj&6;nx_p8>lrB18?ENx7yOC~Pl6RjLhD?@b3f;c325X>I7{^%PWj z`C`1yEb6(DdtGMwB7w~yUtYHkY2pjxAJ()^l#HCSKHL*Ejrz4phFs=@Q6Hwzk=Rq_0-YLTiZ-l2$r1Zau+&k=z<2%8*dLoAZ@xsfVpi?IjP%vU&tvDa|ZYsr& ziNn?$Z-m~RO>`|9A1!LfdGehFw5Jo#`H#eSJD0B!w<6G{s&<_JH=d`qZbXX%a*=H+ z!kR~&Y5I%(Xu`)P#RI5&ayAZfeD1#*Nux5eVDiov<9bb`DK9c1x$2A3zf4UMl>7=qu!%0gYBv(zNE+xJDO^k_PkWOX@rO5O_>`OylvlJL^l2SYAe(2QnD7&pTk?@}#Ed@>PFWcx77c@zaD zB_dVuf+AoX)#2k=-#oEIGm*|6PQ>5Ao}6QYO!*$`$Ll?CBWMaG*W>%zL-)d4WJR5N zC1D%egQw|M)N&lp+mCjmZ#ye`V4Vc@pItcoU^1E5Bw={-U5M(+TS9!?zr8ySyqiGH z_;^f*otU*_9C^=4!md_sNIfx{0+uGBubC?f-jATiyv{oCeLLQC8AdvF5~R;uFm=TM zYWO@6&(>{+_;o+J@G}vsUb*1w(EeoFH<7Q6u9(z#Al<%~fVyAYYQ_1nr=w}?zBsrY z^T3%0wluj@4BrP+JI=l8E+CTyQP_2sbEp5{+|2qiyVooZ_~V1R?LIN*f+)Pwcq28j z0VUcSVB26H8g@3PMOFq_#Cf9Hr#*FcFn|sBz<~bUXke}ZZAHhyNfHtNeJh$g?@B#*EhhQpim3g)Y4)#pluvR;8|4i8 zqKd`ST_QB}980SmV)13hJ}8{$(CsLm&nMN!xy!UPMxXflzKHMJ-_BS_4&Q??*$0=u zRx$fEF)(|w528&^S?H-KR4wtsgKageii(4^)h9?yHkrf!%#ycKQb-peLNJFskcTdElng^oYBp?#h9B)%90 zeSK$~@M}*qyrW@n;e?8}?dbck7_8jlhEWvw+^*P!dv{vV(_}suvo~V=J#$*M zDh^IB*TX~Jlq${RQIN0>xxX6{osNgF%>fq9CbZfk0c&m6;_C}DI{z#Il~XoDJl2#Z zcS*$TLz^%^(S*K^OT^3(PI!8u0kyT`zr*ou3&Q_2rm4629EH0ed%ro2GbF&d>yBD+ zUQg&ppSkOBE{=+l=dHl;aCf%2@7UxqTVG=On#$v_y!6mN_Rp!KE#&l<#S#3l~+)wLv%Zc-bUo5&P4!c9Qpo7B~rk}+7 zeLEa6?$A5-=mf9*H*d!5u<)oi?7(*#)PIFETZXZ-DN zLfbgcOt|2N88yvm!1H)a>kJbeYvUYpVG&ywm5C>Reev?xb|&{o!<$rJ z+#4!oty`wRys0mWxUas>s3f$V;sb41IGcPX0a~7`?E@3o)}!%A=(7*{tSpxED-NR` zdgA@vLT1MA@lbCMc-CdiaaJ6j{oI56l5)0&`y~!L@Z2)*GCRH?4y%gX`QC%;tcqX1 zpyN&~UT~XjybyXzpLl+{@!}@69$?AFgB$ z?Gm6d-S+>Z>MO&d-nzHNKvYb`?nD#|6-DI!S*VDOEsBbwVj(I@$0RV!4Bg!wN=WSu zVh1L6cVR0AzU%qFUk>LJm)G%Jhdq1NUh7_WVE)&$Z1|RVT%Nfbb!VzsR%$$+sqJt$ zw2Zt0;_>LyE*RdZWu19EbZza>%cPo(d>Rj-rycI$EKB?mkLa(vk>_%n*|$!>$P2q+ zXLp`u^-F+J&R#?-&#`fX6R`-`XKhrDrY~l;_-sM z3mg9wGt*1)c(>sIGC$|D@vrHwmfPcLLk2teHy#g7>`CvF$o%Mj4!TC)@fA@_w|4@H z5A8>bGs(9M$I`;wFuptg*{;tjH##&EZ zHcPhvo|c4Z93RAL+T>!U$OFzp^x1c>EDQ_tz?K9HE+&N?G$RW#G=nuy14PAFWN$aKHaF4gQPre-Fy1nRqtXBS1b=abTdFVn|#H}Aa+1JO}Xd*lzcF6!X@(s-|n>_LQ z;|NwXAp?%(9exD0$={sWAl!)7J zoUuIJkBuu$L|Lgb25l2F>?F=WwKKXtabn^wq<4GejL#eFSVIBzZ{1yBGs}tzD-*z{ zxS;#CJwBR7yxjcb%UM|QruxFMg3DAB)y?2%?dt;h_ z;Zt1kak2{=GAV)lfm~5xE@5|n#nBt#38zs~7BMUij#6)U#;DkkZ=rAzg*H29;c;8m zbz>>+rFxLIza6VvRD?H#xycgRv1Mt6IFUr0nUwY{Wnn(-H3*;V(UHaJ<&wsM@Zqan zS%z^oDh`s~@N{o>+&dGdQo_E@4QKbXGO)+R3rhVd?C-@icr2%V$|Q4UekB#@gqxM= zTC<1kQ*k<(^r5<>@!yvMm+_uRuJvLkz9b{L+yk$6NmvE-_6K%);KC>oYwD3qo?7(h zi=A0{L=sB&dtlh*U2I0TB(%#UexU9;R_jT?Aopb>Qy|UF=IKqJU;;q^t(Sy*~ko+C15J? z?Qhyyv1sy&=uJQW(-*OA{?WKaoRDv|a%M;RI6Y$pyuU`Ui_XEgqiU`Ll3RCWrVZuj ze8mHc$cx~|%~I@_dO}&H%|iMYqxC47apdjU;DlpXTjWKW{dO#UWdQ~f#_oBjJu{e; zhj+wd%sSMG9h{kioU63&KGuVkOR~_T(Hj@~4r6yZW@2uWH>PZv!s>3N!{o6yW~MG= z$q%Uh(0)YLV>9bO`YD&C-njeu088JNia|fT5Wt++ozp4!QR9Uz(Fd6MpcJ^h^FsFI zEv$G4?ZlUO)-X^fWM-$NJg9v+VP1zF*>gztzE_nM&_C|+%P#PuJ zl(?Ryj*Y{)J+fx^wmeJ4vUY|cGdTbcJH|1O{y}hD6W;7T*Jlo6s~s5LH~vr8Hi+F@ zRDt&QJh5?OU-sAS1a4(|VQoYY=JC83ik;qg8QhJXv_DRq2N7IbcVP<#79u4@1eY(J znc_3)qy~yH`JE2i_A>|ePQ)$G>d#zfWy86UcB5Vf?BK0Td^saVQHPmqR(1yVRfuux zvn9*TNk_YIF=^_z(HobBleE|V(8`XrY)r-01LPrf&5CX4mWtiPown~}!8Q#@K}xU$ zU4~C*mxd<8j`e_0521bEi0RC) zfT3WV7m5NVv6>4N&@=GHgSQ53b&oQ9>LWss+eoJAR)XO_MEG`YFuVHqIN~bl3~Bq4 z6<&yt|8cka^=B`w^YQ1O1o0I^SiwH>4YQY$#*DlNZ)Rfzm*U$Rftk2uVbd4l5#3+H zrp(Vo4e_O3zg^4f^fS;)Ag#p1)vT#YI!Q+r03F%+-L+IzxN6Q@(i8 z%7D4kn^;xq3$6G$%%@#Errz~~zuJPu63^eVO401z9`*5O(GNn=Z5Hj_^%Ggj%0LXH zdF*apDr?gx042^5xKNnR;`gc1x~RGCIJJHon`?O*Y4pa8)Y`<>v^fb|FY=R-uV#L2 zIX-52V|Vrvc5HGbj-I3art3V`+ocTsZi_KtD%iTKq?5WqJNhsqR%cvdK|G}PQ5emVX_};1%W*}mWH>63QX6U%*HQIMW50B@YrL(?tP;=7Xo9ORe z8M%v{@S=Sgc{F)9IJ1@VNW3TC8FyI(R}j;WyZ4EM}iPLtNFd{R*}X2T~ear zR3!Ng=Caayf8wV#_bVtdArGbea}XUMEnBLX)tiyV?K4lIB~9oTYPEE5~%$_8=|f3sbi6c`D}i55V`l8EpH;6wJ64fEyM9)1!X!xLzO> zMrQ1=OCrLX0&qKPF?%$H&eNK>GUL}VAH<=tApn<7ZDBTT3IFdC*zDdqI8e{?GZe+n zq2zs($gX9O7sQ4LAS0En+7^J=^R)M>NN0YrKmWOm`ei7hXoBkk!9=Ekx+j_05`+#8F(M>6;Mr}3M35yKyavOQ)ep-sEp-+I(f zuHv{6Dg`nXtbS)DbXv%9B}vK*+{>U`L)<@mFZLm?1ec?IQK#w2=FmNFxa5bBowg02T)j9>G6 zyX;{OTe4h<2gisTQBuHkCzC(l8roAnDqR* zHSkLD#GeO6?6;I5Q1Hh4CxxtcTm_16h>)H|^Uli?_--q~j>lQdWKIb>65spJlr+{q z@iFwqEMXCgCkcDfQy0|Qvm z!E_X6svz&+#~L@L;xp|pYdeXUhh;L({Ro8V;-gF}F%gN3e5Gz4WUv3kh4IiZ^~vybQhe@ zG{3jOb1K+ps*7LqVsXc;ia9=!VtAjpX6O7wbc$8YAdYB(Cx)*($sE>~L$Z$i7(J@l z!^@=@)IyAP1&p;lQj7^H#L1CYk{8)=NXc7Ze0mvMIkXVJzsk|!d@)J!!~kHVoV0jzU3()an$-E|9LlCI&HsY7_>un0EJC=}Jkk?5v~W>XZwm_IP0 zS)XuJozLceRpRHY7=#obV=rP9P&&onnPCb0Blkt$_OUpcUdl{A2+A4!S}*&kakfC2h*6MfPB9$#~{ZhgT2ZR!uy^vI6EMVeR~*y znWLi7Tb#{Y1U2rDA^h<__4d7Q4g2+)IP9C^VPsUxJXT0?EI1z7m(Q?iEy-(V4SB}i zILqD>PwK2yLbG$WbAH4uFLAU#OEdM~hb)JDz1)ezlN9xcWezV#j=31wO^=znq!gO; znXN2+%IfWlG4P=bM>alZ59S=l`QxPZSp9-+7+DBI@_!y3{hZD0l8>zY{>cCJm<9dG z!Sp%gk=y$oV~tt3(KP@!SKnYgdt_qV>p)z?C1$lE9WQPKLpl01OQ5^`@J=YSY8Z2D z`X6Qzj(}d}EXagl)bNHZ=&nM)i4T1FL&k1&~VT7MqDK? zqftNEuApqZ$qhh8;V0HNIum|F0itfD=)!Sx$#{^wAn z`zGN2iW_XtOS-oQ67l2Ab(Zv(?rLB1bJoAk-WVw{OO}KqN3OB1VSbR6C!ux8RaQH| z2XiZv5cA;*dqG^qH?)sW8ghkQj}gORZW4NJsAK97Z=AbNp3fhLexLB4f`3f;iQ#^}Hw=4daF;%naFP;#Z*VLA!n+L9Y)BhY z+=k0~m7|AZ&GwJ1bO(9EtWSnbA}ynI*tzHrC|G~7avesfG^%kEIHqcKiiXsb8c#= zy7uJDC*>eve;_Qhb$NKNEF|v=#%UcLez9i;${c9cLRVgX$(rIw?^E7TV=*TV|_fBReL_eFA_h9bF+CuJO0`u3}1~2 zll|3}JF9}Bu{9YXC7OI^C3(}WNx_>vZMa-pg{I!AcsrmqKjo}|PC980>ss=y+P;|7 zHVyhx4Ze^x<i<{S=bQ%aYze{~iC67Vh2k|(tsSn?tABkOu6QOml7r$H>hPO|W zU^ufU*QpDJ)!-D=hUoHL^!C~iUt#WZ9e!}L3dx<*aCuTU;*BVfQI&=XeqA`<=ZmVD z>5zWx#D5Pbols~x+_rV(gGq09>SQ{$f9Sx|2y?2xkdAGt_PkvS;^Gyj<7lsTe8ErZ zi;dHpopVlLAKtkCG+}F=a2(r*&rPm@`xD|4-{{N7Y+~fCD28c^fm~r%f!)PY1nCXs zm$OemMLL1x?2&v*w-U_B^MwZSJr?*Jhf|3HF$c%;=#GUrRH?+@$Z`B$Y#!kpY7BWc zjvu9S-cvzY1y9HEHNCU2pRx@+u8!k*tuv7KoczkN#_{c%#JACnz=Fl&_?2#?0bCpf zuYj?f4NQWHYI4&)1K#}>?N*d=aP2gP-?&A-qni`3)J~sg6Q{kX9dWpW^?2tOVc0{s zs#eSh-j%c!rL+^$2pPs7EDJ=BU#T$k8^S-3@8J25X$bHe#4k+n$EmV(WW)~O!Iww_ zxFG}O=lbzZa`MZ)PM-K(`tqCBr1c+}iG2Is++(E}{%bN}@~I~e+fHY@Hxu72yYs2U z=XK1=Xm-vMwhZHj_Ghq~uw{=OL;2}lCsE!&Jh4Z^xaALq^>;`QHAs)=Kd1o6o9n1( z44$*Vn)|MhcY4QKct2rO*Nm&{RlsMIG+Cg z&&j;|(h$s6rs7A0A@30#h||?+NHd$jH8j1bfVbHEj zJoux}H@uZYvt<_gjvvMMktbr~ku228M)DzLV)VS0h5jFhaidWZ#4X4|R^VVhk9xeB zlw0uMy0JwumhZMbi!trIaPjmQ{(Vp_LVtV1{Fwo-b>X=8QVcuY34HvFO7NRf3=Emf zH=ztKE|7-T*O-^tl_21pFRu0l7n29zm=~jqogso_@x!hQhhtjKRv^1a3 zYxHw4^D${ilFj+CkC}*T9YTHr7Ci1@I(glP;dcIFZbZ18AMp`gc5DB~lMoYr!`Tj79&zMD+DG=Wa$(*uEl}aI|^c%_a z@#sv#={_$d-;?NByw3-!Tk3SUbQE}ql^W|a>ARFZgHLykInI3Rj=0#Sl&MHM%*4SAOKU_E`+;8`Jo2StYCHiVJd(syiuWIn%2=UjS`v@vZLalf{O(7mF>y?)EM$|Vm?chxZXWXT8rKDfS=9#hadHe5wz5^m|DPgs&jvqgS&e<F9^Z-w6Xv(hH4F2c*Yh2@O1ufr#@PdFx!pPiqGNL) zAq~D_fG_T=bBS}aikJSDVgA89bY8uZSAUXVHSO~n)T{W4pM>|k%|m6EReZ=73947; zH#_H$kBfOy*9%xQfOdb|7Vys>PQkaQ2sNAM^Kt3bcu2auFRA9-_+up^UsGQ38-^G35_+#eDAFWSAOXDbXA#J|BQwlnLioxR^ zUc8++2^U?duXyIcwLOS0eLWE`ce?SHPbdrMZZZZZIq^Qdh;Ku8IQHUU9=kFEhZoVF zV6+1-PYT8D^BK^8yN_G83x+$@&pku;@Co7oMA&De{_ZZ`zqble2|38^ypwOJRbX8; zWenuoat$9}%)g$8*LmA{<90bd-X+i9pWFDj4N|D@7vSi=?cBng^o8T{u%YjEKFM54 zwIr|EIiE3G$Jaf*fQVsUXw|fw588Jc@&V+V@nI?N^syStG$n96v7GyMu0sDeQgpUl z%{^nv5KMJLb=!)McQ2v$j<6Nt{jP~Uj?g;tEjQlFM|>@S^#>*9={Rz$BYAKi8G!5L zU0^vr2X{n4FkdI)J4~}MYjh~qSjl)R&kURy4Da3?6I45}fI zYn#_+_G=4|zRTcKP9BV|Yx%ma<>+NW8YSgQzH)2{Y)(4X#4UVM ziMvYv$hC4F)i;ISr2vF|_2*Y#CBbVnc`@$_;B6BUF^&9!rS}4P4ede9$aiv*XCR-K z8;5SYqflC>=JT{;;k_dU*R7PiqZ#d;hsGiDI%#7YsUHlB$MtPK{AFwy`aem)^ckd` zv51)WtNC;44P-}218BF5Pa$2lmBbrw|19By95aw57vcEv{2eJGzCxbxp#}tK`{5_j!G5+RY7?=@)v{%mUgsbws}XuoME3*jpWk96=4z=xbLeu8lH*vueA2ZZrUW>M&= z3PI1B5Z+fO5^fU+$NL<}O>4t3j(kb3JX29mPJ8FP2=_q z^H3D}N65MV`T+c!LT{^qjIVQ6A>~~(wC78?eTqN)h^spAj)Z4CAm1J@rvf?OPLP~d!Fr{trxIN#S8&%0LbZjEDgGkqQUyA3Go6p?~d#>lR z6{Pne&V##RA#e383AYLJ58OSA8*3+ErkNMQ^GtcnSJFd0CZ5J;@HgM0QMs39^N(|R zC$A_xq&Z*HnCi@?NW8m7dw~`k`Bx|6g_e`IM(@4++39eET_v5hg*y+S43y{rLc4wzm(rrYyK)_k*BZ zA>%=mx1hNs7|S0?_>8yyuqg{h!5|5bJV;*1dgSTB7$*jw8Mzy_E$zyq!Mn z9NLK~Kdv87CcMW}Mj2h6qxeMHU)+B{z9s9Y^Yh{m4D2ew_uWhR?D0Xc9xZ{snJwRF z6o9t^;a_`PdEyBb)Vm}wR7<(*MJ1lq5MJ{?@0$He1Z|_f-Cn`Zd(rNCjSQDw`|zk! zO2pAT{7@v}wSScObJGXk<2-qv-}G}|KR6w7;(y|ma5Eu~)(8i_sI3xjNBJYZ_df16 z%^wl>{ZaCbw4(DBs9H^$?GL+ozgd)t5v@c(++Kc=ypGlsE3qovo?jyG(#d&B7+N3V zN_{z=k&pe!>xcL{!YsGYJ*f0L%BPc`$I^kc5BkqN|L-|}zpBUgoJd8Ah9_FS(B;3b zk~Xld7e4!F@&3+~uhHHcE9(BSYlLBc{pXDuqn~VPX*`HGjjsY>m78MGH(pGBr>(jF zsVID>w{m)USH7ej?c8Y3RT?yuYc37N*0&NYFq+1GFXa=%DVNPq3JsGT zeDW(5?Kh<4&rJ24=1A*P)H4}*^T;*yHXV^+1Vr3$rxHcJw}1bV!>s ziL`R(KC)Wkq6oyT((iVkIkr#6w@o7QxVg%f|4G2M4a5LC!XT7F;!><8YG2fhT zAn)xXZIwJ}9Z;8RD05i~MnRRon3QTZju$?SnTyZdAhjn*tTRSMxKp6YGCp ziT5%KK4Pp2s}t0aWY6Y(vz2HZ6o^B4GkD+?f4n9?_kJ&p`S@cB#PteB|DMyi&R#$0 zhtWG)I)k^?^@S$w&g%7NaibITK0l-#?U{M}@Gkny30HjkV-deSR*ENa!8l@T!7VS* ze4Ir-2z!_Cm*b@vLH`}g1xt80`d%JSY<{0NSG3?$i2su_len7f7V8_5f%AS|*t@)x zwVj)eC%3&}@iv|bfvH$JNQ@pU0$GtqG9)WWGrmB{7SrszVYd`}j)$_+@o{)Xd3mD( zv)O^p(a7&W^|MDE%f1c(I4xiwkCU!JCHJ>t?lA?@djH7a=0IfgGGJx+=W4j0wL zAu-|g)Te3C-D5uud0@Q~iKK!5?lzWhqI1@B4nYf-G2B*4d2RDTu{X$oyZ4}dW<@Az zBPVdj5X$%a5Q@g_Q~0Xha^$`bMR<`3|C%YqxJ#ipvwt?%S}j3jLMW!^%;eWv5FVcy ziu~_$cyIdiYr&z2y*!79QJ>q1e*SNLez)%})2YaU?rPGZFRo@e^_iGc>V>WC5?Fg_ z2FwPEV7OJzmflE%uZI|YwjN-%jQBrvho=;5XXk|^EYXx#hTgt^jms2Rch2cp2`!)t18i6 z1|7k_>-u0}6Z!HxjN$VR%TU%p_hXeI*Lo+xvs2+%bikMk?qWEHh7-SeDzBbMK3LJ= z@NJyVU0ua!l7!=N^>jYwrWixKn)5|BWY)9Hf7uX|uG!u;hne@z#+m0{*q5YWk56YJ zoBE1Dvv;s|wC_0nNQ@3U=duZZQ*nQ>6#sIku(U(Tm>)-;lkH}*)khLAyGD*pKWtf2 z&sc<~`_R5Hm_;fgVZFkavZXjP8Xbm_*L<I+j&4u-FpA9=y(@S6Gn;yn1_*=2oh zYoNw;r2=0s81q3pRcLk2A12RD_<9XBrnFJx*1jpcPoWwK@qt*>eGKn>Uya@aL!fdP z%y)00GdBrC{*K=KH1R~%-VMis)w;atDdipij6lN-U4Cf10$B->IJ2e~4<{bqosW^Y zncts3_LrmjPbB7S8^#Zj|8xOyLe>M7o<9WX=N;~k`FZ`h(&$ab6+Pv|HA7aSY>A}k`JoLK{{AnKS z(V-_V{UgKi$CS-%I)F#?rJXbJ7QWXE=h;?bBsoXpu%-deJwtVrcEOA8>+@*}@-3sE z*K8ikgHC$G#wZ&5?~LX1cZ#rqJYoM^H^yHoVh<&GI2!7SEgdK?Ba*UWO}()`WF1SN zlY{LIw9{QWg1z?1f-Fvg4!JGZ%bgjNJt4z`4R@=;iJ#wxuoW}Y7ggJHli)el7t2TX zU`FlZQ8mX8Ci7RZmBbM$)ulInSO~Keg`=)gff-9qvpG7=+Gi%?A;O^S4DTTKQ@6>MTF_9E&9lKnLE=*#~Z? zX?L)%8;@HrgHB2;p1$qP2XB<1!j7$Ws?#WKv%Y)pG{K@yv zVh`MNkvd6?s{x%@K~*+1sqPz(yi%nO&BWnqsueM5RW{!!qsNZ;v~{^vy{nS3%)89v(?8`M~*pND#;4T!OHc?f0%`$6>>U;oPX0 zayE2g(TQe|7B47^gL1aaPL1L%%e`SbvN?}Y?BAZ>u%_PN1?lCFwdXBnN5T1mCxXVb z<4G2gs5?gbg*Z*#WJA14ng<0@D?ZR8983H~us3eOXHy|S3=y9 zuk2DTc|cjw{D1l*8(a{KEySe{&wkJ1@`5m)@V%8$Z`sS7KEFzz>|ER|p zll7KOs-T|tr!Th7{=h1)k=NE6KRjyq#3bb7*XfA@QvGktqMH(y^tO4Yd}o~uD9?mu zo6VoTv!!zt7+0x6+l$}X{*B~2m!-xd(RWsSl=iAL7g>(~&cuXiHHiZ;;m$YKwnUCU z_CfgP^Nm^GrF=iDU{J%zvNgz~ZUJR5_5a42^raXwITXqHr&z!iXVmWsfp&H^`#$C< zCSIj~=Tj-mGd_en2BD~PDq=(19>g%hV*Xn~1C2VlfeexLT`jPPqR0~Uq1NQ7a zJM*6Ma6-K>=>2PE+)oMl5pT48@{A254>#F*$|baV$lkgt&_@w1S>I^>PK)++Qhy2ECrkx#>G74EjX!yXcrFoAkMs|&YTd{@WAju z%G8{Hn`vmdBl=Jfn%doFR-Ue?TOEvstGAfwpEDj!3&EY#Tg=bP3BUS=BEto*rg?1H z0?KK0B8)DMGOCJ6uds|XJN+}5rZHt7jS`_~Pzv)sDMJkHcip=sFhAn$q~9aI$}KUh z4b6X9MG|;v zo-yvU&s9<;OA2dAz7Zb7Rph;p!UmEb!2N$JoLHE`S_e2`%5A#mqf(e?$Wa_A2!OLz z3hP_!h#22MxIRy2&z2m9+J^KzJegI$JBYE_D=R7cX-gfpilQ^h>o|qW3 zjp;t4^SAQC)XrO3=nOwx9_0r2_BRz5JcAs+7&3#M-?$3ns}ybqeQ(S)~Xwv^#%%mU_5oWLz~w;QV$u)uM|TaTgd z@IG^P-CBZds`&;93t5A|7=xzyVpG^6*1lAPoo)RnS7j-)CNH$Wddk%MVae|Q@KdK!mfqKg|7@6h#8Ehy20`)HhGpOg&UK^=)Q>i--|NG8 zPdxTr^mju;4&hN|2)603WFa+2sJCrC53XAHrYd5i8h@Dwicfy13Rt0n)PwxHPBv8O zc+lJ`c;Vjm4^{4G2p?$ajeu2etBMGl_p7Deujk9Ed7cVvCH#Ni@F!JI>2tZhNDS@v z_p8Ruqr9DN68v<$RrQeOkG}PkbLx1bD&U(BzpIIl-l8yY2)|4TU$kDgZTAj~h-kT7DcS5=jS zwS@lkL&rn!tK6tJm`C~@tyN#E-W8F4PUeq}E&o)N5OzLsg%Xc8Xs}P+yeQLL1y{dT ztjkjJZhxtQZB1)7Ez|=-t{P`u+OV=S?)Y+uvI{je+0&hF*kMBW#(qtf*TogbTLxih zr6xOB?u_$=A}WJvkK<8HeoczZ%I=Ni z)4PW}=%yX7H0VeEV6->nrKOcFl#!~wOIb_vPE_`aAzYVm57P_9m20SmuURC*wBd!7 z2LvT1w-saV!t6>pd3|r;VjOZyt?crWc0kS&f_D-t$4pkBellexUreeT>*Pn7nNqZk z&#TPN@r6%@3^VsvS1!0i--T^*4E}qq@{*mCdR(&Nc z$f9XV48Jh2s^Tf>Ab%?HJ#0-Gr(;J1E1%QH_upMpeC!d*bBe02l^O zuX54!gx43!pZ#E3^*{foo5YR3sF+#xWrsU%?+HT6)%8_Zr@7&NujV+?Cfd2m$dmAQ zwg<+MPu9iAU@ThaiI|&Cm_gpN?Fb`P2Oh$o=Ycpvy~i#Cd(;xnn!3ds`Qkl<$p%o) zmgxvD5HrVGxSd!zScHSPM_0SCzsk8&he zE@*|$NmO4GsfVfmWBU5G2Wr;_V&35@QyQ!VtoZKfm^b#mKh8Zkj0;D@e2H)JCW$EXs6(H(al^66))zcfCPx)#R3f zO=s$XooKF!Z6Skshv%sG`k!~TY6XkAw_DAyETVS0@OG^0lsQLA{(uIDf`6}!&y@52El^ZFG?fT8D z^quj7HSse~?yAG{VWe#(&u)id<#3-v8F$?&JM};BU`2_!F!d$P_vE|ia$|vDbTb0A zhLi!cdcJV_c{s|bmrjT@6XsJ6s>XINEH9ZO?4q6BiGN;bD4iutSRRTm;lx8t7lhXC zA;_L2f|IYQ@Hsme&o7HG$;L#md=Lb+oftL~jfFt^EHc_kaQ&l^(3-M{4U#0#37IV1 zv=2bvnNspcG88NcYj=Ghg}>u?A^frmYg|abdDcLf(WFFFAHq%zM++xOr!}Nh4u^U@ zLA~7{$LY-fejg#M8bN!iUv$@fh6~j-zIYT%+>4N5Lh25}lW9JEJ9wC2)>n?4*M68Y zV3=^~9_dOH3Usp_COpWLAZ&s^3a<_mwo1g9bHg7KOoj{NcZpzhREewN;lgg3`!4ra zVOrF1p_F!~t7}w(I&@Cd&^C z=AXi_=>vHVYaSG4^$f#GcM)bM*bB9$p}5&a4CR=8LNxhCK28whV%lyYMjecUlPNd3 z_bws5obp%CNN~Z!R^YD!F`76ij?Zj_89f5AfNHp6@fP9r+yLAoo}OLwgnzI`Nb zY|4^Ph+ic{y2`NZ2I<1qtr7|b5N>>k^6%VM34T|_SfT4rT!mFahhP!%sVBQKW3_O8 zt2g>sDzPwawa{;d7s_duGgfPjaEyE%%4wc$@3>5eqrP~PdGq|i{%wMV1l@S}Nj-3U zZm`h!Hx{?FiObO#BuHAt;;Nc_L3afS^@MX?>fwdW*@42eG11VB^1_>Q0fO$lD8vsY zuiA5JVFGCr%Tv8Epg<+G@{WMrSP`~KmBQ}CaFiYw!GDRrAgv8U#tbozc2)@L*P$?_ zdQx=WS9sbv6nmCPkRtOD-c1d`xZAYzGM5V`+k$aus}z1cWP&I-2opX?vG1Ei7@9`7 zlamaRHWFdhJvHr9aE=vv`} zQLesNS>Yv29U@0%Z$BKg@e+nmAGE*758p<633ekTXuU!Km5!ItmpClT8VHlo^%Azz z9Axe54`)3uVTqv^mW)(F*UU?3)#QPhHMElma~F=JdScq)=J|szSCfUz6!QOc^}q|C z6roB^8uLaElt-ordOqZDbI=pF*QW?JA#u1y-kXI_l7*DCSRCK!h1luI!raOjG(00e z^Sw#JuN#z|ZB5z?&qQHC1NkFSk8AIeAWWv+N{@B)uGqv2eMUy&NxcYDX2l6|vk2^> zJk!EHvBDI}T}`?nM%CA7;VJP7+-Z-{_hyu^x-1mWNZ0(lCQ?}PjyRvIr0}^LAq0~S z!uPQh_jMu!Cqv42b|8;&>u_Np?Y}-~(!0pR1V23`w4>yZObQcfW-2gdq7Po52o=gm zf1rJqYKvv4phI)FD`BI3T7(MEbY!rkdEcxuM0n#({7;o1?khrsi!^(d>CvuyPl%u& zN%x2=uw{LSpaS*nYsrInWr%S6GkGggZP!i<6si+E@i@)DS>4E9P#}01rl99R51a`o z6zV!Btdnf>y6QO^M(2LF}U^D8@0dkgt0!+aI~knrd^)UCM60V zpHu#3mt5g;E%^+u7h`RY93hr`h7GTX(S1m^;6i-!lk+4vKPyXk^E?b4X%DXHpDFZC z3Bhs;DbBph5LD}f@cb5KC~wFR&JGU1PForHy>wx03l%IV%fNVdx={R+bm1~NEZV0F zOFK};S05i}7o`a!jeKx~`t!2AX~Hr3et5$d6^3a-zv~ic5KeB{@-^{oq9qTUY-Vv zUF3ZlT`mk!r6P>HI2Pws2u-3CG#Pnf=88(;xilF~(Vl2bsT9TsB;k82I@=SKf`42h zrtI=Ud|0Jmnx6oTE0pmuuTnT%Lta%=y%BV|LeQ&^!(YOnB8@79C+}jhr@aURW#vL@ zn^-&~?)&w#Wx_?u<(d0Pge`5#gi~{);ch|tqgf|}Z~LOKrBsZq@ufloanFS*c_o0GzY3n^$lMvSwkYlJJI$R+Rtq6LNdrN<@_{X@h24&E_({1B&m*~D>`OjuDKcC% z<$`5o1ohT(DBmyvXF~C-K@Ou>CKU7zMi%Y)f;TYXxhep=OnqTGgbChbXtsJu*>(+8 z!qztmxKK^#da_FRLfAm&uSS3j5O`A@6$Kr^5A@-3czMgO1*PZjs5e}PFV%Ef$tz&tp&Yq#Cku_X)JS=7kfzjtjp-OYnwv2I@IQLU+=#Jt(4gO|Mu8X>lCI zX_U2bxmZ|fT!^I+bl+x{2saNCchy%)Iddh#vZ7p=P;ZtLLx0|wjg7nIxDZ?-te>5Q z=j*A*Jy0Sf2WQ}hxi9ogN`$9hi0?@pyfK<3LObHyt{ADnnrp?v3?Ts%s0SF5SS&eiq3D!U zBuGCIHn=1Vh$<2u5x2$7G@N!KMZ)=Mp6F{3fy{qd!tfvD{S(%F9_)NDM40pcs5JD?yTytILd{4F()wu89Ka3RWa1rymolt#ZjF@@35Z(CJcIy)-R(?N%7Zom8 zb|PL>Z+94{PB6n!CsD|`hY-Qfb)!Z};*%y9J@&if-NPiY{@g)qN@5?wD_Pjr$wv1u z<_1@mA?UUyMXZ|bLqD1Zi&mzHPUc=% z5KIl;@)U9Jn>)rXVm-PvMU;GCR(AJrd|r|wR@QdGo9dkD@aw`ZPRP9!flH$jMYgUp zxjldO>xvF-7xpa`_AytY{E(w))>4b^FP!*$brHk+7Gd!}&RB8UP4u5#h_5$Uqi1=D zM{Y-;z32+>v0ftOP(D1$*cZ+67OS7;R#@d?6W@2|@A`_@GY?|$0e;@| z{6uo#0W3=6`);Yf=zMZN^KiYHkLWMv|JV!tK;~gA3=seH-h(I?-t~I}#EN_57|is; zjt2oE^)*@0P5tq%UZChszLp!cTm3o*3iCiR$*GCyG&)cO_F}&Igg}@sDM=jpZBTPbqGMWMVm#yhDa=F83^kOn?=^3Fl3$# z#NpOkL?-(HbCw3-`|>TKjcXu|R}V(>m@Q)2b3YjHOqqCmi*Vb)nMJ5--p?4Mv5N%?B0LR zb&eP*8qNg#S$12)%IgnIg*<~C{(9c;zWKD-kR zG>8tf6<=#}wx7lGHq}<-@!Z%pGL$(Jw&MDC_IoNr(QluvFfen%<1Jxm=s8^U;X2Fp zf39;G{RxSiN|6845yy(MF=#rOCqKw`OHg<|nXH~4)IYyt2J8YYX8mCPo#Rc^*inSa zAM|7$eu%Q@Lb(5=xBUJ~6dgYT(_ik`)$IDnE*KCtwwFTNJ-!_CLO2<*~Ote&+Se{=TWx2UmL zrIU*CCG0tLG7uZd4_IMJ%}juy7{__O?iuQqf}4nn;z)#V3&gpJMq;E#7+hPhS8~rt zZ1D_%DeuIqBaKB;VIV>`1Y>TPu^4FPk5)z@FgRx{ypx!NNiEZg55__>miw7?`H^}i z;;OL+B=>NNiHR7^xzA_nyM%>_7*~T?D?P(7kl**^yL&AeHP5~pim&W%@1jQbzxDH@ zayy%l`zNuYiWA<68#eKWPvCo1vbYa5K>a<(u$BL=pm80MyI;bmHgj{#MQCpKX8rvm(s_Yut5`vIdPXlBTnI9W(rdgt^1d*N3IXA1`Q3~sc;*)SV%xr=wL0DJs6w0YXSX`C8 zsv4&;{61^3y}=lA_%ycm_s3CkyQ=gq!@eRP?tu_A@F~NsMP!&Hvln@^40fEuJ{=K? zJr~R1tmg)c=b@;>uY1?$yws0pg|-Y+*sm+#9CpgV6Zp*jM6G*&u5-;X!?n6&Pr*Qhst+&xhY-i8ea_a5kfM3UPwjRB)_oIs2e^yY`?Hm0ZT>SRC7L82!j@WUy=wBT& z4Vv*x);-m)pXpH)wDN#O`oV!{UjUEx)I&IQvZ>$mFx z7||OOsszFINicl1eb8{4KW2uq_R#jlzkL5y4ANlPU;R+A*$bsFH2nSaL!Um>%!Gxa z?&*GLWlRsIO&EIY?T5SUk)}TigT=CbsKW-~73@N&abE ztjW1%`}5kyn@XvXb4GEELhY(?C1_(ve%;3mZJ&O}@x#IuZ>mOWCw5h^ZsUe4!QR^2 zowUrSpyqkz4sBk?B8=(l0sFAOv_0DtB505&=En@z&TM=Hhemoqjcu5thxU5ncXlE2{*fXz477QbZn=(nMPaF{l`IFUV*Yn=U!NEuTcS1lY14hLb)$w9?4 z=?$%18w~NWZ}BIyAb62YF)*Y@amTg(@VFWRpB7z<7c)otyN3p)gF6>TxqG2%A9Ah| zI~7kJ=79r`Lt*l}Q?YY%?q^LHzP9O7Y;Wv>nSw0Qw_S_hv>`k5IkkfZ^NX)=ovVlc zxz66^1LWyuXW*&hgkjq{$`R*I!Jg;Ko`=n4V$?~vTkt*q(nw})J%PS$UGY_?ft)e# z82a}lXXZ{V88=d*(;#kY2e5LJIj~ofUc}F+CryY3h2sZx3e$JJ1 z+L~ecFk~;-rngo*b6y@?){@a@pRKJwJO?w$tupe@&=wru58v^AusENnwQ5dgBWt;@ zkulnCG8O(${P8?ILOY&};{DV)KlBdO_M{FcXD#P9B1C(0UKHAP3PP)(Ag!x$I95?Z z)_zW)Hm!~Zh17~I_YBa^>JWrce^EYE2>O%0eY7ab0_^#R)JJfGi=j=-E38f^~) zp1U9aTxZh|XW50B=Ay0>#tq*r2ed9jP0k5K>~h)ZpHlqW%7yQOxpGBT3AV6@UzRdi z9&|pA;X~YDH))i-GF9QxL~;U$43fQ?YjJbF2ew%Bkpu1?McQgl%ut==7rz30-pV{s z|5mcU;Jebv8!p{9=yb}Vcny%KV;nx5)A4I0a7%sp?rlD&fSdNK!G=K=mW zH@%+h&9|X{odBqvx^i7fB3YOL$TqDbFMo?gWMm+InCQq;%sM~GZn8iiu#ChnggFZ90< ziuQrEWM^B}8{T{y9;qdbnvyFpC>+n8*OCQ1pA*QrGizO29yfHt!2J;za;^@cUCuC` z@+bGweSC(T_p+Qhee8ec$IB{qXAofFj9zCWWMk{o7~AQ8T-IPYl6Pe;Trt4JPj-zv zfe{nQW7K-cJ=2cCWuZH=$gK0JE^%vv2a>FI$P-CLxa;JJC2Rhc2{wgT6X1nLE0;)@ z7l(0|ZxfFbb7TW~2r}J=nE}&e&fOf$P3QS+IZ0m9$zq0^A6giUms_V~Le28Wu*+kl z&kN?-w5Qg;>uCA?aw2Y0YyP&@D7jZB4z)`HF}t^|basrwW4|E0+c#3WQbTlX3eV(O zBV~`~%!D;z?qJuE^8COch&v%@+IFNI!*%W)&lyACk#ZpGouc`nFq%73mhsJ6o%L{) zfRQqcydr};VQ@GzQfBZTtPvFs?*_Kgj`j1ysS(JUVJlCt|EwBDqUN*F^2%!`_xk=6T$lIfjLuVt;=MO1z?+xbmx_MyU$v8P-eleo5=5sWK7K%{jBHaF?wc#bMrCW??$J%U^C}trZ7h*fe*U-8-CI{a}<2 za+lYeQS&k-1n1x`Ri7Z7GuPnkXm`147iV7N2M%3G-rZC30CtCBy`#I-+wO&gHDUBJ zyUTyA`L68}j_@>^K7E#d9J5CeTJD@`hV)5 zA58izhaWnRzxAE4ar8^ssrfnjIGkZr^O3xqb_Qnb$Qn4_kyhPL!+M%47Eit^%L`7T z{Teqcw5gCuy-r{|d*W5CPs!V93hoiik?*ghtFacAdp+S%Ss+EyQTP>mVbk_JnLND! z)6RS2NRMo}bCzC5sC(<7cFK5cq z&#B1Tz}WV=p!7mBOanbK>b7xos0q0Y2S zIr=9VpDy88?3O84bGFiq=kT7qOgSf$?-csVo;}KxchVe@O5Z}WCVSrBZ-FaWe?O$h(Nfgk z$#cWtgN!vU!SxVoGaA2;bJrfjPk*S1}kolOhz z`s3!Elg72^r~DL*J^Yy@ z>LSjc4#B1nYW6+`;!3mzmPO~Jem8%3uO^f5#W@*6ACS&~FnnxQA#bpcv_v-?jiy$} zbtmXCy%vrv?+R(><%*gq5h&5}`&g!mL$dR+z@8qoRzvsrV z^{v#49hdO0G3)2pW~x*1d7S3lYwB)Ob*0HUyrkc%;HRN#vE~edR{w8)-AE-II)z8{ z2|8EQQ|a$Z(1A1S?ele1m+r^O@9{vb=`~cDzl7UWdR0DDQHAEk=udB0>$D%z`bi;< z)bv40m9J8>{0O=m`=ZR?vs~FF7qjd5q34~CGOczNj=b|DfBU1n+9ebD)GoWmevpR_ zro!b&0E%aSkPe>IS4RY*co4sz8H>xC*&`bIL2hjng}M`i5x}2WnHPr0c6za`f=4Gv%Q?$6UAN?2UG=Idc@bNDF>7F5)gdtxG4!Y&zM-qud6LUD)*sZ*Gk zgORk6KDxWQsySz*X|@_1{jIAisa5l88j99db=8h7-dM*Hvfl^1fQmGdZQMI&{wo_xg}UDEaq)=>UHn=6c?(u5_ZD@RIxdzx(-2 z(J-}iQ31-?udBTsD$$yphxblc*|48V`k9AMub7#8vxjmm&q3Sg^wg(zR#SqqG2{s| z!mYG zlwP4iBjrW*`=erSZ0OuXmA_>cYQ7H&`xz?Vc;*otpm+F?fvR1f{IoPbY;!PBes$xp zf_k}Is|{3@s+=b-4M5m>0~JfI(i(b%v~C8f9eX@SO@qkvF;D?XWI4YJLibY!YP@A2 zexIUm`L%)SPW{~+)^#V04b?$A9~5lRz+;dhb7y#0bH3YPg`v_L<$>GAVTkuPRBq%= zon+0NpKYjKZJ~biD7j=84ORGFW>=Ddv+gy&|I`6tb0X28vc77y#u>WQSp2ch3rDMF z7szw?*AYIKhN^!q?1AAWC)hTJimaUp$71>f;`^$o+GK`hy5JwH9_sk#bgU0^h4rCM zs?kky#hu*X9?(|($WFyVYK_w0w^aLGQ}BGM2L|dlSBIx3BiqIk!+u*Rug=URVQ+WD zK{ItuFA+N$a1Lr>ssfl-)$I%C{e~v0&Eq)Cx)s3q$h@tmy zZ3|gUVdxJPy_v979z{%+LwcShyxeriUW44hfvf)ky3s#P7+5jTuk!1cPQ z=55kYpKno@PVH4|BW7rR=lyu2weqc+f&l6PcJywc8b43M?)}unPq9>Yu8|$(;fd7N zO;to$0=~`nLVS$5T5=*Dm-=|)ag>?*d?F4t8q#>Tk#V+^T`F`(~;vJXmW`L+{km zOx>Uka8YOwx{fzf8nT59<^|)~HZ!%?*q^zge1j*LDcd!^xbZRs)5*tMchMWVdF1au zHd9SUP>-`Sl$j;wYId0ih71mav?e!Cx?}a!FpOAYqWW+aU@_&-b#6{pPhs$G>^=6YK=*XErLhX$In`e|BruPdN-vM|0|*9R~MQmJ8Ex_5*chE4rx18&c6* zQkQ(Gy*jZY1@(N~5OutbDzr;R3u-VN$!#mNOM*{R4@BfPSF!fYDq>&Sa9=Z}=SChX z=PdR6HdVud;<1=DtCO%$y^`aQF_?_440B~vz+6kR5l2lkSJk-AkJ+Q%-^-l&jM1=+ z^F=hjo^vA-Tjx`sG16S^{Wlz)oB8AHVso{;Dl>CAbNT6EuC}+OHzGO!zWdEp#=>B1 zof(L>SIt$IeSuitBnX{V z4aZs<1Ugx$R6Q>gan7}gD$9mzy--Q5VRDg~x}M87F?&t_JvRnE8?K6XW+3ITBifxA zq;^-PW9J4Ze&z?Ng0^Job##Ww<36g%k~D1p*BM`C_E7(Z@?DlpJ;s^NYDG~B=FWHJ z=cT=>yq%0mrhNY&Xro4bV(!vqH;AB?>S(!wMazF2oJOzWT{#(|0|zf z?@dpeD#N+)ct8z$rz%ZV33X`L=*5gw3$-^R7Uw%qJ7;d8nlL}t_pvvAd^1;uccS4% z?cBl7<|^MJ3f_}hx74&yp`4MW&e)9Mn8n)oZHW9pcQ~ zHyHW6cY?_)x?U8F+WflN1#d(z;GFTexpHK`p^EdL`scu{L+J5IM{I^8u2k44OP;sm zCOKgd^I;G4;J#(gzsa6n%E~1bSE+|-u)dorZJD8N`V8jQJ%MGr<@0p zA+wuvotV~Y=-MPSo#KXmOpt9BO8Vnyadtc6;f9Dp-qPh2mwP`32rY+4zJN!Kh?)tY|zQa=d0 zJ6Wh7)bEX3O!kMfg}PVZg9Ls~{=3iryPr4dK@k%|LGvRtMr5v^jhYOSeMR9eM`nHYWsWmw^upik`Wi{!Yqn5Dl;aD*{sZVapyhw zFcDstT(RX%bMq0MGdHDx-**wymA9*{{92+CCXR*_;LZ+eX=iCZS+}3vR4#siuER#Jf@#tXjw|Y{u}~Ft5-?+#8%jHytJ1&X(e$kw4vaEWE=S^UZ3pKCdrj2_ zY9?c9cpz#x@3r-@SnuzF&Gk&xit{m;Z0w24?@UxTvc~%-dE&)u6E*r#6n?b#Li#ro zb=E5qd-J@|RnJtlCO>H$ykXSFR28%5|KOB2Dh8XXRZ+}8Vc&bxd{ecTT%QM=`K0bN zRjWIOVB8X4EDJML6KVzH0PBwiS*EIzY>+zJsBIW;s-8X!L`04sj+B_HmURO$XNW(R zjj>QOSqHTk6NtK1&DA3le{5;^ryi-Yd3QCyiu28Fj(Bspv+7^UoYuFF_;IR(3Yn6O zgR5AJA8V`H+)N?|g<5Lw)~fcLBxuQw$nDcY)wsp?FEt)D>sTtsX^Chu-31N!c|U(P z0evsJ;K~T@s{sl4XAJ9;N)r`K4WwbID|GJ}t7-=EXfTNVuQtZYk!SL^0=|7RjMR=- zv3SzM9ap9ssaJDZ*HII4pq-J*Iv0b>?CEqhHc~+%24|=bna8i6k`JF@;mJGdmh}^d3%a(|`8) zkwd0x20a0dco+Ql+{j31ubk>7BValGS7gj~SKOb}*H!!7N7m27!*JGe-}(JL`pUC37EPDX|G!>e9kPu@ z&k8r}nyjzV&c;xu56|gA`*3|kJmg%dd-l2$#;P2(0zUq`t z?LbZXGT!N{gt8E%t*2)x)J`aq8#khXI=eXzsni9kmwGBjHx8fs@odl0Q?bmG64Z7l1nH?8Jz`-`k9oGU zo*GjYgT1z#H#_O6PxE6?n#`WNx1Q>i5)HTCZfF~&r~W<1J8`x<2Jh2Tv%W?m`mj5B zDSB#hn@G&3HnH1vJ=Jzr1p2T~zKMVCq~LH^R(N21)duQ8MHsUkJz=chKq>NAjJ)U_ zozXz~zX?T0`tNeaHdNk2LlMat+~YfjYC`=G1e2qbHrha4oX7qNSwD}T8>!esK`^$X zCiVaR_y7HaLspomEBC2|80m-(HH}nA9`C6jN5q;MD$9)tP&XaXueHAN>X3j*oaqkH zX{0Ql(09I;HA#h@x|AFbUHWG~rq)ya7sO*&4Qdz4bya6(6I>ndjEJH->hE)Ls2c5z zu0!jn-pt3yBX=U=myVj+lD_jUF4%ZkN1bFA{FNOps648pj&F&@1p4N>=jf<;&0>*H z-f5#;9hFuZgBsLPAK}krQ%Bk(#T5=^I_kmwXq@Kn!sV8Z+DOK{{s1>@c%`EzMzP*w zzpG8PI%?XNNElIHz1Ogg@|zin+~)4+VqHhgERMk3weG0Ww~o5fIsy%-LG>F^M}6k{ zpRMhI!N+w~|AFC{?@Zt6i21W2WU|FqQ#l^Y#yRJNna``LZ{y?8nwqnm;;L#dd-A%& zoN+v_s+xU)XRiajas^e@@qkz)6*%MSiK{l_|o zoT{b<940%#+7UtTt0<4mILw{Mx8Y=F5V+H~vcnO2cYnyjzxa7irWPIFq(0)93+ISJ zm(TJgb<3uo9hq_RK@R0-zpa%MV*hz3v)B_>W9i%K`%YR_#G>tXp7Vddlhe~HD(Exn{azlN5Q~N1=*~^9bFO@lBl4or zajXkQzxg2B+DGFJ`#~FZK1z&;Mr?u$TGKBd*DxA=%Um#I_A6=HF%kh`P8b^cPOhjK zi77*=o4s38?cg~-X(;DMnLlN#qHr9%@;^quuIgHc9uV&N|DNanJvV#`DrL%|5VQ() zKtb3YsbmN?v~$3iJ-6hQ+8XT9+GAkjn{vn)4QfxdM>F>7yVECP`g|AeR9uz!A8N48 zc^CTjzaj_r3&mP9W~|q~Ec5B{IhALJv4xjp#G_DXCfH%{tjp4=dl>3J--*aRS7bZ; zFl=($3AZ{|rQOLeoNmVN=USM#&{=EZh0^RLO< z7kQVtZHK1Sb!p9hU8APk;XnGi+&>`#pYyh%c-eJ%)Sv!~vD;v6e_e*0Wxw>{R;&oR zF8|VvM8?joC``I8ZAY>P)p#qK9lS1=k-PIgV++E*FfY4aB>uU+3loDc%2kGu&{o?2 zvCmaWrL?1zkQ9!_ta+aLScN+rv|?0cP@=zx0D5@p2@ zdiOHzkPdAl(DVVt~5eOlWBJEX6Rldif!kVbYWZ4xJo zoymCKN-yq@So!075V~F4fo?0}q!V=$@4N0m-<|QY*Hv<0oVVlJg#PZ6*6hdkp0gF@?~-NNat+$2Zox6H6gi!5=licWqsf~Txq;e>%>y=L zY8QIm$=^Eay$S87rpmB7VVHAsBStMxl`b2?aIf7)Jua7;~J? zu1Aqws+^S-jsX_yvDPJ3>X=4g_L_BwIGrfJk0eWJ;C3XRNt99ZBhb9bb`+1umPG~; z7<9xQ7p51>(_JF4dyXR}w5y>8oQOau`@^2MD&-TmaP0cY{^@`2L93M$WEOpg_CXGK zV>(vW+DJ{hwF7okj+Wz!*e~aPE-W1_pM4C%`pNcKI(v*<(LNY69__-l`D5h}=ESYu zybF8eI9Y}I2>lwnVCpwP)_oC-$Ur+(`7lXd?iND7iydVBX>!pP-pdg?>64u)^$v&N zOCx6K7SEA&zK5W-=ML<&n=fYy4JQ8Djs|fHqz`o~wp+GCv|1!@S7`9<%{B~cxmfNu z4n@J*ZD^CXSjI142Fq*iPx{}tWRj1!VJj@?e>Z*~O7_(jw0yZ(y7Ui2;;t=-zPMPP z;>;ws`WEyrS}bdyB~R3AGp6J&mTSme39r8y)%vfJC-`R9@ZWR0`zpDQGuVJZTk&ME zvs^WuzavLGydXbn8`pEW+V#gi->35AW%j41Q=9wWb?$%SjP~0!@NOs6OPf z_QNG+C`H&~a`{cI^TQD2OtMGp=m**`uHn&I_HfWV(`uSfJD;-)FPgpA?(U(%t696S zqs4cv=QOgnf7zks?<%r8b;mAAcCb27U8bjy-#F3^C9ySS8Z|68-tEMOYqeybuNt@~ z?!=58wPk6GP~4fa6X!E)%Wq>tv4mOSmI1Y8{MJxdmF^&Oyta(vo-cIS0rOwAfz`-9vn|fA*k`MN9e?44V z?WP7Mm+kTLh^=-E|194Ed-T#9rEUB{gJbFT%%d5ptyLuy8>8&8$ZfdxlWr({1MM-X z!%*!71J0&A?6E-%))rW>9=5Z`+m?g0-&=(ue2qPBJfEj^Y!`|l{ya0s%+vPm911s2 zd#oP6LtDT*DBsKh|5n+d^&3DwfvE#5-#pf8Ib-yF$^YKYMpFL=*JSRW>pY-wIBs#K z_KWpKAn(<*rV)5N*%8l~Key#^I0n;K`1&sSpybe;Omc*$KeZ0j`CK^0HJ=}Vn$%Oz zzwJl{lqXE6H?IHM5w@T0A-;s75jE9~`mDr@)KC~!bwc6f$(#{V<5P`u_pJV~<=?;J zwG_YgMV_9;`X1uQkSLhoVnf{MW^bQR$h1q{a&uykG z)4=O*vT6suv+AdO!`_--xu=aDe+HaARc5ufx%wCPLuY4fY|z2x=3EUXbo=w%NS&)MPI*UR0{Jy= zuk}Ut!YCwa9I>LMf%sTG3jfo8oII#6`ng5oLks$3?HY@_oPC)rVy|Oa!~gT$SVuYG z*sS`(`(QZQoN|KA@H)bs+O~Hu`12iWh7v z{zaZW=X*00|JmOXNh36v{>~Zp{>R~M&K^A9p|LUrXV6OoM74xmLZJie9@kWTLua<6R5!u(t;L z*U@iQznNI{Aq3I?^C*etqGdMkj@EpqKWZV~@$C>5?1p(uT8lo^ik_*${G>kC!khI^ z!E$#T|79(XxCi5ba)(T`61(WlnscB)XFS7VTL0lGykRSnCty;nrM1hL;sT-biJmCi0Q2Nn7wu9_!Kdi_v}Y= zcYLThU93wE!L?X-G>x7mwvXZ6-P;2rlIDqq?}Cxb{Fla^7m8s)!5Hu33FmE#g+2Lg z;jPI}`MFqZJQ@W3WG`6tm?u8|4uV52`G>#fit4Ax8z$do;q+-@>5Cv_(yQ3hWSaO& z-cO(E-Wc(FtZ*}=54V~(re7Z`jY2U`h8dG5#*IDfjR$D+v|NC(*|`lb)8+ zP;tdS0XL|9EPoyhQ4=&T46n+Nc-u!W4m z5n-bAJ(-9vs4vY36)pBeB5Rx*Iycpb16v}nAl40YdIpJ)tHPnZLykdLKhY~73~q+> zRDbgnL+EFU8|9AXGu?zO*_iX)$UUxf7P-4MI7mjy_}5ONM<)$B{h!v_SybgY(3yP5 z$`DuKGK+66KTjN-=OIpi3`Q-^9FGm~7Oq}g+Z|+dZ1feXVKCA*_@J(XpGfy%79siC z(QW)hB>SALFZm+F)Jr@a$93k+w|1JR=tj@hz7M|8-Qp^y%_J-GGQaNWD)PEBdx!cD z6L&YUIx`4EyOTNg(o3X9{jVPWv;VyOb*iX3Jq7=qal{U@RB>rvGECXqzjHrDM3pDu z_iAS}dXpkFC#i$&Pk&1HRIxrbfnHTt%uP!bbEd>2xX2ajY|_M)mt1r1w{H*9#C-O7 z^nQ>>Iyqffu@8TGGqqE1(nQN;k!W>=Yeiq)qGl2JZpk@#=LFHEVK|;s)0^}%S_E@% zx1~-mVS9uyoWwjg&hj5E4HHJxb=q|D#LpICq7_-Y)`vZD`c}A@NUhNx>XkqCix#Pz z{jECU4b8-O@s*$bAFX_G`(BbbH-IevSU)s)k|NB~$jp8~UrO~<(fmgsPIErxJS$n` zP_K8PS0LUM#0jq?^5w|e&A%BdqRBXUM}Bvgez<;_#Oe%<>Y^P?h`hD$TM$~r9Ok0fXJD7lSq4~cQqr^oaCaH1$jICDO= zc}55_CS{3N=g92I3C5Y``-L}W;~Bey5xOu#ua^_H#kRw;VCG zC1vxW*E0ST)dqkbi71x6kQGGV|Ugtx??FiW&+>spZJo+_>W`D6 zdTB7uQiEZ;zEpTs2B8Z*#Tx=j#D(jD=trN_mFe`YljE4ex5s(+VsYxCKl?+WP^}J& zn61GuAhT=xl|$m6`#~7)UI2;?cP*%wJ0Gm|3nEyLLZLB(mmtbWmJ-w-=e5 z@p)Mt6kX@-!6KfebM9q}##y^DVKDF6AqR!^{dCNnML#CJ;l?jhai4SQ@t5<&vx;Qc za!#~_Jb^}Wi3s=h#?a$OgtuKhZrvuIQ5FbYFLF-}eNf-CP#nJ=jk#ld5FC6|m^ejY zKUo2>p~YfOIy1OEeUUr$xX3*miFN$!-<^D#zUC;TG9Xb0BiooxZlj0=LoN{yO@E;r(7LAx^IwTy&=jDms ztWS29hNESVgQ649pT2xUyc(1$o{XZuv*gcxYuO}7oFF4^?Nw-@ruCVPF9^lW``)a}ZuDym3yX2m|*loNrGaSJmC3`8Q@e zQp2xpx=$>N%EUl=6}~MwAT%x+m`=8KkWr3sCEws(iZ6f1dE!oZDjYVFzjNlW$nBkq zUgU-4xgQmBS}Jxn3c=ErS}{E!g=caYy6x499XFE5WsJbSZ^hz@On}vM@_EyW#1%~( zw%J7C?;nL?#TMp!SBs)fyFlb@V+Iy8)@x=S7E?3mFImOj(4!17;v4x=MUj~5lO!5t z1wimEQKfyjxcl4}^FGr9vm{hprZ#LvWfU%nK+&bHC&DdRdrb%wA2~zTUj1`FTP_F? zI`kTMq-M8$v5#o?yBIU1Gdef$64NIXu`YAPqucHx*|QM3(PTU5x`{!VM=*ix(117> z(JnV1Ro8nW>w>cgPRzrsQ(l>|D|&cOhBFb8(=6sIZ=;2>wpEqext8l(2(>}p>$ z%ncO=5BA{YRbSlHixxAF?}lz4Kb#sGFG{OsU~ax2syif!C;8NivY+_zWr~hQ#1{ zwP@@ZpDs2ujw0_i8m33m#QBVH7MAc^<55)ktS?ZHpU>AF_Y_-cj_lB*(by&;9)G&J`l{tHO;XWQxvN zAllEBXnmDB_3pF9>cnDXlL5G=-ZYVR?kK`e(<_lZQ4D@kfT6=ZkkV(I$b3d`V6i8f zv>hXit{g&kTe4{TjTPNva`8X*)8)o9#5$9M*tOmlleVr9`HorWMQ>oWPus-~lYQur zL@x9{E~4J|Omt}Jk54_l#Dbo?F`fRk`_FvE#OvvpBLnd5mcQ8PNBy2@5GLgW2*>M5 z_jxEZY1GgGYXVn07A;p4Z6`NDUA*c{cPK83p6?0MTMr zC|a?gzB5Thgf@Ne@N+}8^fM+eh)PPX~UE`efI zBQLC5`RBfk?6gXBCi^aHH0KaQmy3n07tC4X{1HVIq~>AeWpd;iT8XljIau(IFTUL9L5{}(+@g=TboL0bs_%ZpO{QO)?~7;6 z_QL8bwJ4Pf#m4E($YbyORL7N~RTXBAFvE3Q@fu<3m4f4ZGi)97x3KP&h+Afy{V)7m zBs7jgH}>_eA73l_G>%5&k<`$BSR*{zL_j=bFL?SIv2rx|Cp;g-~CRnCpT@8)LAz=|-VRcfv$!cMk0zC(60b!vp_Z=g-Zb!|=)pjNj?RndvpmG^Pi( zD!J0NPGcS;PTF$rzrSk{vTe2O*SRCMPcA|S7r~R6yc0~b=oc=;#^GM*KKB5eUNMum zgnTFKBBTT#!qH~FI6C?!G8^UM*8pZ19j+pJg=FJKbAQ-$Fc9Yi{XWn9@g=&Y&~)5~ z)&~Rd;#e24b-^B72n$4uFTKU*db=?-J_v8nUpP6XqCRV_ms zIu7Tld-n3`FScfqyPq3|vY>vVMkf0(+{d-9^c7c+u`jxUIi@~+#aF%!|Mp}4?5Vz@ ze*Zx1+!c+*?)}6o>Q7(xjDcfLf3e)u2Ya}-*Lx2X*K(PmSv3~XUv0#1>W;%qV-b2s zh!#Uwf7N7W%*nyzERidGif@Lv9^&0UF7$o;xz6*u&cWFsC;6t~TRW*6Y&V}koDtvA zH}vt`?HHaPApb$yZNq)MZm}OW z^#zS5?M1@)Ao#VaE=JQ2yL@>timKNVBNnA$K5OMi-)f0^)b04EYA~y`mdM!= zk1G#CF}O-Cv3Y0=)>wxlu~|*Aq+2BXslD%EUqg)Iocixj&RHkb5J{{hT&NYx$f+Tm zbEsYPj>eVbn&O3#KRyqO!8XI%qGzNJJgMh9^iD^llWRJpdn^uG))iCVyE9KG7I}{K zh3Q#W^jXJQ=IaI`jD4)uQ)5xq!dOf?=7PEO_W$?Xm|otxxN%M?o(GZ*xNuK#*o6`@ zL|q_%JS|Q*dmNK5kn5SZjkM{tpkQO%0>&mx$ecR zMre&JGIay-`Xw1>?e^g;eXNztCTVd!6W**Vu568gPUm!Zw50a+dn{UOlJRs%D3ZfD z*R@JOD|*oWoklI#E#~7ygu}T`G@cYjVq{SS)UYU&N%n6qM8ale6vjRYLB-i9JfrTT zfY}z~n9H^OXDsx{s)}D21FOFhkxEbhqE9iHnwE+m{O>!vD3%(VOayN6z^Xm5*hzLs z1wEAGIb-(n%|laL7nEL#MQX}bxKR7hC+W|1UZ9E9UbH%mlhO1KhUIDvJC>ru5Elg2 zI-#A|umm&61FG7)T)X$`F)XC!aACU&t+k6p{uoazE-uyjH!1!Y`F5Bo2cdu{B=Hy z%p1P7K909}^lTrB{|-j$I{`MEBln;*J_O5)<82N;re-*Y+N?7vHeYN~Q2T5s*1b%& z`B$5OF8?xTs35`SBYBcx)u=ss5o=>IGzx(Rk?dc^+DsYDTpFV&%=b>PdA(SJVKt-a z6G*qYyPKNx8`OVH$gy#15P(%YSFNrdvkBFZGi@Eq`QR0sy41fjs$Up%Oh zjK!*{RWbQ0-@!dN?=R?xpM%Ketrthe?`#ayal`QjfAaaqem9iwg3FN3o@e!Y&1Iy= zDOApI!N0RU z%z~rjZTq0@^qO+%i6bceL4Mh+yV|||^ARwRKE0ON+R*E{NLwC&qf5NBGZPNtn|C0V z%$TiR>U97|_Xpu%SwF2|*nYge$JuRBTdl?Ly+|_Fpl79(wyj?V-tmpmaJ8j2=XMIt zQA^*ckEM41ltk!qZnx*KrS`yA>KXVx$v9=HomUn`?PMfQM>o^fJQ0qci=%KP$6WiK zzRVG$qTz7aNPD3T=bI)m82P24cCTLmURA_k%upTeHGMx!~pg-4HzMd~A zY-T$)UM)XYo~F0m1s6|mkahe^(V`1|5UHDFxlsxH$-U}bf4$6dJ%+I_m%4VHh|7hq63Kb((gC$GK9$BgyNq07^kp8SlNrE{GZSCK{& zbFk`aAj|{*)voWDjg8E0tTp_m)~8bz%0&p;CSKHDzP}e9P8#U1uF(G5YBvHSLov7B zIjzOIR4m;W20PDkt=EG@6j4iI*R5P@?;MA$(g;lOJF7JvPbO+`5ZMm zOupGzj%`Psm`5KYYxF&X2CnqZkByh-N>4HOhnk$B@lvPDNqjJ1@49h}thVzwtjo!i z^9+@HawN6D-dOzAM~-_|gc@&s;5Oe;e(P3?LPiI0UyQ z^!mMWlt=7x(QH}}Zu@MN{YM-`%?Nt^2CbJ9`y9X!`d9lLTO++c?Zb{(_!@izFT)(D z(UCa0JsMHfm&(h_!>9x2`S5Fz?7o+}Am#)W#w?I?^@FIvA(!*jJlQ^mJe8z4l-HRf zGsrU@L7i*wx-(_9y56{bGaj=Ir%7LCXv|oefZyW>$u9J&Y`7f{%Sc0+%=Q0P^5;6+ z-g_)ZPCbw57s)j^_dA~0DSRE|CluPJBl$GesEi!CpSMlf@#0}(WW$0IxWga zJN9{pbWD~vs^!5UAc%EkoZNJh8Or2A)v}3}{@Djm)LDbE-jOnR%YJnBCXeWFgdD&W zf>{T{pxYxty6B|iTSYkTmWIoQTa&Sx?9n!p!sVsL30U(s61R%N#Ae(&!T$pMi(`3x_VX7*;tC^otZ&Ua8Bvecmy}rvv0n#Lh;;k7=Ki7 z?>jEarNM`gNN&TKn&XPG^Fd~{B%(*Ja%J|jedtriS@@zdrSnkc5E-SA(Qr&jiYi1N z_4;Gx9#eWXUi9JnTY}46)T%|v0qxotfl8g%CO1I(OZ{|7NG}~ z6V{Qq?~;RQ^?Q^)^nRWEEgRXt6(~;=BM{go=ZkgzdHtL{z)nW?x{Lu2HY4VNT6%?F zgk>$C8-;3djXVeKUxLx&o~`^otBUz2%;9@!AscN@BW`XuN_|bm;m?zB;QM-`vmtfk z3TB2!Azn*YW?w0X%_|MoE_tie86U&1WK$1Id#dbRc@&X5W8qxz8?kM=)LT4Td6p?8M{jPM+V%>T(3zd!4%6&4~!un;y(WzX?F{UQ^!k6{No`@duW5E@4eMT?an_jZB z<`Q%ox4^@?m;6(79^SWuk?ZFn*|W}2RTzp7`K~hM^=TaETq9|YlibTYg*P1{aUj!H zzFjF;xi<<|hnvem-{aVC%ghM_6YEjzF-kOf)V+Xv-udRqIIHLo!dol99bpN7}K*TYokM&HL%d_+)ySwRrA$ zM!l;+J|=cb!?zjQvbZn@>)C(P>8>pgeKS$UXSC~~uVne6ZFn;?0|lzDq%JrWt5}=C zPfIRVu~+TM{O0rz%5`$2%{pbnuJ?Oo@9|hv=;ol{_a;UE`)JhE<{&lvt#Zyi3Z=Vp z@%G6}#q&13T<)w%JYOmou96K9l7ZA!ca#j)T-_SKJa;?v8YP!lGuy<`6R~x)==)Tl zp(FW9kzS(p?j%f^4dZxtxFmTC#*qm;ns}E7sod{4zgyn3j~wNGS6s)ulOgUBJ+cIA znv)m0v!kr$eizHn*dhxDnX$PTE7VcIWBQo9i%@B!!Q0N3GHJpAM9_oUwa{GR*6u?9 zvz?|oww2O~J($*&4E8B)WLMAKNS?r%&@(f6vuOv0Q=H&=keP0isgoGTbKNpCF&~f% zEoxlGTbaqIVOeP8jC{fYQ#rScJt5}BM7WvC8J-P?P?Ktv(poxE=Mxk`k8q=jOekj- z3TwW#{Y)f{EKHYI)Gr1aOCR<<%yYM*`dllS%Rb_jk<2V}Y9&jYqj33Q8m^z!mm2yM z6EAQkw2qqgR@CpS(@?flPj0P@LS^-rb1S!d-tu&68O%9PsqZ^Y!s|=%d_MDzpHGpw z79}u<+XA0D7uvp{Jdczh`g%;~DsxtxWXVj&x>o56_|>@IVflF~7iQ0X^g9S?Ju4b1QRO z=@*xdr#H!#+HWJxI;3IF#uyxRwUITy^PJK;7A0}kl9ro<+KgDF+_93Q;Ry(^kHeBq zR`Q>SIK0e=!>S)FC7FE35@tq}7g@;NYBKvnMQO~&5| zrt+vO*&$`DV_++8et!qr~>@X19NGNJ0L=nePD!RP@In3c=-g*B|YCW13@`jQMX$h3>Zss3uYQk{mr zI-G6YQc2a}R4n1&oV!RR<;+BC&RiCkD|TYSy|3L)W@@_H$X2CFUN3dU_87$+q#`7X!^|YZ>htg(7N{(^p%{TO$p|nmNEF%9z@9ZcEzEyz2mO*g2JXj2t6yWWJAl&KSS4`{j*&m}HVUve6 zcFTtqSs_Pnx{Cke?WkgYw}($hX$;GQ$>~s(b#s!9*|~6E6^7Ow+soWC-cNNn!g@N$ zraReaelZ-A8tuiEwbH6B%;)&iUg9TaqK|7NP;D>Ehor;*d?b$VW6o@kH1wed{=p)9 zDe6gPu)YS5we01H7di7}E-mp_iwBtm(u0}l_f=v_F5^ow3uX;h$^F-{7{vYBE5}a$ zna;Y7=c&bdb`pGsdW0qHf&XMHr^iO2BblXB<88#;UW0vPYsWsamKM~2%%P_F)N(5+ zFN?wx&J;gi&lOXrNt?PIu%S-I+UQ%Ed9x7BsrR$;oF<(e3NcuV+P42rl82E6$e~VV z+qJQxHY`ByQsx0wjF6Qv`FPhQ2$~-uo-Oi`LC)#0Rej_eAF^%Bm{a5KAvl(Yz(D4t z-*A;-k8*Kj2t9yt9c6rTa!X!^qGqC#)LG@=YvwMw4s0*Kdt_ri=Zr_EImr8|S#Tjc zLa(=jIEAts>MYSd#t9VaWj8KbyT`W33BMj>A7bxC z>8z6H^e9)T$#pEYlPaGmOrW3Yo4;)3%y11}8#1%D_eXDX6c&($b^kPzi!L)4_0pGq z*c1CFi(5${91b#n(0qzKI9h<=b2j6E4|3qqXrK$*QK51Yxu^rau%uvs3iFw^Mlb$6LRl0Eso^wIy}@_(QG z$v&Z2dCXb-!?JOSvx;}2j$)mfg@L!jP_@`WF7M7n*Q9V}Iu>rPRAMuRJtgKSYX_*LjJfLh zGfVi&fsP{*|biBzPsbl!op5QvDaQkmgx+QtqlJ_u4Lht_j#?$c=;`{ z08U2&p!#}()W+pw{Zi^?7mt(kzi!71M`}4%j1e>Sc3l255TndT$k@<4G!<-tk=|g5 ze3FZLY6$%=^p#=bbCEkJ7@O{Nm;TfbbTeWebFiB%_&po0%tPsat&;@4rmrw76!V`r z$)7E=u=an#u(#Sl8Z9#MEpumX7V&RqKXUM;aLj(Kk}+QCFo})8nZarqylxxzOyMl- zgj(EorJLHRT2@)^~_w5m*1&mCK<7pcyCW=siczUfTB&zRGV)n zBfg79ffe<0%<8>%Si^oKXOy3<^Tq&MDW+e%^!=Cj`Qb04<=qN;=gX;c-Z4g8muyGQ zI{E~Udx_V!Jap$gX3yWlMQO;z**Ad*Xc#P2!*gNDGh>@k{Utg#2fp-+eI3(N>Rymr zGCvp#?cC*DAAa341fJxdj9ARPR(iqSTk<9|(K7Iy^dOvq$-Nv~ygB=hO%A!V;<<%%d+c&X%Pr&Jv8 zufao&N^&nJGj}o?aVaXf<3~L|=egFtD!ESnMp#G;8k|*fs4kw*#aJw^w3Ev`YY!xk z)O((tJetkCb@E78z2}Szno9BY#iQpat38pFf}PuJ@D!^vkPG2H>XiaJe-k566R;P2X>rcr44s zY_C8N6)O&ha&UlrSd%(3PguWqx=p`cPET3woellsAf(Q47t0Lx2*a6Q%lzMi)%3Vg z12(v(gJ^SBG0B6TyIT%2uT2L2By(eRph~>d>9|)JhVJKWWQy}PX4EsY^D%i=-O?~? zd<4Gbo>DV*E8@v6{y}X`j!G)h$$VJ*-da}eNWXY_Wd%9NiQQu0OQwXkPXhM8iNRkdY{ZQ`Fh}9pe~FFw^p3+KGIcGCZRCFYSm=!+ z+x)1tXtyIL&w$z{A8UDP5{+T>htwUklG=IEC??}TrLmIfH#N+&qE6bwO3v(IZ*ooo ze1oiH4mtO~&igX2O=svpX>iQr`xAhylLO_sMJ_IIhIOH)zl03R!I~L?h?><$da-xn z-+2q{8@tQAldMp@1H`>>i!v&TyWw_LH}k=OmX`WuP=H1Z_j?B`T3R zQfd@UxOeO;*oMO%Ven?{>c2k?hw(-cSwUClJz7Ln_*^ai5xHr)# z%4E*gWM-+8#l7qMM0AO2CuO%aFlkCa^0IdF?t2Y>qmEyRXKwgZ4SwKfMth67T(cy* znjFH<*YhEZo>KUp^N0%p*uJKxEdDzi)zph7CUlpP#@X0Fc9r8WcX`9JX|JKoEwywN zANJC1t(jYx=q#n>?AN}cX346(xI9URBfY(|pV*1LIp^?2A-K@jTCTcnV}4O6swq+PFAT%a-fd;lP-ZQW&%SbunYfHhMXf%WRMw{QF$1n+Z3G@$m`c_U$r!Rf61Q8J z$x7xw7-*u9=h8-c@f=sZOath)mHc{YTF73jUDsAF8c}c0p4F;tZKZ@~`g6LmXcpR5 zc28$c{dHz1PvF-9vB*6bhwPSZWgWGj(}Ux&_f#9nzQT;}snquewUJ0Zd)zuxH#xbD z1a{Y8e^VkZ`k6@)=Pa4@j%=83CVtdR&3u)Jf85RFLoqX6>9HwkPv8AdQE0gP<$dn* zkBdBHUeD_*0qD}-Rr<4UdU3~Q1TX9?t8ZpvDSg4kL!4!~5&0O?>3N^gUh-H|X_04= z(n%$H)Gxdwd%D)pTJCP!26u9(Ml=69g0qW#tt`7JUL-xSXKqGOO1WFiw;KNNEfd#&J^nrrni=Z{{4 zOk}7w*R2!TQ(7j{*fAOxKg2VS+*nK}lFw6EL+6=|6`QOtA7D7BdG=UR;mBzxUf63Bp>?@N9DL7s!O$ibK#1grCHrDdmW*xrv? zaeY(K_TucqJ_Mz?t>oS8t=L2#dToiJETm>FojL^f2?nx-z4;qwsXOs$F5~H=oVhz3 zy1kl-%NlxB!XogpMo&zrb^U%(B&Kd?CaN^fRmPADeZIMLqn37aPYnz^8HfipoE6l8 zs0~}lOP!DGBIc(qZ6UoKW8uOYIM1(z)Y5bM6KCjt^IFKf1=Kv2#9>YM7P2RVbzfRM z*=GjQcQ>E$8xrvJ7Xz95TO@41B?~&mK;|_?pl{zK_^mdO@2Ig#r{^vBgP|07M`A0z zG`k)f%8tj(%cdtytr&?H`*nVtht(c7k}CELuBLr?pXZjC%U9u?8{Fda`Ifopt>BDT zp|_|Hc?JH=S<4H=vDK!sG=rM5uq~L-)>zgnY1rx;gt?o@C%j3m-%MtH8SBeW?7N=uxKlX2*)a4dCuuc(capj%H(LR^#LXPSsp zl@V~*(WES;hPjf@iiauhm2*Ag@ggk>!8f$Tma~`5k<>Cx*OsNsIw;u~4dZS)GCPI7 zuVpdlxK2m*9*RcVH1c28>d5;G8k`xzywNH2!v7V8uuiO%JL$+-qbLlfHt)qNZ5ibr zNsUzknpbMeCU53*{y|Syj<#fOWZzzr@Gw|gPV8XzO98n*?gsL4-)N%8&tGLAb2>BQ zo%g@;nxW{mBio<%cHAXH>Gx*@ym|jWt>=&bequvRoV#}N;)OrX^;x)3J#3h}mX5iW zmWi{L)-TOIUGM0Bx@rtQUAJ3(y57+Kbp492^zrvgbw6DLtUp~x{QG+q|9(H~-`9I< d`03~NmY=TA`2rvR|Np;^*}t#ntp4=<{{={dLWckV literal 0 HcmV?d00001 From ea515f4c98946445c527d1deb6890fb88e0090ed Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sun, 21 Aug 2022 06:57:34 +0200 Subject: [PATCH 087/170] Add several DCPs (#6553) Fixes #5647, #5862, #5952, #6307, #6318 * Samsung Galaxy S7 * Canon EOS 1DX Mark III * Canon EOS 5D Mark II * Canon EOS-1Ds Mark II * Fujifilm X-T4 --- rtdata/dcpprofiles/Canon EOS 5D Mark II.dcp | Bin 0 -> 65374 bytes rtdata/dcpprofiles/Canon EOS-1D X Mark III.dcp | Bin 0 -> 65374 bytes rtdata/dcpprofiles/Canon EOS-1Ds Mark II.dcp | Bin 0 -> 65374 bytes rtdata/dcpprofiles/FUJIFILM X-T4.dcp | Bin 0 -> 65358 bytes rtdata/dcpprofiles/samsung SM-G930V.dcp | Bin 0 -> 65366 bytes 5 files changed, 0 insertions(+), 0 deletions(-) create mode 100644 rtdata/dcpprofiles/Canon EOS 5D Mark II.dcp create mode 100644 rtdata/dcpprofiles/Canon EOS-1D X Mark III.dcp create mode 100644 rtdata/dcpprofiles/Canon EOS-1Ds Mark II.dcp create mode 100644 rtdata/dcpprofiles/FUJIFILM X-T4.dcp create mode 100644 rtdata/dcpprofiles/samsung SM-G930V.dcp diff --git a/rtdata/dcpprofiles/Canon EOS 5D Mark II.dcp b/rtdata/dcpprofiles/Canon EOS 5D Mark II.dcp new file mode 100644 index 0000000000000000000000000000000000000000..d64a216ef776741fc46cbe3705973431480cafff GIT binary patch literal 65374 zcmZ^LbyQUC7d48Ci7kqX-Gbe*Ed&)13qireR_wxJh+zf>7`ldGhVJf=^U$b(B4T0- zc3>BL&-=Z^U8{eJw5>{CzE{X^!%91= zbmH54{5Jf5`@`F)sB9`#RpA?zp8U4?fBPDI|HuEHyPrS!v$UOxD!Iz9OIGQYo1*}tEmitqRR-+sRq z6_tpxe~c6zK{Il)c z{O|VJyMMQObN+oiNB!SzkCuP$f5kt@KgVwx{O?wmf5CtL-}U$3$CZEn-F|=b@AmQ3 ze;@C}1NP5x1^+uPiGRU={-3J(@Am)qIXCgos>N^r@B65z*x;XAL&RB@7*h#@LjoKq zKg*i(%Hff2i?@1bnCiA-w0mfWRm~^Z2zx@`xAtgQc9;#EosYm*4yaPw%^D>+81zDj zM^jDNCrK7MeR9O9fy>#&8JV~=OpLs>Q(5S-3{;Ao5PE9}yQ7tXS<@tdRS#yOmVv<| zToL@N9WzW#$3jCXcBuRzoldFHvGu_7BcJJZb0WTGd13XZ_w*+-4ri-;priAS*62k; zl;{WZFK=nV-Ee%j3c#Gb{C-IYHjR|wXu~_IKO7ACvmli8cu&DSt9V_?8 zVucceW$(yxyf5;lp;)u{9r=ZO!Bh|q`J1;?HNyi-4n$&Y*jtLb;|A9i(fAzlo@#E0 zVB{EuHDT}R`zS{|wTec0;(NMq#U6EQWAI_Xdur=uhupETJih<@{Tt_VCKuSB$qY`G z0(>++&o<`fVRDo$mVP+P4p(Ji&viS@n|O-t*^rL$Pwg=*_z24}O~K_C4%m2hFMIJU z5$_s=_$)VP2F>xX`{IZTVgoimA`S&wVuY5@VLp|yxO2h@Dr?8E{7tcNZ!1CXof_=m zgjn>da)Gd^Gjkol@2_*i%e8IUb^jP-s(WDK&tLR+eiS;d^um1WuT+0A9E(r*AmmXK zZ9fhAY<23&V2bFLdXK1a%q_n7rT%O& zKkf_l86<*DK{Q(Wf1xv-gb>)p;;nrnNsrn?Gd3FP)Ig;Mb{Kj(rd6C1Q_irmq%=ft z7C?OZ6nh?*1O(V3cGPjEHa;GEm>phJSuxY@F-W^*4=mWn)^Cf%=!Xti*0`Ou9T^Uz z=R%m&Z)AP9hT_j>M~u^4$xM5MV2P#}8Xsmee{Cf^cRJxg?PxYEOab+K&iHbo9~)t= zfXvb^}+a{>Vqq{Ur~Kd z5I*+vLxIIhGEogg+X{bJes83X1N`tyHxR}KFR5&rH_j)^5cl^bO|2xg0WKLHGQ;kfvvF;8+N@Whn3E#R1Zamkk=HUEymQkFbu1CP5VbWVr6gy=6!!n zW)mE6!7>W(d%hvtMRq737K6vb-%yvG0=%k?MTF!Lxz4piOHp*II7{#BwZFijcEuGt1+UxqV=*{idv>>v!) zb-~0TZCP$&FqXA-!?mtWv}1}Ab3aI-*wH|js+H)`!4n7eJf>BL6?i<(8+r%pX`8bg z5hlJ+>O7#gD`a@g-(zw2`?S>8A67rSB+u}{UKbfG3-6Ns15XU%HKgO^yR>zX zI|NgM(fQY1(h#`9U!*{o!96n6kl^@FB@Bb^QNu$qEL}no`RN|1mpVc|H5~1i->0c1 z4w&&I0_1(4>TcU1#WM<-5AKudZvpakW00V6mxeC0gU7Viac;>rW-4)^a9kmPe1ie2 z@1sQCd0UKi)MEnGVC)LEgW%v2_F-KR_NLq8U9Sb~bQ>A&7CGS9&RJ|_uRy5Z5Mr?U z6ejcuz=`LM$UHEPO^ge`)DB`435T$Z3xPP#uf3j&d$S$gf}rQ+jAI@hnEN+5c6N1v zexL6oDpf!$#ubi38>nDj2<#3^`K5E8(lkPlyUqjmO>WT^p#sZz4H?|ChC2Dlachka z91E|L^AQ;q?eIfQ&~@rQC;;XA1JK$1I*Gk}@pP#S9gC|e{hk-5l?UPY-72~{&;x-( zgYiwXir!ecp?tRjjb4>>vtELbNF~PTR?_!FP8jqq1Rcg!((I8U3}4D~drl>FQWc^s zEga+bSCU5?d%T?+3C)B`I@aG72P&hm$nQE~s2yfHM77H2%_XzhiSrTATO`0wjp^*| zkTB>RvPJ!dNlX_ZI4QA%pJY5+nx;Uq(jHr`k7Ack24i8e11g6PV^i$p&?6z7b`4_5 zPlFIy>j)KH4dxvhgv2i*r1k2_3SI=EXtWb@Z*^q9>*UBi;*14P|I*xl>PDRei$A?4 z+uusqY;whY>-(f@5sJHi-QfA)2JP1m!Iw;TtoOW1?<5LLw)aGr8)anSB*)lo-k8{? zln$E9uwLI6Xdcbb$vJCCG8W zrj&}NNHI}IfuUI?6dLUUcd-(tH;d`}RA;1J55c&fMKrfogeLVcBrGVR1gQ|w2I1%z zUr0mt+hdG-1ngE9($MX;X!|S@OUIVdH?bY|_(Zmf^Rbi>j4h8w<4gfIebZvghDKtb zg)Ln7XtEiH!m<2}9eTF(Wz#!^A;sAqC#rffvqvEq80dg&kGip+pLzbr2yuR5XLfg~ z5>pEtag*oj_nQh{vqi{fZJA$+0>3)(b+GdvI;^Th(h6tv34Twe%}VGgBrsn0h=!Sm zVtjX3G;XV*hOeQB_i=+yPzA-D3Blzl?&z?xi1d7UobP*JV5b7ov6W+(yBDG*c_djS zLnzPfwij|Kv)LaDH2t7N3>*MwqRI9>9&x?SgzyXi{{Gx$d!f~FTFp)b`Hbi-4gUTcazquhC`#+ z1^HeTWZ@cyyjgB|(6f+2E{9-Et`r+*=Fwn&z6w`(;QPHy+AWkr_{0c8bS1Hcc z2cb*5bUM7ym9HDY$or5^lJCy=J5&k(;0!9s6(cx_*Rqxjx+rl(*5okMcFv?Z2ON;2 z2*}qUcRJr7yBa91BqpS>lLq2C?Fxbo? zT_fQY$g$@28u~Cc63zKyByOyx+b<&!{niO5-L6u{`Uoh;NwBqNDMinSMA#`8EUGV{ z>?7g0^uQI8X*qOxStvRgNwLBzoo=)!@UqMutK`X)kSK>t-xE=p33PIk41KD-a4{^7 z5>*3Wxyc6wMzOR!-WRf0zR-z`A%~6LNIU0`E8#I@(#8`u-2>5Yd@O0jOHmvuL*wsQ z5^QtDgjsUz`w&O%hDb1}JQ#W};>r587?U?BF{(6yo)tO5^+5=}*(6d$tOM?thrzyc z63IgB@ToQ&Q@j%CxUW41H-@!}bNA6NDdJKxI%^7WX!v7_c$kP=<7}a_?=B_F6W~7G z4jm8Oq+Gvv#Lc&d@!%@TzZ{1P%N#KMOa&e57zZOGAr@Mf(99#TurPPTCyhed))a&C zBO+AIE+9vj7>HcN7@L$w_Df@6md0zy8 z21I(J%~ARh(-oZqUNXX_(MMfX#kas4h7L1sb+E^Qf36OOuf?kmvLJ z0(upeggILFcomXM^PVPR@h}H;_>@WCkcgU&*1X5<=4PB6zG-V7Off{pl}6V~!Hnx`k3|Uwb?n7K&G0 z!|Af71M-|hTE$s4wt&Xn%fQ4A0=zTJrbTDdF|oZZ{)VTK$I&ztwXwsp%Sp61C>3>o z?ND?qp3FX^p!08goKJ|MgIiNj|H}apJEG`!V>0B;LcFwzpeOdpIIAYYw4Y%#b6PU? z_Y>n&Rw#}Al!V0-oiI5zg!1x}5Wv^Oc2AYGuvY@w*+`%>Q%M&hVvt?r0*SYRHW)=> zvAP@DHwROLRv7wikwWEIFb&mIVp57bK7Ezb?D=xUbn*nb%E|vyAToA(VeDc#U3}<= ziv`|T+DlH|*7;!IAYbfJlauRhPe{)AAw)|~C-=K!Ypp*v8p+9kzfbw3Kz!q`V^S=^ zTPGRB_vPdzaY8Z2Oh+aMlXABRGZqCS(J7d&tr0>iKmp&zVA^YF4>OJl^lFqec#Q*o zZC195^Jk}IGP#fq^*=VK8xTjO)3Y$7Nr1wgQ53i&6VzafBj>^?MUVmS`*yG#6-s}f zr{m8JdvsW?q*Tjv48H0B)vLjz{W}fc%7mB{E~hqOY1mZ3bGtN%d^e||sagaY7DTmL zX_);$jL&g0TJM#LrjJgzzgI@52PR>_a9$JV$!PkaILtJ6L6eq@);@^BP?;;%^^(z( z)8X)Z?1triWYlGG2-3#7BVvS%uJXRS?zjg&FO*Re@1Zs^PlzpLq~`38xE|j4>mj3? z&wVg=yAO6%$Y`;t7xr?@=b{!w!=AXqN!1@#hC%d_UpIf(1z?PS5UKDQCguIRxG{*% zH#p%`lMKCP%Bd(*gt|p?bh49EY@iU?uE7{nDJQABJ+vMuP-Lf|-W(&0S*U0g=S7nu zDSJR3sz2EvMar+c=Q#*?C_vk?V49?wgN!S-2))YRYfUy>GVM@eCZjWjS(qJRk7ve# zbiybL!M+YyEDNC651BYC5kh-n0IgPL!o=`pQQFR!sv?8K zJ2~n67GbO|?+s=K)7ASzgp1|4&{;t%JnZ3lB^VaJ6?8nt0c&)ETg6$vT|w&;FXLFF z4a(2+91!J0aYcYi`v5XY%|l|mEryxpJ<9{k$C9)DdC7#GgV{av&QeMxUMm#QZWbeyS4! zodQUBG8OW5&N$RAkZLRvAwDO;>5GAM{!}a)B6@vPQR0d)%<3$~ z+xIdu{>y7M+##_FqVM;DkaW@mL%syjp!xuOkN3pk^K!bS;s?7%FYIpnOy}IDhh(k`JACLcI40pf?}$F!YuqcKHNSV{#t)kO&(N$|!DpHm+Y0W0rOh%`8oW z&T}V>c@aeGZIWQA%GY~uIW-@PL)vH;yqh0PXOvNxVCagW^}*!Uk@vo*+|d7&g49Em zn6H%LQAZ^$Il!;!DtCD70 zk!-9CqdlGQBrAy4nerO2$r;rvC?vQ7=pf)*} zu55M#aXk5{hk~{abHN2eUZZv@D5%*9=>w#g6w7n_lL+e?q?psFAdjCyAk`h(R~4ko z<7{T_fh&BisZ$qXYJ1;SadvC6r6FIlptxv*SlH0mvsq}%7EdsPTYD14t@b&ScE!vq2Xz!v-Wc;;7@AI}aLNgP6&f8%Pvm=|94BY%_hiO9` z2=6k`bjluIoP>1jQ3j5Gwukp^N1D1U9qUgy;O8R|Rm@Gs&GtgL-V{?i?Re<;39%x> zi4Ge@LvNxZriqvD>}AF>2Q@0C;zx2S;v#w81vkY@<6q{ zH*J_M#D)aVR&h3uIYcSz@^IPP1}9DSQnhz37V{oFOLY$odX%*2hy4xsrbX>VQzb{`kw^2pQlF(3s;e+$8$o*`3<1U#~F!~+{^I&BmK z){gUKZO+ps&Uc-66rro-1=`;j0t24Unb8-irz9AgoWz)2bBRvw;`q0-6B?{+DAURx z!A=}2G}w?qDCa*qJ7bKofCjaA;;+aVN8$t|zUYo1H3?q)7SI7LH+*oAU<_>O;e84I zs=DCSDO)JYz3mQUg=|{K-RxK{LS87XE30y}y?~4BRj`YsT5&Nxq9ZM8bz!o76 zeRgXVXXCM3X+&}X-o@FVc8(d@CS67*=lqK%ZKR6@`A~MYMT69YRzJ*xeYP!9FPl&s zz9t&&wS)51M#|C4#rJ;pIOT0hxl+Ckme}K4`%Sc{AsaW2JK$XQW?IS5Me{IT2SP1q zdP)}lR14vgw3T{w$>JQWBYGNarZ(^2dX3P8blh zpB6s#L7k~HZkZmSKjXbHBHJ0^zYmahfIHrD-g&d|AT65chBYT8==uJnt;!1+$dzQ2y79ip(a zzzO2->#6_jFpe=e4rpUScOw;W$#uq*A13s{nD-MiBv^QRBc0a?K>K(JW(DyanCA=k z;VwA2!i@Hx@Pd(#3syhic~$FM2Np*m7j4A@R?f|X!y0rUaKGgaMajax1RdP(I{4B(@j!Q|vaiG~vN2tA7Li&euFf>(! zd2UN7&MF)CJj8hFzl?P5q+_}v&zk~WsxeLm`{ab7@0Jrj#zD=^nQJrpG^;8KbH?x- zo3MhS-iBdqt^~KHucT@EO1xX;f{`OvQ4Qzb;_tdZ@O2ew@P4}4(iMJD2DCEV7uxS# zacQ9;ec|}|*hx1uXBkqTAs%S{<%Y?cM%35a4c{(GVPt7U(L8_8wsD8AzY+a<>I9{& zJ7(t@ksw_J$F?3=R%JvDN+IS7JTO0-$1TedXP0^4LC$*W$m_{_JC9azHu|}j0tzc| zx5)-qsx9c#mon^pDL_|W6AGMKioA!msCs5h@6Ht?@s=Gl`WsNz^+F7&Fy885#$23>5F=*BLOL=o z2laA(U7rO7Jj;OJNoS~5Eh6W&DVQ}`g7f{CQ0$|4gglkt$%>`a5*dvHZY~Jgyo}tF z!cjZR6%8wNY0wYOX+Lm9Qt#zdV=ag0MK|=~InaH2AYKfX!jLNw(}(!sM~)PuBlIY5 zmN(j)xWns{9x2aq&i{iuTt@2Ck|%DsF7&|5#rm}D0LLJ_-&tp%Pepy4u{YTh`pflc z(tQykmU*GaRDBwnCxpDt3(jqf=*)FTw3m8e%X>r0;kt+BU9VPgc9)zdmw}bg?<|0K zniXkuyoyB5BlZ7cN#B~wF>ACP{|@H#R;3J{GwdO%-arEN5_sx5puN{>QXf}@o+d){ z)LKa|*D}1{?T9r3T}pH-fI6?Sd%i8EWiRrvLM%p7w?%YhTOM`=IAL$iBFfRo#m^XL z{9d<&hV;t9>mUhA!Ey~V^umvpY|rW;L03ti21p&=KAcYQpxN6VhnsiNNrN(^Uv|LO5DU^9S%N=}LZt0Bq0K#t zAnz$cjL4Wo8Vq~qiSgFmfZTKo&~KL$IxbyBCeisYa&<=Mrd4!nS{~{%B>2(OkRF+4 zV^%5eN4^@;HhCH*#=By9j1i6hmWY8)Zn!^jHC+_PB7B<^C6`tcxaPidsyn7duBNqT zLphh`0qv;ORDL}eudjIEspD#j-!4O;hbPvrT1}(I_+vQdHO7B8qT_>nuyUX`eB6v^ z*8<)zKJbQVeiC)0Z!=%`s2S2cfiqV1^}~VV2K1Th;1$(=*m7?b z#e5Uufyf`mw~a}vD#BB3e>B@r{CTM1muw$S^{yvOIb)H-zw{q)O0cV0gS zJ={V^i_>BI#tp0PZlO1Slkl^i_Xy!zXwZo`L{_-trS2BWnG}W9Ngi0tEGU0c7(VcL z9vN&wJ&tgH!Z9zL+GbADH!|27d85p2GffZTdiYo$%u3os8a6(NYw^Lm5;MB*=82!R zzBpEEO77)Sm_+%Z{NY9l9PNr1XZ<-JVM4beoKdnO0QMg@(8=YTGw2_P;@|73p{*kt zo(IBOWJV3$M9}73;p~oPwDPSGK`#PZ)s2*c$#in)ZG12m;KrG7>NC3*=@GW*(^*C` zvm3~0wnL{Eyk`_wVWz1A-j_*eUFB6orEonmOGvx4E8xxFW5G)SZA~kM`(81cr(EEi zTQPKsoZ#zomJXX1qUT@<`usReuPq6^xNefEd77**U50*@D>fOOqWt1q9PBGa@Y$18 zTblvVICl)Wc!Gw1NJjJ&4>*_~r&K*&tEYOxOY<0gXpDlHju$Knj!dUCVs>C4!e3g_-gIYly2LqB!A`#BiZN|_5Jr#MK{-E!xVc!4 zp<8#;hh|4SsSd)K_+2EtEyOs^>HQaPluoLk;FI^@w^x9(M!965dmA}*ws4u2#62pt zxX5{oDd7=R-Q@<}XFDM3kesMz6^ywanH=s*ne(rrgHi-bM-STVR}Q;APH-FRMv8Hz zSmo#p?J+K-`=SWFe@f8hwln?AWVpA_6$4V8sM@Olb$8vc&{0giYw|dLb4U4E5e+ZN z#GlJhT(9@@IZvk8@f3s04uqd=48%ATKK~UYbpZp#PvKaY~a0NSs?UJSW{$+ z6t0CbXdgU78H>19m=}cT)2B#-=kw!KzP|dNpv;M4G(-pU_2L+P;(m%Xas{40Iz=z9 zIAX_O1+sshr1o+lPH@fmzj20<1?5J9GbD+uIR^U{kDTJ@|92UbZ? zVX2^3yGqdJ7GGD4I4}LP5VjU>5X_fRf;VCH3n_{;1E?W3ADP=c;IzVz!mYDVru2lf zjSp$8OU1BTUf7lAMNL)-a8~ib_ht_Yyv^f0+83TH-O0l_9G&(2uvFnZ3hrv(K$4`L9Hy>z>c|8`*vP0tTCv-CUF7Dj5$ET6ED4=H@ zHeVECW#_9zAvKVV5aIgtB9iW_MpQZXcS-W;%-(BYoI~t-CYwfkRN#Df7vzl1pwBl; zQI+J1k7}tjXhbnOt>M_9Dv=IfWVrg#9oDXKGwSBtE9jvx9AB&bQKTv-^ZiPssRSbNO(4y4 z55jwG8T{V*ljy5Ix|#+dvx6UHy8FQLk{mte`cUpRPs|Mq#wDQ_b>v!2Nh#0CHy-5b z;DQ;AN^IWePKh_2kla2Ljm>VPqbq{>@GxADb)|8)9k6aeIQ~p_qkFkR1Rf8=U`JP~ z6g%LnN^8A)(#oD}!;$A`NEBe?0yXx2*JI@FvBTyi&D8DC18g1P01ft$n!WDe=VKu% z9=ss=yIKqm79mesPu4a!5NGa$$OE^@U9SpH`%94TR70~TU&Y~@{Id?KqNefX+;77% zZF~i-nN|YpW$xJBuY?vD6~cw{mK9+{8`Cdibch!!yX2FRRyJOC@j-rEHbq9J!h4S| zj-Sn-_BIJ9%kjfet5kX)AB}Xi0604(k-kniWUB))xH6t}e=D%sQ-*{Yv1G2!Iscoy zb`(X??CpFV>=6v7QxVkk&Kt{DDsad!j8-Oc-q!q>U3_Pr{MXBBR3nj;LG_fu{3;H0rB8Mx2g>)-E5)8|VlPg9sQYy=mqr2Sh(> z?ceZ~4`mA~?;s#XfKw0qve34-u*t#>22;8*BfT3?@8ba7@9o)w=t^9@CPZ?76&5z* z3N(ZwOlbd|SQF1x?&+HO_ygU(TZHl7obl`FD>`+ba3_}c{wtqT?VEgj+Uf>b{6pH& zF&D47M|1UuJ47?HP*~!D2928(cs?CgXStrVu##TYra+tfI|r^SrxZ%SQLZsPR4JzM zv$>CSkUu(oFQ9?-;TU`|06iz>QP5>2j@=DJJ6RUzVS+GlauAfu(n-N<@_X*5nK&|q za`@V3UlWY+a}sHbrziBdKXSBf932o#A=wv#Tk{C2d#ozO5h%vAY9lvD^_OEF&>-W&lmN;edOOTKkbw z_KoL0#!9RX7odHk7IO^dIC-rd5Y(5A9$t#_b`IF|xEniqxe&=&LXK~fHvJrLD8ILY}rFD`_*m5uEfuQ&FgnN4Pr@0|7tC6%vr=sME z6rT$olWzND2;Dr;RC1R_{z$<01zz~}sD>W>h{L(J-q=0r8XamMi@E?`+`U&q-)=>r z%OZb#i6Bb#59hvu0Q`EAOKU7bFn5X!H&18M=>@@11_xpJ_Ehp)BtwtR!RQ;1NI`r2 zVSZGBenaADU$PIn*KwcOyC|AC$P1F$p`f-AR21%xLH=PdF%KnG1Kxvw4@b;*1-<^q z1Gpg)lWOGuS1X*J9EEWl4>$8#eYZ;t3}4DgJ4}TB!MN|GQZ+v>oy+-;Gv~nN!r5c6d;nq-+_jiXyLO6miD=6iOE8ceH ze#ISJBPiq?)&3|LYbhx!(HVlGNGQ1m?Q@cQy?vtaV`DH)o-f3iU9J71-!@KWJ4{Pa z5Fmi3*(i4NQVBLLw8Na_L2M{rvvxMvqkUjsHtb9xi2J*oD!a4IK7`VFBDnnR%(}T= z#+(K*0?Iou*}*)l;+)T>O70b3kORd`7u*i~OHVofxs3A;UHfyMl^Y#&@vopjY?Wk%xg<=1O~1N zrt`c{oi`#1zqA!}y~YKJ^^pkOET;okoe@&gI?w-`&yJg>v1ez>VC^kH%8+p^J*gDk zxCbez&oFjqdkJ)J+oRh>P4<9_@ajDG9d+%?UNE+3 z$B9GENY&`basqSFuZIiDZ>zGg2RZ-D@y5Lu&9rTCCcKQLi1_uDbcUzHhI2S`wcb%+ z&r~dN^+e6l=OkB8#)FC6576}i)o3JQ%2glCpI=L(U&KLsyB|b8mDJ{5G!pLme-+Bw@1j~?VL%j`?`xX0(Bk2amJ2MA{Lw{!&y-D}LG_Em3JPsqw_rSOX5s)@1 zXttXh)V4+<@UEORv$!{Kc@+8$P*5!Qz}}hAx^C2WoW({2lw+n;fSG>U?8DPCTp4G_ z*OJjJMp=sK<@WeEXejI2wFKk$3DL3hKxQ$w2roK|urH_|Ygxe1D^84EM|-i|qY7|m zl{3mGtFwN8^Kku@1i`7DSY34vRE4gvRB6wgBC>FEs1*BWsIX{9t}W)cqtDZCH1Jd! ztk!$N(Cr-s9Zf;rJ1;a#o|DnpBqR%caACp&GS^LjRDpq|xVK6U@A;VXk-+LGaU0DQ`MtQ>EImaFkmGmN0 zigm-dzxF?QzF1R1zvsHbq+RPc$8Vd*M&?y;?M{Fyn##oeDj*qRhwmyA*(2U-Ov$## z!xN)ffmtc+HwY0`G>jEUixJc0h>Na+S#>}m^xVVK{ulkv8u`!`-~ zVDrdO+~D>6-W@+!io%eVokYE}{1DwM46l2{(Do{C?3~{^&sjw{m6m#-d{+dz_2xP| z_wqDax5gWJTNkm$hgXp1Aix6O+01d(6>R8hhe!5Pna0=(%#X3hC_8P|99@QQi-q_x zV;md!x&&VL_#Dc-QS8yLBE%gNWBP<)EdLFIaVKZA$r!{`uJC#ymtbk32J5KI$Meaq zXtCUxG?lyeqI{Q{xnvo~QAxL=fWPQAGQIB8r0<#CTw4ev*8_(#%&PF`598iADiN-9p3 zV$q`3alWg%oE>a?4X1eDy>0;58^KkK>S70*>^aQT>IzH(?J-ez2CMy34uKBuGcBgD z)62^cTIh(tU~M*KO9>X6h@l%Yj(u5I#5DpZr1c%e4$WY2JtKksiy_QVy#QGqTyb)N zCi~f#2W?L`nD6Mru9fFtvz9yFh}D@|S{6LHUR+w+k=4XxKy9iQ_rj{O)A4Dj&GClJ z>JRB#^Et2iyw^7QOpRrU2v6{X^TXHFYe+o8_`JlU?@#H9BnHbxfykEKr>5RfnA;?S zO+_uG@L7j9o8&lmu8RA{`P@liF!m*tQ%5MdH&}^*yNjrPR4_V9L-5S3h+gvekJk#p zpI>>T-iv!kd$rE<)P?EPQ-#mcbq&M#O|fKa-~+pPt@Hf9>)@l61}trKCFYzHplR81 zmYaPIzg6rIBwNg)Gp^#2gmcbW3z**8D;UN34eQx++3oOh)NwsbEo&xY#ii&lSB#%k zQ`zZ)VkDJ0q2B}@)+wwI2J0kn${EXSE)wq}T`(kjIP);Q3@b}FB%K??Zq3d^$ZIJ^ zE$+ukhjWkFVGqc(d$7kES$O=}6X(`RTY{~3ZT~Ci2Z1) z#GP-pP@A}t^=wm#%nSB7cW*h{8gmuT)PzVXT*?-7yn;!djtH<>#6&vf_&u2Gr*ZSy zG@Vk;yE`G_!z`BGw;0QGB(Rz@m7Vy+*UD5E{JK4X1zat_lNoNvnKp{4bMB}wUrUU< zw3wS`E>vcD;LyUwL0G$2X+W)*bdlM5MtwzZa0q5pSSeSM-^4{7aWY;?8 zWmtv3R(!@P%9sslUy0l=4)FVF$f6EiMf^EO9Q?YHoeivjR$DQ)%+O;!6=irUbV82# z5@z63g5#Yes5PC>e(x@ViQcEB7TcXZF&Zj|o!xtmIbYzCpQV=!Y zA0L`k8U7@~KOz8zMa?9?6OXFyGTff^jTV>3LV6|$eKx7pPHP=!`v*H%Kfmj6IUs;-+*Ve!?>Zu$+QMAVg3XduW8F5cp$yy1 zBs;1Q|HJ`v?wPVab=P2Q>4?+4Oqj3>=ZhLdP+G2KO?@hGd$$vRZ$lQ+rVO>uo$*;+ zkJUdc#`JA2SW*WzlItwE%dx)cY_^c|qFXqY{{C_@J79eoFG}2Dl{AjM+LwoZb3HM# za5!tS%;6fA7e34##P%Cy;TzYS+KuhUUJuT|dXX<0PV`_qf2Cq)lOHOFc40=`gPpKB z0ICx^uvIS-d4CazA3kl^pfB;<{}Y5Q#lNUW?>Mf($?@jyFY5n27Ul+W)Gho%JDg+C zcVI9?$|rO`D*`X96bP|+PW|#CV0bwg74CI3{s)gU*VmKVUZM9_6%d++Kz~Rj^)gf9 zO>ge)=N#tLcsbl&w&q381sq_O1vjv9H=k?U$7fw5Z@~ACEp)2)u)lAwBYTZKLKg34 z5rx&ruHyN;-I7@^u7ZZ4BRpKTsd}-GZwE| z%O3E4Q)QM54k}l&X;X?ZDApCnQkJl?u7w!M_2|sIbD8?b0vvL2N5z6^>~wuT7H}SK z%clwKa9u8L?c+Lfhf%DcIvZl%C;QoJv6bbSSPWnE-P50StV+i`t~WU*_F|Ktrs8G~ zK7+iq8@t&q1;%FsasNz57BC|TZ=Ue^ia)CC=kWy8t(0TUm3C~;{dlZ0mEq0lHf&;8 z9NgvvwaW7=Gd@zw^C+$v$+3OoeX`XG$5lQj^WS=&aO)P0%L+wrD9*BeqSqV)8GQ@JbZnfqXxk#5Ke@W1Mhs)h>4Vdjv?^}lb?t6|U^(;e!8rN1Dt=XQ$QtZ^QN0_EH z`}L&+g<~DiV0ni9YAQzOxk412ImxWDi*Rj)BkG1v!0Vv@pP95q-O`Q@|t9r z?C`|LWIjuNDG8mq=RC}^C%ZpA5wo~2HzTbZv(QRJB=f?=Ze3XNxddF_;Ei29)R^|J zcpN$E1If~MY-C6r!g-DQZ#~!e`-#|xD7*>?ghTlQn!Pt1FMqYp^Z({^@{2R9qMrK_ zr8dY_v1Sj|a`9=r0A^a}*sz3LL|o(iQq4Iw=4&n<9W)=-_^aId{#)kb~T(RD6PEugyVuPd@t=XT^G+%!XZ>1E!qZ&9+_2!ld;=JQiE9 zlna^A`y|AKv+J4kR0cHpY~F~At5{pBbi5iV!l=w8tZH`}e&mX9bLL#uvLh89YsB#D zJe6r#@);ScS*(G<>4C>4V^L2BOh6hGQbY!yv;xWU?14epk%wkPE z&ff9Bu3^AD|l9Ru|@zIavff*yHA^50rea4xHX7I%om2-TogbtBsI zAUm@#9=>C2(4*Ok4SJe@S!OnPw(uzH*e3}`+_}&H`!QzxB?;@RY_RnHaW>mI8Lztu za6I}r3we}`ZAJoI9Dj^;{*??JSI(1Y9cG=MCu0&nN18wOG2e(}h}CT2_;ow`yn^f3 zutnS*Qx%e%8{hyp<#2YpZ6ZG05kmc&CbJPGz;Uz)iPgQC>!*0c+KACIts5J< zBpzDa$39`K8k=@84(5guXpHH^Mt6$GiYQksUeYsQH(0&=OExC4 z@Z+8%Kfz)yBqAlZd8~Vh8SRm z9J;$ZBxY?TRK)IX6uVoW_4~g%Jg<(|Tqii2J$tWxulxS2U!-rIh%xLR>tp$u3I-$~ zYO4?SSbd;Q+3`?}uIWb_mS!Ogb@7}butU$=8;n+q*-Al&%E>3*kG!+~9d)-#$jJ6vZ3SBhsRbJbr zw`+^g`-$-PbA{OTiwtTdV(M^rRJ40f_Zla_=8l?m+OPD*EdhU;@}Kd6-n2+S_h)K+ zQGBLVD-#eiQiGR;AE;fY1Q>^~#yI;U?Lz{(&Efm{!+ToKpLdsgAgAIjEjk^Kr`Nsk zdGj0k?HrF;jeTnD=S?lRZ^b{4(KtK&_8%l{t&(t$z5N}8spyxUgl)O(?cZxA65b`D z`js6@j*Jq?y_3c(FI~tFwuS=5;d)kwaS9U%XtB0&_~E}mLb=c5FtW%4p2w=l zesDZm?e)N;%BNKFIu47Ucpz#U^FUh0V;gJG8Ev1@_)l?2<2+s8fM;Z*ACC(!IP3E1 zDLr`~hb47t`uPtfw-z__QgCc7`=1wg5Wk0};99XAvw*sY`=e6Ov6Vf#di4-`BU7-J zy)+5mdW!`kcun%`G0vx-$mPGMqJazax`qkdZ<gYlx|ZU7n-mPX&$Y){WAUsY86!9=@%ls~v5L>1 zl9|pZT3S~q!;_Gb0a$bjCjQ!@~~=pQ9l8N>1ssTKcJ8= zaj4RG!0Gi>nsq)FbroK?(yW4dYGZK5!3T%(FOmu8_h*GMf9hTZrTfP~3gdTB_X{+< zItCL)bFEJ2C@d(3|6cCzygg6m zW_}}QUrWKPo=Oz0H4>X_Q@9_?Jd62_#D3!x7;v4S(bN;qRLSVK!kO2%ws=~d1R3W; zR!#atGy5muD{E6j@rg$Aops&h{j@UZD-_|Bv73 z1%#ZTRi!Z)#kyb9y+oZjSF7@2W<+W!C3cEId7LlKn+a-gFdAjqTJ&C3LQa*@cr-(c z+9oH-<8U-;vzGFHV+q}jjm94KtQRjnMQ+T+T3e-M_6;Y}gFMA+M-*R*QVYs7uhkuvl@`GGD^%i!!Fp92kk5Q4c* z^Oi$%@gMc6myT-|3hcbV`n)0yUau86|E`WWWSoXWQ4VnXXCPXHr=rwGiB=a4MBRa@ zxHI1o%{SE%Dz0g-EOo*VJ$*5v6@M3G&IqaaLmf6J<94MBjs<+B_q>NSqd52N{g%#g zZ4k%aUDt?bq$*0l2 zh0)ll)?$fU4&^P5!pbs#$oCacRD)V!_K@+l~@QSmsMkn)V zGP57z{`n&~C6~6wMc{-+ChD`lHAW^LvzX=!P=`d`$QHF1j=B(?GD+T$i&laa_n39m_A?0z|m2h z0qpvcQW|8SJ$pQwYV!j>w6PQEwa7iM@ zJF4+*?M*su%6Hsc4;VJSKu`Ie+B)3}|CFWFSQCqcbv{_-T}Tx@Vi3uUq*0E{LP?9l zlq>A9aY&}4?AHiu$9$^U8C3B#60=$cqOD#kZ5r>25605dLBS~O9tP{waN4vZ0G&8rmt&=&^7@=#KEn5+m5R!XG-$ZJrmx_Jeh$^E zosVb(dnDx+l6OfiYSoo-p7bPz@6CbspA1cXPSZoPY}EP09IHp?X>2Rz7(8N@-HvN? zvsEU)UmS4t>m7PCA_KmKN<4k}i014`$J`9|2d{rlc7GXGCGI()fC~0_yuMUG>*~eh&V3(rSeZqW z_Qb-zu^&1VC)2F!(cBkepVEXl@);S0eaC|!UPO{MBm%2Af4#~-jMg>`$5+mT?_U;8 zPEW(J{ah$MMnuxw_Tjiw9ftSpJ)X&#iv{Wke2NU9eT)6kxmOfsb=A;Dcw+DHINV*S zBISDx#+$}NzEMT>Ics$}mh0x;GP?WC701(Su5)kwaC)RE!i1@uoA?$@2Uv&P?kYor z(s<4Zp1_m}IRfL7DRW^S+zmJ@(ISH^DF=yTl$bR;muAn;M$T?WY~Nc%N1A0JC&3BN zCzO!iuMA9h$@}*FS?Z{tfu3e6gch;~fY0*}ytaC!=V<4{RJ5MTjIVFy)Lfea`wkkM z?{$(ahbCiLbLL)NC?K=!L?p6a=Q=2x+ICDp=^S6wK9xclJK``;$vx>g@l==_1LNEP z)@ zQ3PhaXBJ0U5IU}mtg&y~?bFb2=B8L|i$VTdN1D|{gNi3{2ze@}w?*uc=I_<`sWMve z%neIhC!l|4Tk@I9xut-bJjV6LLA2|k4&|HevCuq>{N8Y1<097;wIV6;C2PN?3jD~8 zrZzwF@x#LbU*E=&b>BQ#y;EXl%VfGM&%uOQ>>ahwpdC%Jk&wbQSl@gaP??E&ZJ2NP zPefng|uw0|T8BNMFR`A?uduSEK3Q^H}Ic2EzY$1T}BWT&(HAa9tWsPsT(cbqasS zSA>!GkqEGX6CM{rY2)cItlbugo1Eh|>>P?-e$l87&{EiKz7M-H_iC>XC0x{UJ~SHh zda7wlmM1=V#bWpZ71iOlb$Vf3jeTold5mT*S0S9=Gp~*wX0DwJ9v+Lw`KUeA;k_da zQ)}+$MW!A!$0ZvJ_i&wD;!UwhnHc;`hQTsl+MAmW_XP@kyQd|S%2do^-obKfe|q^N z8Mg*I!o($zrn9Eeojtm>u7%Kp6A378=7NtYk<@f`JT`OQ$G#$-WF~R=(8dkaB9*M# z#e&_%%o0tb8K0N~r_~^7V=7f7MPXTxC*1EOQfp>U9Y5_2pK~$no!~v#T#HMF;dGH1 zMT>1X8^1k>MzT(yo*4LlJcNc0K_K5?j2;+3zGVT-Rt&|y9sy+6n*B*tDIH(flR9yXoPI4%#lxMB=)GP}zipGz<)ahq z`YWh^Mj{5XKG|`El3YH;V+QvJZB1S1?btY&GeaXOOHCpCMlfbBfN7vNX^o@dJlF#% z=2{w-7>OT!y>MrqmbNXAz_h78=sLuQI<^SMC50AOcX^OL^S5R*6Qf{`8x>oHU}xJP zT*y{Y1~Wtxz6WD>sETq+0`TNWDCR_{Xwf}C)P4|#OBxj|;NR5(_TMhquA(kh?0@df z9*n6fI#T3?x<6PumQ?hwizn2VVr%T%WK7H9qgiXqJV5){uh^Yy$E8KP$YdDj zdQZn;e4`!o?3e?tjEqMc6VALZlcC+Pn(O@7Y6DgED}bNU9uFe7lKgKTx;0@&Zq_z( zeV&6LKd#@}ZKJryS-8}l{dMkJsL`hkH0N5v*?kk4woZq|B+ka1+CU3ur9$_>1>4te zpoSjFa8tMTGk17i+)FmB)vW){eb{1qlIAnt_kst%g&e6td<@1jZ>QNN z6^T~S@L}JN-Wpd5@ruO4k6N@EqoQ`)e+%jo0ITm#6fWn!vqcbQ{8CbBX$VGl2tkWt z2TIr&1f?bv>46IB$Nq}0%qyI3EvMsY+~aBz0ll6wvXJ@U%H~MS;e37C4$joyi{kU* zI92ZUz~a^Hb@4e$r@4N#u8PI84Yp*IHAGGwLJ^nFc^UP?R96vLAJbrsWB(~^Kf%Pbd&GeGUEC z&6#)B=f7pFqK!v#(DaiddRnfaGrs)B(K@4x|5CbfDuc7Pd?q_DCXc_&-Tlq`S+#`r znx}%Dgjm^b9XTyZ#z%Jzl20F?FH2c7-{^@*4+Xv78IObWyuol8dKbpoKuczil(|s{ z_Oe;BH{#9~cly~Q3L94h;I`b2bU(s4uOEcVRVoUP3r1@h`?uaXQ}+4*1TlYDQ{+ek zB`u&IhQliyXpH0yo0j2tcvD6t+>AAvTL?Wil?WiHI=nqzZ>Vn=Wmd{7k3kL;)Z z*O+HAJ{rC6?jpH|Ba&Cf@LO&>J>JA;=TY|PZrVa!SQkGP7Khe9H`37+_Sjt>kE42P zX(#vniU-wP=kDQ)DQN@unAn$FaAXxVG9`GAk|V0mTAE;3jB)oA*kfcxe%w#-a!}&_ z)wM)#^KoRT6EdsU(6Mj1nES$+vp=ipV&fd7MyoLG1?xZ03w=@6*Pm|wibY90 zbDk#$(C{tHIk5@AHCulwc^r;9uLBW$OiM-UL;mj`+#TUfZtQbD#Vp`pvOg%tFb6s$W z?~KT8JE%5mghBk?-hXW)1v1m(adZr#OxIG|3!JTtnWN0IDfly4&I(o^_qDaWx%+i8j?d&`-j*?I3yI=ESf0Xa&TUEfVJ zW)$J;ZYMM{+(#Z}1t2pQ%>T`Kz~1@jrSFO!mdwX!nTvl{-H=#UK|kMRp?R_z+PQAj zJs|^&l^*!I!H+DKq@fn)aLOk$W35FBf?2mYyELA*@|u6-^K@SAWV*-x+w0H$u+1i! zTo%XR{pJ7|-A|;hz7f!s2BP!DIBNbq1Uu>nqZ4y=wmP#vcNjAj-9u^mOh07I2t~mo ze@cQ69OrVzr^1UCuk}ROv~cV_>_(O;YWyA%0jaek_3rM*ew;`gIc-OC3SAIk5CyYM z`>5W2Ck(2N!jjrsD08L~{uiRLJ%2Unn44(EHD$l*Mf7mI4BI1Op;v1yr7{2cM&Fw2 zj5WLHchDIWC)=ZLfh~1kP>${VHrc^T)e_j8l<64%-rs26M+e9oXD%a3RAi6$=<~LoEuKu zQ;LEy?INpmW_wU-9QbwX27V~0i=={b8N_sxL z64AN#xG>I*4DX-Cr$fvz&-Nrk*=bl$fe6V-jQz~QKb?Y82UMzV^39K!DN-24MX6 zJG9?95~)%k{N7)syQQJ*K@LJ-%sE;)K8Sxu!5DG)6bVX(4}rVpHD3%nkNyupE#$Nj6_%(Ut@(1UCasBnV4Mkz8!>NCO_MkbLM zn`uieTR7tF=SXbRZKcG94yewH!a?5^w2av#g7v%p<2TTiJ_@YkEWm&J-El!$GOfG_ zUty1PQDJnKeMk0cX2sNrqx;nraNgj6PlHm)dEFV@ndpdtmvX4h`7&(pepCBb z*@!Un#+kbMV)cYfoOsN-a{aXA9(-T@t_EBW{;qLxFbm4m}`mh!>W#bpJ zdKL-wy#Nd?d_^tWh2h_I)_i_GBsFK+j5yOeM0t(+&E)zyESTAkXUKqi)GPLd;7Mc= zZL(&s__$E)4Na%|?C+aXHw>kv(bRPqXBE!F3fp*~hr1hnggRXSj`yKx~YH zRvmJL8D}%M+}TI^%**)~ABk#*!?cLKTJH-ZQDm}%R&wp&JHMunF~~fb%B`+KQ(@1n z$UIv3_!62&%h9$#P@8ENu-nN2XNOc!Z{Ksc!td+VtFBQ&`5ERkJHz7ELrT9>hEz)x zM*Mn1voD{53;T}hd;BKL3_@lrHDW6b#7CDR{Hf9)pSj2FcAY@WI8V&2-Ap90zr~dM z4nMhXvY;>v#J+jGYt2QEb?MNz)Z*JkW8qhlgn(^+h@NC9^4YgvZ?`}8X4Ms+ETZsY zT>$nSttC{Pov)Z02+y)ll=hOf-!6QH^m$G(k^WfphFNp0@0DqNaXUR2`=ZX$CmrXQ zIk(cbZ4r63^1!6tp)h@vN~yl?xO+PkhdM-3jJYc;RbiM~?MtgTKX`IfIL2}9{rU;# zfUCk0RB1<94;)xE#nx0G3RZm+jgE2VO-N+=bBJPZeMS};~M)#uV0}t zE3P5@gd9mO56C*`G7On5Si1TZndGp)G1L+Lntvw|cMh+8IcscGTRh%-23=iL$S7?n ze7bOsevcb0o-`As`6uy|xnuz++llE5b-2JaM(WY7qHd!?bSm}4t}i{s*-v?xvBDch z=X;4geOafv>4W}nx{Gh0(lM?PXWrj-5>Bjj%rx@DM*lYALvb9`d=}KUYbwTsMnQJd zAEmz=h|kQ%J|4%Ox~cl&?zCY1+8zir{zA?M0eIIh2=k(!(W_s+`16qSo5!z{>VJBP z2j?jY%PHf3-i@&#%x1}_KKg1rdme&8XA)@ypMR&^Lg9WPgwl4pz-DL|ZpV639_P%y z-3)`-0Y~zit3=T8aJcGR>De+z#IFg*d$od0*}tsiEXIG&jpFPlwB6|r{J95R((4l~ zyLb~ld6tLHn|nh~uVE6iLn)=6a4xxw9TkpPF{+8kXMgD^=KHl@(pqf!P=N^c(b>H0 zEaY=e<08NN{v7Nh9!Hko*C91BXABYT4Fo=#dVsc?i9zZjJiFk@{Qptn;OY~ow)Dol z3nRqRZMg_Z@PVP)R9rrkfis-(d$qT}h>A_d(m*YKZ0{~k4~WO0-F_JNy`9Kt7|py2 zfA)4Z6LrkP@t5__gSibvc6KnVQvxtyh@N<~I{*z<24Z^B2Wr2Sa{zUjFTe8<#cI8g zlNbcc(n}Qdk$p_Fm}4nUlGlDUy1flX=HV>5--*2jtdYv<#Zs>-=2iC(#Zei*>noga zfcci@jn#DMv=W21hT%|s)<_>Yq8)#)>XbRs`1wk7wyVi;-QG%H%xUugF)!JJ#5uL2 z7I)$QOpb1Sn~Nr0Z^7`j1A;cS7X!pKlz(xAeVrb{vioIt{d7iLt%2glyz{vCL4^)2 z%tX<;v$)P#N<%Sp!1w;;BEbO|8d$cFxc{2H?_@-{kmIi#Yb$)q41fwlwp> zHW3Ib|2wpS=Y7mzk9264bJX#Z8nr(Mp;TGKj8->Hat%iR`>Ax>nmJ)TLhyQQB&AK^ zv${A0?N>xozdUF3eHa3B(_m^LXI`;&C`OKFjnqwv^<>&UtE7rDW@%++)>*-2nQqb$?F+s^}2Em(;=Du zmOHZs8;pj-(GtKqy5chWPjH3RvUMVS z!g&NWb;qZKts?j88H~zhZsdWT;&@Cc8u7WYXW=gK_OW1gE_2AOwuqb8i*bf?Vm6yr z3v+coo*wtcz3Ta5h*=hrm`yZl(NxiUTq>SC;mqc%F~T#Od)abdY_Bj8KU6WSS8K7q zL2ohsLA(*-ut1>D&{;p))IX?`(oHD z=J?EgPrZ+D?Qt*wcOoCskH5_AF$lz9qsx>N&Ho=>fq3uFyz#BBaO@t0j7525JA=Jr zocVOyl24(3U9hty-?alX$@~xV+Bu8(xqc!Ug*oF$otiwEN8?6{9?kE7{O#elaH9AS ze-jI)$T4l@Y*BXU8vFlwrb4}CVy)&f?xt}sb>TXZ@cBHx@_q2)^L7!?wgRE|oUvog ze$l)~Ia-ZV!RVc>m^1biGX`7{U~MO=-F3LiS?`Zy?L_U#g&5APvxH3t#jWIg9BZS- zl9t;<`JikR_^IJ>c(rI_nTGFr?6bN(PpC^1QLvghFZ(8oo*}W=lA}S<_R*r_~q_iQVc3=4qry9YBOn~3s*T7F}BVri;@(7pD? zp#aYBC;Xsp>{VR&#uGRCyd?Du=0c3~LeG1*NIrmBEPkBbxKu%R`>?0!y%(~Z>!{9H z7g*2qhWncWx?rwC8t3z`Jj|xbaXi0km=<#nrBlg7ezVK{YTSeODkt#VlM6^4ZV$xI z5g+@V$D(60+?ldMEdE!4lJh**W9CM&jqB%t_RNot*d^X=EJK?mN_40`EaJK|d+LBA z_Rg{wB?UTM+u?-!4HTl=GWOYWK4|ec2O;|9L&ds`^$3M%zd8qD<6TgZdrbV}cgiQZ z3!ED45(eAS;F;)x2P3RSPW>btJj4C&?F+?+PqFCm$OW@LP7&w04^{ZZ1?Q_qi~P%+ zBVm8n{HLRxbH9&QE4W=c78Ck~1q{zbU6Oo0}mcEbM|*TYR6 zp#35j#RhrI?&aA4pB#i?&uo1D;eb^pO0ji!2Hvu!`uww8?CPF|n2yY8tj#ma4y53F zwF3@@ZWD!b6Y(LF`AgO-MRS{2?36oT@MKG&xfqFd^Bi!PZCdAC!|{;8rMUNV%GA0cjh6cv=R0V1F(zV$rF8W{!Df2 z@XUngu6zzZrF`y>$)~V?$?O_U?XN+zIQA}vm(!Z*%x5+5z{$e}^n`ucA6I%}wJwdE zLtOBgnbLc9=F$&u6*e?xhGzc^Y81$+(d#LqjW>=(&>pkULnDH9snXD&q0F3x9smMr2)!$GF2X z1hiTu2KmOJcqDU--7UqHt}(dQlV^zVJ(!pri8@0aIBRSo0%nFIf2k5TI`xg~h+KMKXLFiiL#Q7s5(KtQ;Z#cVAxucF~?CA%0<|kBeu6de+FK#gRvNZBJ^|xo< zw$>dR{@kDu4xY#|!ErkeRQ)Wb=6pUUy!XVVeOa6ucg0EWqb)H{q|Z+{ z7gE6d=!@y}^0EqEjeOuVkohX?`R&M`zuJ;UN$Yuj7w47!yPtoJn<1vAm*C?)JKS2i zSVVqc76EId$2(ey$xE1_J&ZjDC0oUr@_cBbWk`FxN3@xl1GiT)%s6vMJgSw6ckKCJ zK(?ZOgEY+1XHBr5t!T)eBJY*loizaky7?Xq6YPF3Y3&dTKOz;EgXkQfYHjW)d%9{&`|774Tkd ze1_+;1SHcouCt1pXi<fa89NktPS7bn*YD+{C4szL4KvMd~JtAvzLh1 zxdK(pGxvPDR#ew1MweAG3>&yb+~V9*#yuI*V|R+C&vJOKpB%6K_KLdUnLP7Oj`=h8 ziDoC#u#vsBWWHOtFGztI>rs=MZxxgMlQ7Roj`zyd;ta3(i*h*{Uz#mCrE{NUl>!xc zEU8B%;OaC7^u1*wvYW=SPezGRZF>qid#)C<&i-ppTk+>x1mf>Iq4KJcc&!P8?Iahx zH!%t-?Epa3&kv97IWBmCvL7=BcaO-*)+X4A6pl;l|CXCplK zrE|T+pAX$E>i19OSt1JP&aW0R?APV01s4P7iB&~O%&t*j^~&+0GCK(-E4hbmYbw%< z5;4O{i3AkI+qb7(6{_OVy+3hTdbj6}f0NH`30L6Z#zV(OM~%;PiRaoGRxPPqHVX|itai`fsnP;E-o z;*}SM%b6kX$l6XN>;K)guso4Y+fMM@r(!?oiA1WG;Rfxz0CWzGp_oh+_S^}?w8@Dy zE!`DIcwSxG$T;ej!8$5ySyx^s(7pjY_w8>@Kfim|`C|8ma@1l|sDo25&p*+?w&E&nWgpz^$)4zSrGiXYTYdf03u{}JkO*S!j(Ih6rWTPA z&sw>%OpCQ+bLsJL=4BfAGmkNy1~9YmcVYm>^-ZSfwcN3JdJqD7#FOSLXUOga9Moroq4U2rk2t|)bngV7Nc*X6&d@NzT)4EU@({)X}-X7yw-Yofy=s%93N z;UNu->fWHO^FuI7@^y{3azQ_C_cxKIr!6&JC4=qd&@fq8&h_>JK zhUpN0RM_NEdY~s?HfclQ)YdcKNu<=jyVs4dS^?4o*I1roo=oq7P>zd#-T6 zBclaEd|*!_&o*5mO%j6jZXs&V_k7XvGqJ96TlP!lN%Ih+}ZIdO~Z(|9&x zZ{`WNxlFfsCPMmmFVyaRj&A$#yuts?Tbjq-(N+PtD%0Y7|5NljhW|RwAJ=#5=_1Guo;Ak0I+yA`>%Vw?-P1~G>{xEy2Ilf+e3MhraL>ZcW z*(B=Q3V56Fyko@{ahN%`Yya^4Lfg$^;;<8Vo2bCSPwPbDFrGm(nSC97R*2w}Sk{gk z?SuT&L3sUH(7xr&S#b}+&^#U8ZSH|l+)p$TMbwSiPEQ&|!23xtB?qf9t3LO+JPN65 zlRNgthS%8VeFx;yAI`EL{r|X^rkB?Xvp>u>8PD0A^3CF&RT-A9kzwSYtzw($No-mn z$Fj-WM3d#kSTvHER3A2rv^OX4?FZ+P8?F=M^zu+E$pO>Lmx@;j+33!7g8lz$#UGj2 z)x!}#pNtY4-)5j+ODF6))mvacd%z|zPbs67sAAriM>hAocGVY+FESH}y|`nB{2|-M zsoW!QhiU(}qb+rQ=~&A0$3ZeYkY+~ zlEP59L5n6gFH-fRVEi56kH<|f(3ru22w;xE6RS#krS-$=6FeI-rGiek^F=2oo}c=U zJ^5K)h+Z6qq;01uVl8v~yGJ0~u$;8~E{v^WACK)BT0B;R=syvtEIduI9n?H;EfR}@ z1-0b+L2q~jp0zKgiH(@)(yXTbtbDpv7(8bF?Hqgj_O%f``|*oOAW-$w(Mz-bAwp|d!(1A z;kr_d0h(8|W>qrsb}_R(`!S_$Ou+P=%pabAk5adAmSmF;HZH$SJJ&`*K8gF|7jDwd z)y%3iV!r5$8+4HSR5LFI;6tYy)Gdj7iM~9e%H%rP)$zyv4Iwzz@fyhw`@+N`3^)H? zp?~$63DbtZ8}BdE=|m44c^irA^)6G}HENg@MC0Y>N=jI(!RVKftff}cI`&G;t&Bo( zS{cyVbJ!1^oOM8OW8!Q|%v7teJfm9?N*N0jhBw^*cVa#6C0y`v?QMehzd zu-oSZb>L7jWbU z)6>yd&jUVl-;jTL3Rbl6!oI@i^vORFl|6j0Y~2%jy*>_Q{Pu`3d`vEVqp|dvALJ7o~e5)Q0$d>j0SL|)}*50RLJ}czPSR~cELQfPLbh^y`C3p5?Gh=dJUNlbJ zuB4O;YOG$y9BS7}GUoN)a;|27Fn)Ixr8^~HQd@gW`ty=Lu-EB)R~h_`-%w;(G}?5N ze$u|YL{q=NYUa~S9c_{KfDgtV`sZFD}G!I{p6bWaYqeCCdRPe+Z%J5d0=eoSSne} zv%c$i!g)_DGZlGm%r{R=DU7B1(>V{sn%nwXaipBBf$RkbQd>qx= z%s$(1-tpeZh<3s?y$l+`{n&QgKmP3#^UocJm@)W!QUI-L>yFMI zuI$zDBWqLcH+r##R^msCCbQq))19-2{blKl`iM$Hff!{RjPNIcoHGRN|gn6g4j6IXOHdXMIp0 zMQ(718|&2{n|V?Y_bJMl+dmb~M65wR>*<1*LuGXAkQ@A4sL*!65wiX23bXpI7~b&! zjhf_&&Hr4{S$=>5HnPu``!z>A4%5x8td+iTN8Te_ir~EFwR>umv(IOcixVQtHQ4_B z2xY`L;u)W_WORhimMXE))f2x4A11pO4oKU|Yku$$X;^D?;2x#nw}X@>DR9}0=TB!G zqz${}$Yvh$%EW_Y$GT2mBQ4TzAEby|_6Yx_g`epmdTV5l)R%r35qgO3OtQnb8~&L8 zY$cuU$c*Qzn)kxkYZwIkBLk<0{OWxe<0;$T1u|1L|E!b9)x{a|_8NTIFqyW5akhYa zB%0hwG%$;Kd-wQVt(Zv7&arlBFxPe_^U`Pv&@@&$+E;xFi4&CJYF#eAVs@DJ0Em`c2Oq*z!lW z)SG=-S+1<_>yc@OD-QYc3>Ux4R8AsePFt{Q8KH&l#*9TK=jObT@Gi)bn;4{jY zMjUs-)E+$NbdfQ0M|sZYKM#C6)`WWOQsU=zPmCXFM9U8F{Nh9}JiKB^m2w5#xR16+ z(TE!R%JF7C&!^bjkY2F{T;7lGPS*ys_pCi8*3n{Ib$!xQ+p%Xrixcw=>9v_Xb{wmz z*A-MYqVhEXn9RCpsz)8FJmUxbbbCzephtDLY0=zX2Jdlyb@fO1B82q~`K6z_O}%_@ zkMG3tRbO>>BfPPdGlRR|ywkaJCUSd$1A<>Y*A2|{_(p39XJtE=+Y;9M^6#c^8Q;kFw1ALDGMtx9)Rp~mbfDolCm zpj*NIrZ3H1asGu;cfi0MPoMED$Wv~*LG9fzqlnL-O@6uuja(7y&-2zZB6Ut&n;$#O z8Ts+ay1{&Ir!C_%d_|_tv8xljNATJAHCy-YixNwXJ<+Clj&9=}2gsj!;z(|m?r_>NB1 zZLsF^#IvUU{LNXTt1=73{fl;JHq=g+ROXNV+$&7U*r5w?;+zfZqSKr==zg;QLB+Ml z+Tb<1M%#RG;W^)rU6<=dDt&O8--hZg3v?EF-U!{rzQ^&?b+P}v&~7Bpwo4qNi(Kl3 zguhCJUFoN5d&(0#OB}JRa|_+rQJye#Vx4pD+u~5>jP~Z9{nHic#nM>T+Vx%Ff8bzo zRkjAYA{W$-9Z>w2&x3o1cs9?xhQI`I;@7;caex2UbDvSXd7B#sR=VNX z0QcgU@BF@uWIo}+qT(e-c!uCHH9EFuF0}ooCD!ndO6-Ma^_( zPwZgFb1o(p8S3h>XMcEf&3?+phaZb(Gzh}%5<55^3LJB%kbA#&%p%xPFm`AV&lMld zy%IeGi_O051NzK!28-KRB(Oe^k}StflkOJwXMM3{6KiyO11x&-jDqbw91z)jl*Ok> zJRhDtXPtjqT8s_gx+|2kZ)0~^O#H=q+R46P~Y`H&yg;ux1b9)Ec9SzKKBRfnS#HmSnjJr*adT#H062qQ<+!) z${gXWT*v;>z#+&#Y=N_sa zYXW0h$xyh^9Wgon_{Mjly_E)z*ZpA4_wgsr%q_0thr!(xh-1Ar%Yu9RS9peFsyo6I zzTA&FsDn01YPbLL8(Ys}fpAwIaxS*<@~G??to@2@E4lp65&K+hY$7qLI2Qvf0l zctKv*8KFxfu;{ZV^NpP0dM^=Cdpu#oeb9+v*(iMPfwO#uw;EfF0ew8sDoTaC zo^xZI|I%^(XA-k0hH(wrTp5D!84jE?-8oXE_k)X z9%((eR(#`%>7AIDmS2+#VVm^?k0W@VOM)F1e*Ow~*0>6p!&8-BOPUlPh>Z7Kdn~Oj z8CEh&)|1aB)R7E+`{MyKqEEc4E$I#8I`Nhq*U#un&-VDC$8iO$&Ge)`1zN1??SPc} z|KQy~i$j-~rT*s^daw4yCtIFpcI5~DazCvR?;-su0 zbM~pFk<_G-8dI!XF}BKBvIug+6hp2ZGnz>Q`m?r{?}lj(%_P56{;qJXGs(GpJL7?f5-EOq$8e!l$g=UEDfaniR>iR{2gn zY(7@1b2|`yR&!6VvxOAdIuISc$ne`^tn_PX0Is{rVf@)#Y8}Sw-;23|0i&dJt}FMQ z;%xF2GwHLLA2e1D*z$a+G>y4g)wPwl+R{WCai23NF-qhH43Z{}@RQVOL%f`DyR@Iwa+^1n4rlH3Uq7kWIWHJqcSi5~{iSOQJn_WN1>Tbf zN~?M9pZNe4j&&F;9X3}(!?nsR6BEgu*Y(nIS9BjYRLYgOX6fUGO`nHJ?&n>gy6ncR zLZ&pVcE;r6+@HNYT)N2_K-Ca6#@`zzspZUZf6j9o`JZjj-T`C6*vmW1MC!_ZPt^+c zvzZQ-G|U}|Zs&>Uyq=PE7}q4vJZh|So8q-n@W4!7 zU}z&)FYUfhs&zjI*8OC7(PzK(p)dEBGi7k_+$X)*9|$p){p;C#q<5#d*UWFxPj_}o zx0uz}e7OScXKk1MuJq@5aSEK8u~}-C!`|A9RQIZxI|TiAyy&u5R> z;}z1VDDKNG;@W%UQt8?sW)icnudCi7$#%I90==EEefxZ=8~aSlMmi(kd#*G+-VnCUS`TC8w^ z;Vky>IL(!0M$YKU@1Ukz=ShcoKP$sIBV;sR+A)s3D(rprSuZnv5*wU{o$&1D|A^UG2yjpv!?O=_;Qa->Q+^d=Oo;Z8 zQrz(n7#_CA(Rd%}$Suw^eYVGm*}jryXfPVEPhfa!U&(>ld)3_gZrIaD!b6@zw^fd* z{$A1{?io41<-5|;L-Ic!fJyrl2pXc6j#v2O=|ApgdALf;TKQwHy8{v~I!im52S2%s z5o=QsOlXF6hDj=gk=GgxuY|2K>CnDp$9HxgZ)@Mq)^Y0?i* zY~VNM<|hZF;jNin^x7H4|Mp6Y#`E0sP<}W1?UsHVR$7;WyiV&yC%hD5)Tx^UnM15UEa(F8&II z88aeI)k%@^twNz@y>!K&RO#0_&Y&0C1w>>RL9FHEY)^}`|dPX@&WN#^Wzi3wyqaErf`XRgJ}L5|o^>?>X8cf+eI+&fs} zEoo#v-Z2=j3)8!(hZ*PW2ADyy}54Eu~RB^9<73M zs;l(1l?z&Pe|o!%N;2oSjLMrc@P;bM@28S!Ts#N1*hT8>=zy6o-7w74MY_*-{z}$Z zP9AoVhHx$2jL)VfJ6)s#dwXO)QDaPBXQ}=o8RFQ7`rmba)vQ1oH6;cnJnwkkFdd z*C(XEuY$1k8_)AwlPm3G9{E;#M;M>Zly>r2l-q#c?CaAc%?f|y`Z{5-CRy?`&|>^B zXPo_=AO$D!yX~4Y4C3OX=bJt8>L6!D`S)l$L4y(O2U}MdC0UJjNAFS<>i3M4(wSWs zvE3CFXTl{vuB*LT^Q^&`FzK~$!b_ghm!B0XZS2J7^A2~+d>bOYrIzd!>csk0>hfS|`6PQ>9^irSbT8?4PZ|D>u36WKaXP7P-%ReQ*`aCM zQt7>vfv@b*J?eT|+B=YYOzdgt5pz~*^D`AA->@G;R7jVTQlNXO02-W=dQVG+%`*oy z_oCCSdSQM;uN*EiK|~=$!LTC|g)24QLdLO5uzY`6;PrO*D>k zP1J4)NqciR)6ML}{O^U5G3Q>}ySieYOTH9i%h{2AoR2$@BYo-4Q7_M z`9l8wu1l9jSov}N%(LVNrAjwg2g4W-v>BKzO>67Lyn6P*tWK29Byk=2|F}BKu&SHy z>)Y6g-Hl?mBCN5oySoEh?BH-{IK-jhaOmz95YBh7y9-d!gbm z%+?p7FL=OuhA!q9EZ*CZeHQ z+4tb{DS1Ncl#QX~Y*GJHk=W^zg;o{S__m-}?B$GUoRJ;2x*rh*W*PWYgLlB~qvGQ8 zH0-YHfbyG<38_lORAc6wFFqzZR8GOCMoxH~c~somk%ViFoyjUXBI3yWSlfuqbFX62 zy;D58(rfS7RS`|r#!^>C-NW=kaV;hq#^p3v(K}yUeH@8>A2sOmHbFJB-yQ4+lIT}nfrf;!MlrS-O#qaNa7{h(O!@?P7nL~Ou zDqM`A*6i5f0ECBxiI#5U>cs`3T1KcidP$9e?m?J$PcN)YSwGW1(0)a*IQyHNxhrM+ z8&lKL#H?pIxN1ZuQm-5_>nZ0N_0@RmohK$4vaqBTy@VGE#4NJ$Uw5^~%^`)NT$>DR z9LV0*-$G%UnTACp9AVb0NYw3pd~}r9%nZl-UfwvA5h0dR zf32e@^xXY0k$9Aus9fjHy+g&Oeauh(!yZj+h;W$c3d_@eD6-IrX%l#c__KHUJxH8d z=m_KG0jP8-P%I^5?@kZ0d5;H(YsdLk{uzjS*Zf6q)@YlKan5_(SNx=wTu-*rf6wR6 zD`Lb1%Y)cehyKAEiDKd4TwLWmW&Xfav93}M;``fS-Hvo|Cp!x*#!*xBB13GNk_q=k zT<5|}(drf%8e6HyFv=3`rl-Nof&2MtrWi&x+H#(yGdg98(7I$`#<(E!ZMx_)IT82L zU18iXO-$Jm592)MQ+OwfjXPtRBdLLZNP<|kl{24%?s%(;6=Qcs;%vGHDr}1q)t$q! zHO>=f%SVX1%vQQF0813sl|74zn*Sl!B1QKolth2|7;Hu z3lsBT!p}SXK2(fg{@3E(thuK}itd)VXf@Fe|1{B}!OLvyS!<7zpJT+womr3$?3L%n zikF|s{*7RU>6=(FZCN@}4>@6NLaZn!Q_=gXGZwy!5r1l=p!Z7`gycqxw!_FH{Y}l~ z)ktAEl?=mb8dPl(E;{sNUKR5SQ@@7@P30I2{oi~2e2`c`ubx#+PwY|r#mr~n7+cv3 zLoI!UQ-mI~*>C;&ODm?Z-*`Mwi|iAgV*bPcD6_q>EZJRnZJ8#j>0I?74o?sYFj#pu1?PA9n3niy1mGDcEpBp z0kD6g7C)lw;qxN^hu_$W@at;i@eI*dwH3jwZ1HwR5Y#sgh)3Md4)e;cbFEiyVr8uY zJm%-^u+@tAdwHljjGU7tf<*q` zOgy^ah{ZnxMfbVn<$jYEXzm$H$?;~~2!`;Yb@DYn| zCg9LC4VEwW5=(vJFlC-QdUbXeU*^SN<3bNaK6Md#dVf2xKC6AgQFQGXf#q|^KZm_I z&w9SIsTOr!+lu0#VEBF3BFMo;%ybMuvwZGhm%Sn`$`=#&_>kMPQ-r?LqWWN8+zzr9 zTUW7OpckfR^cK;ok~`{T_~FjqjpEu-_9@o+V|~ui0BY@ix~>y-A|27^Hd!;N zYsAewdtA~6qDR%$!sHp>YSb(4(XJG)*xO&ge#Bvi<>GrKHD1P-UFW;ryTza_hmhRK z7Gu2BqE)W~oSVY)xsIapbG^ad?S~s1}ujUsoK^Fvmqa{zR_z zA4j-PcM<1$XJSc5-qVwvMT>dq*fG|HJS<1ia8)X9lC7P!#a_PN-ymE4A4Q*d(sFU~ zs~#2iXfdqEVsR{wo+^4G-uIXADxB=&_v9pEU5nr^r&3=w%hG<)xGg)#M7hIbv zuB$!qfb6x2J12{~E%{F5tmMwBiNg1`D_Xqp$BUrxA}No|!h`^9HX0|oW;()XZ6Lzp zEXAf{_VDOTUFfzk!i2S0pC>`oRgM;8dr_AWL4U3oB^ppSw{}!n9iy(t91(e~5C?kL zqL1YYVWK*OB@eo~CSkrH51mfhqe00Qfyi8({Ym}C`z>P4rEGLG zbwY;)n}zxFO#J2Dw_^MT@#i5uCN|9bC|x5iA56ub2v_LFEEl@9$ryadjV!wbg2PDI zpQGBGX9kM;WcADo^2WIh{e(7`zVLNEP>1&xE0`%oEgvPE=>G9 z@%)M(h9{c})1L0Q5bBS}5naWwS9}|;;U2EtMVL`XDS8LOy0VEFTI7h=tZ6#5=`8Zu z{|{G!;5E0C*uoyqYKLIVOz9|A^`S0f9Q!^uI*7lVV}E9i_uqT4VQycseu#m-0iG|; zLX19Nh_KCSW;R=jr#%m0YO)=AxK9v%8}pINx4rfBNumXH8kTJxG4jboG1)H%F0-9* z+I>80{wzFa-+r^_81ca(1BbK7v+Xim)Oe7J?CZ>+4>1#GHY8&w{f0Gq^%E5;CSnqG zi9OIwj6WF1`jEOriw?pyAcmY|dTEPVh_JXQ*8g5)yf+f($3-B9XT=5g`oiKb^OV?= zufD#HkSBuC>?P;KRcncd>=TwA@j-028lu}>=7BID**d+NDD1+lp)G#6y1S}a7)pHw zXL4evk;oY6j=ZJ;cokAbto-PT6R+6YEv+oJ(2tp17>I!3l|^IrNOx+2usg4kc+7Pk zz&wk(!zziSk7TTx=y0Q?qS(i`okD-t@kBb(Ee>LnmRhy#U=gr|h}jM9i|v!(1|JEW1t{>8>iibG9m&EHfv#4@d_6H&@=DI8!ZQ2 zKtrxGiJS1;a~6vX0hrg$7fy>$WAj65G%EO^V(LkF^q{Zmp&!nSI)PJ>o)~Okwr_*u zc*eg!G$;VcHICu*Cs)LuBml_{i zf5IG95oX`9<9YN4p&Jjurjr9kEG;Jn^v%bc^^WNJ=r8(T$i5j>wVOIQ_&K zw=cYbPM?7@#;$1n=sx;Wi#wP7ggt#OV8`ra@{h^$NiW1ua$`1c;+yvvvx~`Jd1yzS z@y=a$Gq=x+u)Jxh@M5kFz>Y$ud|r{%y1-!Wesyo*xPT`)&(8oB_6YX+N?G;fFTAf_-w~_ zFS&U1sYQ$;5C48LBA(^ryVeoa$ftib<{-{qcOvg18Y=s2)T-}-7xldssAIvfnw-#%!gIc1TM7l6FC z^m{fvX5moci&Bi^1+9VGL%dV$5Fj_%B*A%E#(u0`FO z>?yeh!LN0;g>gLdZ?}*i>X~8j+}ja@X6tYhX%^%C?eUd+^=r=*i-GB!Q8U+V>cS+8 zyZ2ORT_F@UFM=&DCD>vrJdK^2|Jcdf-ai+6H@a z&OF+CVN+T^L;q>f@SCp1?!{vby~t*0Oyi!ndx+xT&lXg9S!%_QbW>*bNxQ9h6~^R=XDLj ziTmz`;uvNe*C*G}Ol$bHnK}gOqKz$m4V5^bO?%DWR+Rul_)L2|;G8dNcaY)2I@WK+ zdi;*o8KkcYw-Tw}tC(W2Tf}VAUS)OWCsWLn*}aaj7so!x;}U~$=OY+jtR|;rrJ-4& zB>RiZj;K>b1FQZo$J_z0!s{0~H#vkk%pj=zv|Q1OzXx%dI)QSV5{vF!&qkxwF1Y^F z!tml4^N)1Q6x$MS(7s4T-4kx;wdSWGWm+;Cz0qLt+jdG-qeMKf?}3_chAQ44K&)w1ZNiXGqA#;@h9U@?yOCF~8LS@!rJ$4r|OMdxMB~2ZS zwFX~=-dv%iYzRQ_B0oHNGe@FF%ScRMp@GAR%vn{HOB zrjs!r83e1jTb0RkTyZrZ7^W+%m7guio^sQ{$83k<@|QL2fe=(E-Kkt*e|P34G9~8i zRxa_rTf3Mnrr1475i=haPoj@L(^k1fEyu9)W!HJ^l2giK@8jsRih0K|dgbQgqj2H5 zGxmv%5?fRZQ?i!Mde2c}PZ^+z;M?T!aAkeKA?jEh5v#ROZVu0b3%Qrg506)teac1` zFY>VutWo?gX5ja6`br|4l=@#%5zJYJ_PkD+yFM91+Hy8mGntx@M6{T~tg9Kh%BXSi z5Y*xZDus&Hn^~;X(@*MFtc=_gjmKZLxG9b*{l78KsG1MnJvy$8cjURz&=-?%O1Wbe zjP))2pk01OInpu!N87MYn{!S{G36|v9sj@G1*Ic(I|teYBKzn?rBSg5_O=N^u(+&j z7_PyU7Qt8*ctz>_m<$HaZo9&KILn}##-DF03d7$f+s`8aS z9tWvyEpA>@T7HPdYI0G;j@t5pX*5|2-f$gJSB80n<2>ifQ8(&IPyV~@R&$+)H(*wB z5H@e~Lzb(tyg@(ao_*ApWH*%MTzt^kE&xN0G?K^Z3qR!)hz|!Flb`8bU)RZpabf+C*i2?7+QX6G*9rrh%RAKw~)uJ_T%FAa8y23L)KqNO(?aq|2?0lwU{WQ6AbLr+cLMKuRNGv1RJSF zh3#$R@=u4*h4X_~!|O{&pM1`B>HpPNm7@xC*~4?ht(ui&fmaqRjGeK)Qf1kAXgU(c zy8!2_%LUA*IJ%Rw(M1hp{gMRK&{I>?sfFCpf{gKE4ZMf7m#a=h<0R)4IcrU1w=)jssz&D-Mv7z$7 z5DhYV2V-Tnxm>~7O6MWe3^`fI_tmMB8pg9?IOOO?j_@C&$NR^Sa)3QDnC}+5RY(KR z=aW;yQ16W($6JLL%q|S>+D)D%W38D**>(0v*e0z!ico)|EuO~ClU;LIZ_(53)_#oa zTI&$|{PbXI2g)~>^H6Un{nsx|WqFfaY&$>=#)l5lqgxilCqpWbH zlbrF8buw8AuQzs==UybBN<%k#eEP}#!9GiAkeA6RhiwQB1uxkRhQA^HhtN6jWT%oA-V zGg~@ij_eb_J9&06o`=tsmeeLRT&#m(>pVH-tqTsX48grF^JV$|&Iq+)KKRM`vYm$a z<7V=@r;nG5PuruQ2hVEPVY2Hr>N+^v{_lQv%XgEoE`-fcYI&R3$ncCqD0e^&n`Tzh zsdE9c40gCWY@Y02KM%8hGF!7~f|TAl*w)>VUg!}r>3AkQW>Q;D9Io~GG{kP<8FEs{ zzZaRqqNeV`k6O*|>=$XMOFT7ReqBLkB>m?vj!l(b9b+&-uYuXaS@Lb)C$RjeGP0wD#E~F9mvGTf;yc zF5WEH89XrAI0#|qx5#JI2Jd6-F{N;;tWMTN#kx8Sci$#mbS`*WGlXv@YdN~IGdlD9 znlyHWjH|)f5$Dt8=g*MCt?1o3QT86}JSaqVnSTiHIS-h!*h_XzE5P{$YUsK+O1I(p zsOoNqdz1D^tEmSO#a>luJu7MZn_1iRRqf7OEXyxu-rQG5B-+oFYkkwOzLGOCxi{Jv zl3`rc1^2Jcr=L0zttzqhC|M%^I>f<EW%)YG@xN%NK2Smnmtlc3#l+m{UH!}I(azeQG_lZL7RPH5`6QSORQ zMs;^*`e8Q9hwK-%+3SLnO{`^cR2&>uk|}v;mmH*uLBlC-*loFAnubTAo4E#^i&XN^ z_Xvb_=X^RwEkAQUIJ+&y#!Kwwk+xxY+nC;~FAnnRJw4vm^@4t!lUz_Y1eWEsIJv`F zj%pf=q&L)-JGjX9oO_HY;k#y!tK2=qADfQ)VCx(=*~8rzQ`3B5*+wJJ-tfjJ>T-Tx z(a3pywU|l0TKVnd#PZF!ePaL;D|yHZO*oI8L$;&6huj~o!F75M*I2nohZqgqwgw@( zhNHCRymyi|xXeEP@40d8L!O-9EgyHP+v3%+6q%Ni2fJo!3>Xw8&+a*hYhCQnyQfh+%e#E6grB%D-2l@Y}%+nv2eIEd61|t27vr z?kY2j!_j9f`~T}TvhpVSxO;lQv5JQrLT$qwu6doco-)uY1Y@aPv5fSRYIEy zK`UK;(BF{HS)ufnz9RzgG0+<}i9T{cs2`S6LpJ_^ubj!;?Mt(%MKt%5o_5|CI?xX$ zFZ|^58vI#lw)C+0T|lcLtc*KJX27Q zC0ym=ks9i2>Zg&qb1}GB&J~qwdPq$rGE=F+n)TdMUf&dn#-a33WNW2U z

neFMVm1j~rOYyM=!FZhw5`01fqpEj=)4r9XM~tnof_{t_D?Td&q($T4Pgo(YuG zPX(bF&tJRiL9*MBK#aB0;{K^%XOLAUmL z33@Cx7x<#aF}*wtEgU@9gIXLUr?W46;F}+Qj0%tuyQnLx7yzS_-ZG21luO(KG3|_( zbWe51=&fb-{5JP5$letW;s*8n*;dD7(~Mj!ylIPf(FJm0ZVs++);Q&6n#3f&K{D+y z**8X>4$OpUpgrpPhsaGy>F7fpeB0xG@|l+J>xqtt{;HKdrzfLXGxnuldC85{6EXF! z6Ta@$%BK(Fuvo{v%{`{2R;1<}>c40D%E(^ii#K$|sfzxxYg{Dt7_LZ350K->aGe9( zuzYfmoK`g)>IKwnl?2NdrJ?ZW<$Kv8MD}7Y;STG=TwA?7#(d*?X&&%M43)n6V9pRd z@w6aJ%0WRGXXb?;S>bZ%!vKt~pv4dW2x-AtYr!e%O;<+BV|=fBYMCd|I!c~z>x*RS zw!55&lH0#}<2V1`)FezE^z}wIz1*E|E{) z=3ril3YBVKkcHVfm~)V|^uVL?z_o0w@KYnFdA`)RXE7Vi4jq=K%1gg9P<@O&hFpr4 zRR*P#ZQua2NqU)TnTl0pLGlup!+J0~Pw$9jV*_Nu-vo4fRzl1L~ zAWZHV6ozVDG}!bpTz0GyilGlQsM0%9wqy2@HS05mW=)ZBnDyMaSh@Q%fA05Flh-^>I#5S2caRpwC2`XD0{u{&=RO-3Bgf|YG3$() z;OEigJp00qTIgoS!)5d4-VpTRSI-EQcJu_Kzw$-QvtaqG4fEeP|N8H_G3x#UdFf6z z9-dTT(tsN>Gd~*({cTZW&ROa4B?}c-sFC$c%ExCj(YB`@+C0jUn-*u_{ulP~ZYIfT z#cAZC*rT^0N@g%;?Z{>aw2TdvM=B;W=h+cfX(4hW`$gvTyM0|BB4fDDH&;60*sl=z zs9`L0^ar*5u9v1eqj4g_8S8t5$r2;xa1C?8OjWqtCnKnvbHUwP5pquu-`!6C%a)Cj zZ8c%I)SVoIJ<&39Uno4TxuJV%jQqAt56c4@^tuo$N6w&rp1RO6cjDx}DLNb=!?4@6 zcxgS0cO`Y9H475tJNnPkyLn=+TcRx56Nr_!JdrpyNxt+CK%BD|=DEkq!@UB~<+2x! zJc^U${`ui8S@-|l=RO}J<>6c(>ezko{f1s1|H`w4n&bbj^U&tcIhxKDEX*mEZ-*dQ_PQ&`tWE> zWvycOGfGaMLjQCEKjyh)-6;}HO`S35RE+GvJN4K>g|&RnIiSftfz;I>vM$f3DZSxh&9lAJ1+#^Ubz9j$+AWUXH9!F z$eWuYC)CtoU3K1J8D#Hd1tVg(JHl%x%f+4km#4tD;@o6;)g=%$FM2|~Gf}25pm&wM z?7MLZve#>W3}{expZ|A1M}2uKU!-KfJwS!>Sx;pQ`)sj&ZIST#w%j?NS-Kag?QeHc z)*!dx8sGEv=Ny$M_NSpq1?IKw&6jqgQc=oT?d|F5a`kg&n6|ZtQE7twH8lyb>6t-PaUN4{AW-Db8$ z`xyCnN+c{M((m~&M#@usIr&v6rcjsP zcvFI$I3yH1qj>&IOq8#@IUjFBZ9|(RS@jdyK6+P_d!8h}G9%rMJPK7rvRrvY2h$K{ zyOVJgPcOp={w(Y!AL$PnJl;J2%k1-V$+9*5$5y}G(Y9Z*?CKtfW$c6PI85$6XJ;>) zm(}IM?Y+zoPe%tQ<{e*oF8@(qbh$qHb-nM&SvKjY5N3;&lP}9WSOg1pN5q|Rg)T)mPY?^n>{5xt@+n?z}`KLpzDuK4C1FMkgWK}Gg>pPMAh zDM#tq;reg&iI)re=qtozkgDoCaydq<&rJ?n6TXZ!#A#e3fWW)aBInZZ1b1f%u zHs3r-dOwQ65$Z47bcke@M>J-=B6lJ`LiTrNKAjo;PT3LiyiX(=P!~J-TZ9ZNia?iA z2ZXJQq#v9NX8PuCGIyz9W;jf}9PukWikU=V%!{L5dSbNvL(P1@QBHXND_Smz4aKVn zCwfj}_cH5z=gJe=u`^kn^;MW|{y;i> zi$cq;D$IU)UDg{JjSjbCrL7{8wK&?*jXumMY||^CeeDj}?RHof+XP7e3@&#;>j7N?-X|OFn!ndOh-e zrNbXN z1<0QFb@YGPAa$;%wEL~Ya(cW&u50D~x6BMVZ(nAgZw>XAt(Zv|-H%+6HAym@>wlH& zUuR3WJkU;uk<;I}KD}V|%sSQxJ;Jf;rUD`{k)$dJO0Haq{(D@)~o%GR;+}Y`0yO zq_gkaUj_A|ZE|I=5bW)ug6OnWCZ5!xQ47|e5nH6$P8~dIac_igk<|uML-E@Njs7q@ zqq+{=IQRAr+RBXAU?eLx$mXBZ{c13ZBW%#d%vu&wSCe6HgCA|T%NjBmF>7qlZ{%j# zqmB-3Ow`O*+AO_)1;ewq8jJ4kllA!Pxf*&sx;n@n{n;C&@1R`OBzbZYzo#y)*!9;( zsygX#=cqHjCMQWh4;|{0Rrud~@OxyKTpCJF@(mlzwFs3~heGh1>o$H^ko=jfM?Gl+ zG09sF<9@5auYb)BSNXR-GX%J2TB+6Y&CW1P>!ZS}ay#TVJ=c5@Kh~|0E}S#?b8ox# zTPPRT3B!+6&K_<|msQq=B7n8}hlLYlkXBo?gwE5KfaSZROX!wLKl9{gBBKY8+8O%I@+Sm zW()cGQV?#M*dji5tgK?fjG^)5Mjo3fcamc_o_hQLp69X7`{nR^!OSCeMDWiwLk7>r*j=+08a6TC-D*f5r@fip+`)-6AbwsYl>>a_Qe{xoUJMBD<@QWw}6( zEM}I}O!}FNCrhu|VPqGuR+&3Onsg!ut5C&E&w=tqxiGZ;tipvB-DS;?P*mw;iwYOo z%UYbhpQnbw@nLhhW<0enoR_&QXej@BhM?4ewN0P8axj0Es|Ql6J*KAYHcW@TvCORB zR!zR9j;HY7QURibwVjjg+Ta4INS$>$qzS;v@ z*xFQr#%hC!*Xhb+%b~6tAV&) zmHx89Ri*jcKp1(dv2k8i`RGv~e)*D1Ii$Dj$-k>h3Audk<77dFU~DYrTlh$#thkC9 zr}N9Mb3~h7^7Q%;nAB6j=6+vUr->eMom8me+gnCP>!BUVvpUjLCN~Ymsr4!>+t6NK z+Y$<^Fckv6HI-vxc%Izi9a^!je95z=N()+9-mv1rpX zC6ImN?p%i_t8XapIiH_cf!>3?r<9Y;LYRroEcMbN<>OKvvd5^QkIPmHncsMh-n>oe zDT-s;U@Y9reoIljl1s1RWAFdvFUKga`Z9weQ4Q>hQa0QS#PP#w$W4(-fA)1|-6223 zI8xa*mdu84Y7}>iRMP4OVvRBV!=91Kse1u1W4-h_Bu1%3y={IQJG^)qqr87WpF}UR zbowPIfgi}a>t~0~YZH{iPXcg;-ebQ_50pWh0x@U}*(fu}A2=F_8K29Z=l|W$PpjNi z{xJvndV8LY%^xexCh4(coC-eupD1^k&n0%MP(gKHY5q}_olFO#&DdyzTJmw6z*{e9E*-t&JPT68@_W-3beTW{$^mwK@DtjyIv1u;X zq{>FcpZC{&_D`;^nW`iO@C-bqM(Nr?iv11t&gnC%pVD5r#&NQB*U1$nUDLbpszp~yQ>Fa7Keg64l)HZwMH9My)=og6Q?HtRT z8=I$eQ4U(_VLLztor|S%jr+}XBhS4P)0Lbo{#+-jaAwyu<>Ey>*1c9Cy}G5+@V*|m z`rBew)&QkZi5`<3Z4ueNjq-}z`l)y5F+5pWDYn+5W`EAf?p-o;uAxV)hWwyIeulKY z^w{24!`Qa3VemN};@RIW&a^GEuAxIKdJpX`w>FO&5sWc>*C(b{uxOwTLYo`pt9KZ0 z(fCpz=2o#sb+-c+a|bfJs-Hbd=6YKE%clNi1$oqS0xiyy`?bc8`^qE4V(SxstT<(l zH}QIl9bW!$FXsTiJ0TX8M*3qc>&7{?brzZQfu7mzfWc?oE#^|6dv6Z&nkQ;3K2)O5 zWtRh-PVKhvVoy%2Wl!?-PK(4^oEPx(Z?>3a5kdZZ$PNd*`!~a4P-B1Gr2gPg)Gfn> zdt@N@E4$A3<6`{+}i? z!(bj9sz)*Xay@HRvKYBrj|8r*{~KYU8K$Q{o*w?6&K5==Lhyw8u_Md#EneG(pkrk_ z{)%h~@N$9a7>{@0M1Ey0e+nZ?;Nd(o-e9MQdySznyxP7QIyy6t<= za5z7oGuKlmcH?mmYMtm`NLFu#$rwMl@pE4G-;BNHet1t0_2Ie67?4BX^h>8Q`#H?O zIdfm?KIW?sPM$zL<4`=y;k``l*MSFmc-OVXN#|Yo7^BBtzFD?E+J=s+sAV{B3+=ca zINe&0{(bqm)mTei2!V!cFoyT;Jl6cHYuaHTeeF7CIN0pB! z4h3Vu412U>uJ67NWSymxO=@uzr<(+!gljnG_C?G?ARNdmUKnv3bGA}D$9Y-LoKkof z`@`p)1I&}3z@)c7PS$5$!=9&@$baMY`HtA}`3Wv?-72tu5)<*5IfcI1Kn6&U_oc}6 z@P#th31=-H;x#q?^$MBM?05%jclctkw-dJb-$s2h_&v!9IW+$|3b**eflRGSU#_7% z{m!?}J0V(Lg!J=8`e`SWhF*l?>WkqwoZvmbfoO8x7nfU=y$5gisUa4nGFOggMgM{2 z#D?XexWr!cs8b)&xl$+@nDkRLe~GGLdhAK%T{ij&cC!x_z}eQFQ;)FyJbh0tYV2SB z1dEr4AodUY)sJ3a-zObz@34cm!3X@^rNg1m)F;IJ#4^^j2Y8OXY*g~ zH8E~u5MIu7fTnF-(OnaW0~wsrENCR`si{w^z`WH1%|(~%{?JcyBoDBac-qn*=G=#^ z(MIH}{V<4cz=h^qg5dB!@Su~Ta?gL6RRVEV-SwGwvZdoAW0@OMrNVMd=y>y3Py zFKRCOZ1zDaHLfljn}~+&ZJsP}MvH5WMJ*??b;*Le-l?JRWVY$9XU@3s*I3kz@xkcI z%#%3SUEC|CKXj`r=KqCQ$Da#jg&T@veZ`u(^t9QQ?Qc9CG+fwGYf#lz1-<7mpX6 zN_|m<{iWhtdiiey*-S(o6xp1^NZ_7-p8tkb~8!1ZL`k+9|3{drO zk!B#Xr>!f-PK0=0)d#CTQImAfLcG634)()3{kZTb*!VvC^$V+~UAx5wz& zwxVueFeXr!=CZ<8H2cgf=#k`>U$hmcma>=lnx43Bc4BN^AnN<_?$A1j+N?|W(&rL5 zz*&H^&CpyYBnG>R0%{V${^#4p8ZnFa&VnQ|1v>wNZgf;c`e8X0*iG^i9MJf23Pa4mBXRH34cR|HNp zP{U)PPS{Nj$J<=;WQGNaL=>#nJp=<_|k!(xd>P?!xTi4o+C_94J=0(bIa5*&JrU!ueJp zZ0U39{zoV3HVeebmM+*lO)pwap(mADJGZv!MK*O7Q=4;EdpB6LE~d^alRcac{^CSM zdQjN6Ov~1ae`7hj>rY?tb5GHkGo=b&G#E2PE535BY8*p-NOxbcZoW7ET6(~@*i{_s z=MU579$2Sn#2EUQ@6+?uM&%>y?E+Xcm)*B!7S3YF9}RvLFx#fPlepTNO#TvTrFPqk z)fJra=ttRg&VH0CjBGN{{|tLRv*Sh7g*247lV8^;T38NCg}tR3=S?Go{&X^G|5D@N zs4#J4brMWs>@ci0ogpHU@oPIl(k3SakXj4ds+Grf$-Su`QyJt#P47B1Aa#j)HYB z`Wa^E#l@kKXv^Hz4ySaY?sbr;%6k5ihJ2pkZo)t=VlcS`hwi$GDSN3k zV0LVG3pXLXwb-+s{_$gOVvP}*^r2qpKG;>5u=i|!&I?A7Zensn4YIzGO+8B`b_7t* zQoAhYBxH1gaHJn?7rAQJD@KXfJ{ibhZ(;c3P!Xw5!&JWA9{kmbcdb)lUY{)Js==Zu z^9yPop|9{(px87&3CpM_yEHvelr~62NDT)>mmv-_~7O45qG`LVDwcP5+NQ&gxG%bJe!?yjDq|6uwicsKos_7ux3qcQt|E5=Xs z5-TmEFkR(__D4KLwNa7qBSZWZ+(kfEINs-K@SDEQTx0fHm$>7^W+(BvlP4ba_YeW}tvXN#WBE-h{!&jW$)Wo1dD}px7QHSoSAsL~ zb3!e;ly}8z?%}K=m8j9$2|b>8!T+mDM5)Pws-{J5=zejR448=SW!G8QM2O%i*)UvF z!DPNpEb_}lF0+q4`Ui-JgL(LCbVN*L5_aED#$`UUTla-8; z0KP+~dWsiTNoYk6i^l;EVP>9)lJ{iU)pr+WW(j!3I(9%!7qL_uk7?|;pKD_;LMt%W z{fIO6g{wr!lsHU$Krg`W{laEjEb{NW;?1@F;-Ym7Ugf%BoQaL-_A3gHmeK?M#YU`{ z69HSEs|%Ogh)F3tyB3j^Z@*tGWk!8Eb6)4o+$%c81mXKMa!v>D5#?sEK0M`tI@|XO z=g!Pe;av44Uo$bSeDE{G6aK5!qO?C5otr*oPsD;ueBP(VvQ!sgeJ34{N0AZn&QYA-nuayi?J+09UT9mT;@}y3&imEkE48=@ z8VCI8qaqU^3HxTS*4?{XzIfKqn+9ESti!05||I-LiX%j@vVTq zi40fls6JC%IvEG$xEqQ>XNZ#BG0gqZz_`mSv7|hC;mnvgxqgn&xN|1OGj>42Jh99| zhv~IFaCFB4F|1`ECT#G4^M!@t9(i(uPk5m5-$kMl`6u;Td1Bn|C1UwyPkh`${Y>66 zVZG8F6{+Qjud+%^m=mQbHzM+6R{E0 z;4w$1`>pokevbs)JjJ?nT?g@aVl3SJ+_7EVS=@|@q{q$!pRb#W<<-M5mE6C+KE1?b za)I#O11|^l7Zb=?`e*5h0|A3Y59UVR(Ngz#$XtB0C;RcbC(^DB6TbI6(T3+k)sCY@ z#B%zMXL@16?QtTFY_?@uFZ8NCMa(UA#=O&H^<~Z!>b45;a7T(y{v1XehTxVrs#$xs#>_-0|i{lN?it^LVM8%rvXkkVs z$l30qQL8lE8ta4{tCnKk^i;gw&%DnCHN?w+6m%?cK^5H>{5zG5s$<>ouH1d(o=y6{ zOzO>bZ(^H&BHWp=9?|?B>a3@(hItS7Yrn+f&?pRO#=UprJL=I3QjYA`siKl_V!wCD zX|f)^))2+bg3zhD7vd*25Z+b%>8tRfMzNXb)Y%99cF^;3r;SM2<%KJ8+^ds2ix%IQ z!E%$HqrC1y73zkmMp`WF(NDCna={j!BaS&k#Ad$H7cSG1mNZNZT;+iJ9$L61j}fcL zE4rSi#jVp5Mf(f3P(RY5lJQt^o%7O3vg|rnc`{!dFU@Dqm0aSQ6Gdk8JXl}iy!)aM zqnvV4{h%5~9s7%`&2msHjNI62UBsQsS$N@Yj~-#o#l*BsymxUxaD|$p4?TmG*;hHy z>=RP1^K54yAh*^jtTRqW<*qJBETWcnD(jg9SCp>Xj7!}A0|sf}aAY`IPfI}zb>`2$ z3h3S@p~HD*QpYVsF1?GZnA>`qebR>Z(U@Gy{P>AMxSY-W?H*p_6s6&JOFbf2d*RZo zW1JTSVSqo^)2#%%V*D{)A>Ux;Ym7FKoA{JDhIjtp4)3dpHMMBn(@1FP4ZTGM%Bz}n z#Gg*gWn+%vl<-EP!FzIiZM9hNwWVlt+X;OWw3t@Aqd5840dFqy_un)XzpBwg@tusI zzJ0`F_RDLx^@eHB?xL589c+J>U1w*TL8AM}Loj= z8RoTR)DVL-xmcsvp+@L;e4U-PA%ivXRX%b z@w{O8J|-)$glzBr0k}lH;uYH%#Iu&3-IvWILTJCJ(AMiO+TJa|)EBlGZ*>>jXELLWy^F{% z1!QgHq2vKM+hhQk-poaf56n+Vo`xnRIf!V=eopi~izU?g%jHhkq$HcA_shoE>(0y% zcxb4XVJ=$%IR1!#S;#LoRrz^Q*pJK z7kU~GS1vYW#ss~DW=CEa%wEReVYC-kweM!QNj=!Y<6h*?o;LqwNp`^l)&_ObET%jN z#^Uc@xb0U5z37b%ucyV!O2d(T+7~&jwQ9L;!ozyr7%)+bwOchXarQ*3&1CzNA?H9X zUR|EC_im>{^Oih&gBI#~#hAc=ON(N>>k+a=72Jg%ZVf)1vx|aLlV<_N#rH1L@uGqID zAA>8BnKn&tadBZD!a6YbXa2dO${P;i!!k$AeqKviNxgKn<4!nv)m}Myj(dKp3mR5E ztbF{EjeX^*?Wz1->G3@ai;q!f_ehw@xK z)HqL>8J&o(WS3pYb5-uGizN%n3p1|`Q)+IBM2##jv@CsXkdj$TC%h2RaiZbaZ2DI3 zG85u&i_#J7=Qq;Aa@0+W%G5ST4&mElLnHjCz#LSby(13|MMRW4 zw(;!!nz9(q^hq}%gT~{a4NgsQLF>0cqt$kUWx_ z=H56EoyW78GnScU*Lid4a(ttAegb)4RWw!cFSH2vsHuCnV5r4slR`9N54j*^jG^h< z0xalcPd|SvW!R&9Jf6e+^gK6Z+3!4@NTQ$L=$sO0l82-Y?2jEblBx8w%sN8Oa&{+q zdQmPq9dJX3F_2LMaxlZ(9S*kR>U!dwvG23dxtB)Kbo#OTS?|YFjH* zkellz(Hr4~xlJxBMpt4nZYkGrag4I4BoZICv2XKsuVP0%%nNEe`_~z$TsfvgTe47= zmVPnh(6{Y=gum{fF|=b3s`^Xz!mAmI+$#9sZ9^?q&T=~r#N)6!4JLhUAGV5I8}v7`^%78?$D8m!AH%$ZkXTuu*Vw{H>889O*cdn#L2 z6{6`lvM1V~S01lAgvHdz6*a3Sb!7W?_~eLsd%DqwNPj)+in~6OsWcbV${_iJGuXl9B!p7-RXlo`nH<3duRCkfu1??%zM1I+yJ4tJH6O7;S3U;(22qW$iMF*3H#C@6IVdxaQLav(MSeNS?k| zgkc-W9G=}(_Ig%`V9wB=`A?QhDi)#*b#5KJtz`jy-+L}H&+eJ4{8qgH$H~vSJ32s4 zFyvuucV@*^4WZ}pAhxous5{qBUMZKuOjxo_qU@z#N+zBU^n~WpQdw-2j$A9A)iJ|m zWJVI~)t*@NqqA(hHx8WwnSr#bo;>amMV7fI-dz2yGVYfVS^5Pw3xPJ(Te}fnc+eqH*{}0QPo6)6v;CB}ub7!x(M~hLO^Zk1dI!apYuxE-LDs>(wm(5ZT zL(T2}x?5z%G6ULualpr=8kxMKh`c@K(NqqTKHCcMshJD4VX4x@>=2IA-|gGspq!hL zkC)sZ2fOAp_4qZ>~Je-G$kB^ZTSXiT36=%Wg1_RC!Q5m zl)qlmpHiOn-o%f}be6Ye_v_8)EDLf> z|5w#@Mn!dXZ4?B>-a(_mM65AUtgr1c63c7X*n3Bf#DZN>I?N0+L+>zj7|MVGDzUJy zh+QKw7DUC0(byFu7W|&P=36WNI?M&`f-`sa+2tt%^NYHVBR*Qo*piuEROz6Bk-2f< z>bRo))J0w~CG@JXsj+~-@#|?)iU&{5e zqiEKO^XuA<(y~i28gov)YTgQIcum10C+ZB(^b?me0$X~fxUPwndRL0z-?4)-)MG<&Z#lIx77p9>DEO_5jGIHO*J(Y@ZTwQsx>Jvbe1@|V zT8rCd&i+`dENs_A7EpuDK&-ySzItN*L61q_2BK#z3&}l7T@Xzm0?I!WS!J@8V!qMs z*{h=F+0>jK69nDjTSdixsqo*a%%7K>Eh;Sc!*7f;-@TYoWNO8^gy!>o9@2N7SoJ@K zaPkLl%9-HWuJSO<*>4}}{X#AcIfOGEG&qjulHKJ1B3Jw4uZ%n5zh^(|Vl8Hx&WOG> zJ+Sh%SYy~D5s7)Qy{5$vTVkZ8~J>nVmaF+DA5{q3wFwQ$qk`Cvh(1X3WxnoC5hF6>wEcn zVkizQ4nV&L1EuCy>P(abVDyx}@^K^2*lvu;GkeO;A@rKo2O{QWcNzAzKZ>j94bY*B zEbXYqo_RqSVcka7?o{I)>ikR=(xnC?Z=1po``b2A^m#n$3Z>uBm-WGE_5HmU7XU($jmaHvhKPps(VttA9 zJ)Mm{%Q+v}k|klcGwJE1g2Sp988kW_M{QKtcRoP697tx5na@xcKRNA0EslP?zS&(K zPmIII*(w+ZZjt96(dc(rg^$bDNY&j4H0`a1s?tf${uBoPR5j)OXpA^E=IrZle}xK1 z$z`tkx=@dk!-k7M^#7y{uJKXs7+W&%f|vnAkWJBCVKMqiq@DzicnIuW`q; zu|<;HJRjxO9=N{!qD-z&4n>3q48Q*=!9#PA-^LSlZOxQmlL|jVW4(|+ zvA$y4GZT}3^FmZ$U1jpb3>;tLjp2RGl+y+yoGhrG1<-Rg5mc2Xn02}9ei^I?`yzS)=zf+zPM{k9dhx}n^;~@*K1!5iJ z*!u`K>CRm83-VAL{C3LyO71H)A?*h5kZq0W*G7E)?rGbk-FP+nuVw$L|5l0Yp+Ucn z%sB^bkq_h4(5}#hgL-Jwm&sd#%Q5wD6 zjr{)9Eq{DpWuwhlo3itDKP`*4fkaH?KE6y=?m@ElQL;+8e%T`qNe|D zvC2q=Z5TB@bO{o%owKcRD!h0SDK({u82OYM2mOy1ddMtbZm2^J?}56+L}8Cn=5B_%xTp6JlLZIB#be>#-? z>YufNGOI?5#6AJ2Z4)RbsD)y<%o;}t5Er!?i&-=NepN587HP1Dy{T3idfCS7+l)95YxbCi^Hi$Vi)EoO|5l4Ezn zVV|o-O{XX+D-5OIpbkr3M#?y2Fm7A3-pP*?18eJt`}KIeE>aqm>am>t)rdayAEbZQ z0QN(k)rpj~#BTKF`*HqpgtTW**PgYWc}2K%*iLQ`drB|Qgv)<;J$E(xNCjc?M^g=c z`OoKh-Nla=;E<}wUvplxt}TQmu`9` z=h~;B$x2_i480*f^OG^VzaN}7mdK#gBrI*ncst7^#`}qQNKL3QHVG2jA`xzR)ctH0 zC%ujFn6*&@Ux}6UnQ>VBoj;s9#>vLoF&J~7b69eDYz{?YS{$`IIvM1RE*vA62M%^M zNZeM=vRUt$at-9qQe%m^MbQbKv#j~Hxl&j2yg{;#F}_kqI`?;jY$sl0$n!viRTw05 zp+AmglJ{M0kQ>L@=Sl7?}fZYEo zmsIs0y!n$pg%0`YMzS+9(Q7jOy9>>g>L*4#sqck5 z<(7)gvUKQ=c)>Q$N-4EYLq4%aU!~Sj*4&^zxq}bJEi+TBt|e2$gnoIwo{5UH)T|<3 z+^D)L7kVba5bB5hsm1clIT5An>1X4kS^>sK~LT&%Z6xp)QA1)et zT9u{9)k-xMOeU7mJ6Y7MUuNGA#x+B-bh@u*T^@o>Xo~p zd*KFU(IcriU_v(MDb;DOCB`d@pG#un+nXtu$Wyah!*IYypZ z_m}iDv$Ir8Z&J`E&l?e|%$3v=$?)0ag9CftNl{S}8h%ea?BYMgh)#pC1wHMV`1BpO!(N~ked;gcW>)N!c)6MgZL66O11 zdKdTCBA`#QL==!eVy44~>=c<~iog!ewbxaqO5VOO*7}{BC zP~9gKZ<-k8+z|~-B_YrZFp7%T3;14I-b|BF;u!;8e7?`u=iQh4qjJ%EB-#;nZ5cfXLQpfXd&xEgWBpL_uybH#W(4GFUtD{fdQhZt`se(jBW4J{PY z-DH##)77`wOexJxLI&}N?;lr@#+nE#tuLxR+><#u3HV|qaa{HnB=I~kPUBT@i7b+4 z)du{^9JHswBpbglpnpel)i@?5FdfYP_Wq5C5mb$ZE+n*tSIEP?%4SRInnX>&Cdfze62(inO z6*hrrml1>`v038jqlelf7+o48W-IOiUb<79*h2qPKY&l`C!K9{Pct#HL z<}&8hvE<9Evt&*u{=L@JhW(P9ae94jJM%e@-n8$btm&A8*pK9w*}srhJE$}8i2Gbx zExpHOVA8MDSQ~7n)LWX40U3uM|RyHoLcmlyR$YAYYQr{L`rZ{%;RrJOsLgxAC! zJ)HDT?u8}d$vbMVE_f;hZV9O1d8dC`A?v4J zQoGn>630u_JJe|K_(H0jxE+JGoBT1uIYq+nL}TzwEdq;EW%Q9KEbT)~5xK_64I=Tj zp&qJlGi2&S>c&^bYvS<;s}Nukk!xaO2CofijT#?~M-uWJ&AYs}GR z1!IENB;%Lr(Q8l$D(mFPq-tszwhzVbtvTWlMa_@eVHo@%M;eUO;OELP?4M#1_oo_c zb|yZ|$0P@MeLzJR97kn~6F+}b{Xf@*XutlE1b@s%D@%6_NO~cWvog{5EwQ*Qt7UEv zBYwC`-=@ViV*B4TEIICp@mXd{L1YSX=U&KgHBY^x zXKpZwIOMCZ@5{+~@d)hThm{@5Bzd+0U3uPZvp*@d$Z_jSJsDGVq4e7si;-{mwVg?v z$-P?qjGi*D(qvF*G_v>%ue_Bi`2pmwonddJX}Z|?MPe%b5sqaUMN3{!Gv;G|bj_4J zY6MoT4S>z^EGc*zf}@iIF?4RWSg#?zu5S?XZA^0X9eWjRgV8I;B%?zEP-7l~j9xk7 zHc-#GXb8$Ob7a*+Ez+)r($hLuIw$*M&haoD49Jx?%Qcuup2qISCV61tkH-DOG2yEm zIp?H7hwO0JxSFJ=NrTqC!#|79mF|yZN?8`X8@O|Z^jwzp&47oM2jUOEmeUQ=QNP*) zO;5ZP&u^$S&KzU!viCB7TM^E_-OM z)ZaE#Q1`%qw)Afpv#nHaeiMhb^Hiv@E|w7vv1m9$jR3p7a(HMA@}_C9;82#>kB-K= zshm9zNtZuHMWMw6dK|~3$wHoSt%vF09GEUkIFst%U61%1Mp^I|IU~&isF9Z`UV7>? za6Wjxb(ReICIn7515t64ngbW;yL&o_xSwqK#XArS3xmPuOJ)zJmQqFtnrtyiSI%Uo zGY-^wVv-S;v{+9}aJ@x2@;=ia-%|JA_hgP7AXc}*_6Telnj;3*iC3cO2jG$;6Sq+B zu0;fHel*DuYTs3>Ki}tNcDsk$lZsc;i|2xZ`h&^I!wkAM!;r$4m04 zNgP~v`=R2-2|4pV2I-mPN7p?l3DwbX%2LC6-fpp>CP4mfYL-pUkVvyAOx)*B&#E+e z_m*B)`?dIEEdHKOaMOKMpdtW&5@@;F^~7ll%vApj1?j55qSg#NmL_-RLm zR89y+5p&wp^)lr?XL>>NgVAzFrqpMgcAgr79``ck+%0NZ(R=jH#4NErql3$+Fibz3 zC7ljxS!;wNv0JvR+RdKs&rZQr?WeW8_NSH0|9;-C)~D6>%TMb^n@?+_f9?}&_33r}`k&Ukf9^BopZoCF|979> L|EyMapI-kT%<6a$ literal 0 HcmV?d00001 diff --git a/rtdata/dcpprofiles/Canon EOS-1D X Mark III.dcp b/rtdata/dcpprofiles/Canon EOS-1D X Mark III.dcp new file mode 100644 index 0000000000000000000000000000000000000000..39d7adddcce883ca310206c019012fb9d52ca398 GIT binary patch literal 65374 zcmZ^LbyQW`_dOzEcVWk~5bQ)`ZW|2jK*4Sl6+5}zL3ek9qzH2NHo(MI6a&RhOf2BL z-+Q0m7|%a`j&a91oO|x|-g(wpd#yR=x(*KWCpR)OGHPkmuEf}=6W=?f{`TzDi^8N4sd+iqfg)gBKL7pi zcJkYQw}U49`@9AJqJKX>w)WrSY3Bd_eXPU3+tywG-M;$Y>(~8n8~EYh^M6?X`~1x& z|85Qcd;Z)1-lw<4zsLW7pK}@i4&C|V|9u}LBLV(?RCM>Dfi1JJeXJ16rmUwo`)0y< zn+Rd52~^ZP9k+tSm_4fxbvd4biFp#tI?#%ezDa0yLJEhP2K2?sc*KRt@Gkeg;h7=^ z)hpx(Pke4zbw3j3jTC6$@zqcs8jedD3M>e0MW0^}#g6q#41P9>-dh)f_0}rf-04aO zE)0fM2Q}VL3!p!8gAi}4!HBdIw0Ck4a7ByIpxd-?YcLM|<%!+ll{9`%2-4R2ApOQ8 zYX2n|!^8aHA$~v;_5{JUT@bDnRnQ*217MTE-`DmYt#$Q9RayvcXO`1mL0-5!EfjNq z-liR{=x{b76uUd#qTPFIFy>|`E?L~5jlz_;_9GOj-LBD(Q{?F1I}EQTU!h~VNFiSy zhWeDtG_<=IJ&uLJ-t7{to+-q6%W#n9LG;BnAqK7u<@o;n?_Zop4Y8qJjS^wmQ;5T@ zYYl$Qlkj1J2o0L%86H+9B6*P*t2A;$_S*yuTP;C#_zXk!&UmzOlH$BmD}x|37UEGd zkUlxZvASrOe3XH09b9~8eIyK8IllEsJ6U2AjvHMSaJXPy{HaAKB)JOQ_N^+8DGoy2 zG9`+wb{J+12*8k5DkPn`Yj`l(7w2E7Fs;iFx^Rpaej91fd)guT!Ci-^3N3D!M9?n7 z^k`9`$B#DYwAn;2$b5Y8>hLkD+vbfuBmi@!XHlD-Ug+i;gnpNg(FPhlPWcC;y>%u% zI!}w-p&?L*rO`1B)hOH*g3;@e>9tb|^fD<3McI=;xRc4Z(&#;TxvQ(Nq$_rr=zHQtq7}JAjJ+3(Pk*hV${$EeY-ZONf;{LSVIUKFv5S!XnQ`mcVxWcLYYJB4@P} zwo^>WiSNmH+*t+()7E6HZ4%z)%dlc^4^k#bfcI!Q7TmQa!4+{BA0@|`&7%l)iN!4o z1vYt(A@xYe6z#zEIGNQxWRA_7!jHKt^4Ugw5@abqU3NF4i zoLwZtvBY5Xs(xU2dQbwp!eD$qbJ>u6N`$zx!Pr&s#E`#NjP-qj|A^;CDfRd;J{wc+ z2r%ej7t*gj8xPWj(2_wUwJICiWFj0d8$l9BXXDOtFLlxsi$8 zpCynrnMjfrWnfFH6rpDJWcZmhyqzn<&hYu9cz7xnR><%*eiiAFlZ>4+Qq_uc3(u|4RY0n@7ljCJET;t-w)RAsKxo4j+Cfa5dP2%$*jCdu~dYPH-m! z21Vgna}@?OcOvqPFa$qQ;q%1N!21y_u3!Il{`mmI*+36zDVn-hvVcu zm~z7lQX4N!biQXd_r4zFs1J%Zq}iVTtVM#K9~PY3U);G`jeRx&c-*_B_}6VEY}N;& zn@LsiqGCDp!-7!Otg`rFt`x~9f*{^qQvCg_7&qGmqde25*d#`RoBaa+zTtsmR9~B7((JchY@EKAeojcrkD{$0rXnPm3|eu!|%P z&c$be1cvdu$d)_VFdZw!YJQH@mMna#k|N>jJ~H`7CPsS5a7W`o^8GW=%v6r|mQpfy zVLD##m1EH{6?tNphLca^xH8R?tel;SbM^{6o8nKt*`;7`lmagIgGm?nL@11ukX{WV zlXk?xb)yn7=HaBTb2MTrmFQm_L_B&$;M8FiT&wkDSbhi|&rsvFw}>bf1)}*(4GO<* zAWj4P5Ozq5+kw-`@QL1txu=8C(*dMGlpYILc_LfUjAYqrG5MDlZZ&#|#yp41ynK*f zMA6|X&w1v4uzVN;-EA38&G1KZb2%LN{cV^NfaF~X2oy@8FY)^W=MP`yWci>%1jP&B z^F&V;e=NjJM~Rn zaLrRk#>{81xvC}@yfTp6C+E*WMHn z-G$hsOD31*P~6QD;!xLQ@~t6-W~PW=iv*Ir$^fTVA{?0;OFkbi#$}Bd(o+${X3I&~ zj+UT@e=un_rU<*AN$}3bk8H0#0R%}gcd{qx6jOi{M;V^DYlyS+aTpuPv4yFKy=6Xb z#>iovs3rv$vQapS*MUcLq-SLY47@%$cg>sl^-M*5AD*{c2a>ZPiFhnlVpen*$(|F3 ziT9KU{TWTlMn+?%l?vIh3B-3|1e$xOU^Xs=M7xG!;~f>6EKehQ6NAv!Mh%ZMX~h16 zKW1^vo2^SF5?f!~v(_NQEr}fT@xqK#8q`dRBWHfgPk5CB*bbDa0-UwBB`|SQ?$j{gVQ;n}43nR-VU! zK0*u{R7#?P&*PF_2*IM$#B}a?95NB%YW+##P;?GXVi88z=aW_MN_kBvMyu%=WZL@@ z#Bt2mSj3ZerDxG*o&>BqguEA?!Skk4*kAJ^1%pqa*)1uiKU9(xMkgVPkl|>hh-|)= z57ibqrj9yDzP!jnn_&uE9N|uu@_at!4aYxhJNex;8JjdptWDfS1e4-X$#aF@#X}?_ zKN<%(&TTJ?NbR-=Ts)=1?{{)Ce|adZTB-5uvxW%v1>umB8Z*+GWhw3UK7gRYG=`pD|gm zZgCk#4HaVE)AK}>P=-l5Ax2F-L##*{tZRgLwD=@R@Vkt+TSf4+$|WT05)OP6q1F8q zay0xRj>*K($)ZTe>I-N%Sc2*A0?FN}XEE-H1nXOQ5yMdf62qj(O;r-fmjWcZ$WUD) zA|a=85Yt_bYVU)DyvxAp3OQ27xsyJ-QsAglVAv=(5;i{p@2!-OOy5oh@}6{CrV=YV z>?ZRYM`B(#71)D=r22d)Di5jPKTSv|4TAKV3SXv3$^Pg52<@fDrSVFFQNGyVrpB!n zTCz6L3+@GKc&2)i%JF)@C8cg-``3L6{8V&Zq-&#_ye1N2{ul!pCb@x^r-gW@%_sAVuOoV}2>Y63kaWW}Jm71n z|ATm9w7m?G!^LRRC6YYue-7e{VjM^aBH9M0aKKf9UIHI-Y-|x$w31>>iI%LnorhET zQgqKzkjrVW{b<#1%Iosf-Rrnp_Fx8Zl`U69C)SN_5GVk`~u|;W>@hiZ%*zzrQ!^ z!&Nw5p&}Dv^ho`rLZ(ec7I-nAZR|`xpxrtrY zLZmN>A)})&V~(c~yGKWo+MgvT;rYj6P8g}ZP4R4v2yTahNqg%;yuBuZXifkLexHj` z_F_af@Fld>F`VKxe82Wy#6pt_dq^-aT}S3GO+@T*&PUwRkiFYtQ8-u%U#Xh7pNWKN zloVz;D)M@97?!q_!DPOQH0u$Jiw9(AI#)&RbPPanr3^LUDpJ5}kItMwIx$pDqLp4q zh~?MltD3wzqr+|^1)NJX1RQ4(zea-(D#^uE6(&wlK`~TCy0ufFdjFp|3wITh-L0M@ zxvv1b0}9FI#V_%g$8dS?f4I%Se`(%0ydD8TE!spPTE zYusi6^uCusdh1_7Q!c*~m4gVY?(%$i?Ic!C82+id8NVc3@+~Eg7TNz6JUPF_-;j&+biJO(= z1;=^BQyF%6XvhSPbMjI-uOmgoc7+<>Emg?vDP?H6XywYqsW#cHP|c`;HV^w zRJr_stEmve!XWZ&+)r$k3c))0ll#s;F}$G&yFXQ_EhfF5>=Uzb7G8vYRnMgLLoJPk}GIVkTx$Jck%?EG}N<4uq_?(Z{oOgZl zay+SFS=jMWj!!BZ67w+)+ZQSDzYvZH}7zPIJI-;^oj8OM2@ zSdH=5=8^Fn=R052XwzmAX~l6S8&xo`wEyS0O~{`(Ul3c9c-x;i>o35Ld%elcVZV`X zCB&W{ok{)hTDUSHw)bsIf@HNYTO>m7nC8TDRxJcC_`U4hn9TA0jgtLhob6;rI;{VN z@J15!FKtNl<7#j~#rwgf#w2anJN$SlfpNbE>)#0kDu^!J%f>JW$<449q-2!qZ{wF-0psZmFPIKp2$!i{uL&+ z*;v9k*!jg@FwH3)tCq=8M83f8N)p=g_|LWcf+XKKBwvz4eE17?L`7kti306Me1*sR zFpM0pz&HDEh};v5jXM=+lV1a;VF55sP+;AjA1LqYi}v>wSnkk_Jmol_?W{z8VK-vK zakk_9d3xWLq$S7M&{d7@S33T4eAui%>y7f-V&w6--5DuBrzde3oLvhLAqv)eqvT8- zY##~nBVCMdmi15^5%GI}C$dcHF|>;qm%`S-eq|jjj*IajWhs{0)#B9x3GCY~fYY1r z=v67fmcw)LsPsK5rb*GW$`OZ6p5ac66n!4dhKbpIto2pginBljgd?&C0Sn*x3RS`PK&C=~G=TCsd34t5R4tY-=+TCT%< z&O@8_RN}7@o3Wc~1@%r!TrF_JbI$e6_EBOK2}2df`PVHaMv6=EH_nb0Dl8GiqXox# zq@N0hRfYc?Cq;k8v)AaIc3wkj(K%TF_fAFQ-6z-M>;fSi_gWUqhZ&Jqzl8`D`4x|M zH6rnT&M5a25vEkLDVzf3QTfd3%QC3}?)~FuYVG_(g`>nXW^PWRaNov;g>PJ zg&gXB6~%k{m%!IWj`By>ir=R4UM5KnLuhI7o}2=hf0iTBwW#>n&>Zx(QQ*?@%;Gg2 zGO)-)fr&?BiXE0E<2BbvhCcTz?)W(l-At7@nkX+`SRREQ)08-nx3l<=aX8w`lxT0c zp!o5YV01srdDpumio=@*U~WSdj(%ucyzh|@3`B*3tig6qIL?b@D%d5pz&MVx;Iay} z^R#w<7fJT*k+-hxFxuETY$ zH0-!@8Ox8#u{OTKa4)z7+jy<}@a}Dc`jY`I`zR21`I)@GL3vk+w8h5^>-@q{ z#Cyg!l_`d4pM&sYl?v5+;|+Oge=Leo;eOXBLsussR6SL}t>l2=F~@m^l^Q+=8yUuO zJYDvw5of&6(5SNpPwdrrA@BOn@y)!i{4c+uA8J8+TN;t|oYR7y@doJyp{t2Bp=ig`I9Qy3=OAKW)INzN`?dl$)sihq3mIL)2ejD91 za*SO%jXJk2L-0$UAJmg*6vsJ+a6QAzj?Ok1VC|ovv3S&3g}r6{=-`4#Y*?p)SGPVi@=7Qk z@Y?r^RMYWig_cA8+S|MKlQd8v# zWAbjH2#bBZXjru|G3_db%``uneA}2z=QZlVodMK)w=r3jEWzeEfwcR@1|)2U6lYrn z(j6n~FqW@nJI4jkpF2L|FRp9qANbMXOP9> zf_NQOWnMwdCOiN$7ON|Up&J5dRv z83KBFRvKpiR3d!dAv$J7A~I&E@N)WIYIQvZ=Ymv_?Au8Xg+-u{>%2ylTj~0|5X6pD z1A>k8Y1?>jrJM@ML5$Og$~13YT(w$mX78)=N;2v z`JkEfeXbgBBpOIp4MYAuZG{aDb zLf-#Ic$QG}oX;?=mf^7b8ER_s3QJtMhGNI)tqTuP$a$e&Gfq}CNlVMCI-s3!f-4lBLc|+onBSgg4xAeds6B45n zVQj!>YNjTt9NQpTA@VK4R>gjcOlA(m6*-0)2P0=Sk3cl$j&m_dSM2}9^^dpo(uGN z<79Z)?6LM~c1kWzEXDu3-kj#0!PV3*E)f_h_$GK*+Z(CcY{#}c* zw=!h)Y|U~`e?*Hza=dQef~|b<49kDYQ4-sP2|wP08DGoR^fzZ8TV2C}NBr|$Y{;%m zIEVNdN-T^wV&yIr`B_R#5&oj@<`-anCl!QaztKfT+33f0!1it*sSD2)(;lkeVeyU@ z^-M&Kof?OSzM>vmVz4A!4ME~FnrRV%L%+Gsx9eMB4V3Bc4`4Qy-f zQ&}@#)V9>(OyE80`N$Jdo3(iCUQRc^&|=gnEk+1#QR1ypMkYmKPiuBZX-t}L;a-RD1DR;= zZ=C17TkW)d?1KCQP9B$|zEN-1&Y=ofyaqdw(2a!*FGs%|1**1Mu%!#i&}x7ZmLBcd zW8br|3{+ynht_Q7t&=!tszM{yg6;a4hv*$Dgnwwt%FkuO=$;Da-5ax3NWq1PYE%+) zW?>tTo{4Jgo@>g?QlrqJxdx4c8Z!5zVJO(4!Hl-X?0H-e+T75f_P7zV@8}Op9;;Uy z*V83j-!t>oV(7Eq^l*+InV+jZ z^M6oMqrh>l=hl0Er;+KL^Jt|1qu$tgZv+ckX-bT11Tc9#fmz0xk*s$@xVM?YCK#C$ zWt9kTrPJA=G&9nyT#PN*_Dp%ol(<}wz$bq?dkhoOv_Q)HqA5(@+L&ZV$T~hpTT<$ZOrL{v+ATg_W>4pg`TUA%W7n2!>R#dT~LtAsK5wb*lxbL2`yWsPF1 zdQi+6uEMgn!&s;C;|NJnA@K5GRx5!EwoILg??-u$AhBirTBShCHPaP2HcZxo`~7zF z7#=f@EsBnU{~HYs)sJCkWnr*ftwoRe(d<0;@;$!E^;7H7%mV(nG>zA1l2J@h$Je_& z9YTMPWNW_aaip&vHr^xI>TcXi;H^iai6dF}oxB&U)g#PwBr|@?eKH$8(fGj#)>XCJ9;E~&i9IQmC(uEm)yoj12C9cn3%3d};jivUS zD|cVW@-`R3itBgHh4WYz*9Z43QRDKsIZXF39X1teOx`h@tqw?n-dTg$=ChdFwOD8> zG&uQs2D`K`5;K-+@vZ3$W^*tUPp)fGztVv*uA8{d)Nzl8Ju_e9hgzoN8ks%YHqsku zqxE+A_;ZqJTf=RB**6G4sa*)q;In|=2L?PSlI8cDHa zofp^IXRr&~B-qY9m$zrmW}&}CI41G>Bc6@5TGpnb9+!DMS33Bz^llBv+IAx3We2dh zrVYp<&KD&G2C|Z$^;puK<7^qgoSXl~MPAF9>V7^S{B+T83rDTGsH}dt}tfaOjSN zJU)I!Zp`%>jRJx;yV%h+WiacjM2U|pJD@!SFU}8t-@Jj9%q>Da*XAal zTf>G<%!TxZ3Nw1HVmsPopudY6OZu!}PkoYL{FL`yG0w~^HWuSIY2YPX&Q@4P;`=MU zpS+AMY8MI@UMI|Lxr{Ab5D3+CEl*HREUdy8p{sRpT;s$FV!V*X*Q_2Bo!F@u9d6Fk zBXqnI!!54$mFm%LwiELn&ixBEp2*$l#9DKoU{0zhOyZqb)(Q!lbmN|b7f$SbUlGdH zUN|y*8N1n7fFVD;ux$G>wyco|_nUbCf%7ls&yG8Pz}E&s^!*yf91=bv*jR*@iYVqH z`G{>sVkn)X+33R`(D$bp;>1YSq3{jnzvo<>ODJnT?>RPBNOA0-AKSd+5mr$dytEpI z<9A>i&b@P=MeOO&tGKtH^A8jEv)Kzu5j|81v$P#-SXnWYyf0qUc`LK>$;X#1obPS5 znGKtA3}1|RuK2ov<)@~=%0~^aBkS3tq+9319?dZy*y|!ZeIz)yAcjqxS%NAzUT@qAX3Ciq@sqg@@w=BFvJtZE&*xicNJxOdBC)=Cz(Bn^W(S7!9snKka3 zg8hU3_P;G>x-|(nP_D+FlI3jfu^80zI&GM#GrK-8629Ge&+F^V7TyTO3?7%?R=BW_ zX+fY1b=bCG1sj|1k2P;}n7&~p`}oEO9v*tM)vaO~_Fh=j+7rD_uVzCp=wK1$3FG=T zY~wcW^BT-O)3)oFW{3*yIJTemtYh3*mVvk;%UqP?*8B zs@sVy?5|>!XvO%%;@GAKCoq451ZNgTFmqiVE^v?N^$&jR%#j?dG?n3*M#Z`bv*3JL zhRRV#SX4?T2K(?jPeuoraqJ+<$1ckUh&uMeJ`SHhIirZHrQ{ z?WPJD_vW&;!;`SZOO3Z?^H@Pe9M0MBx*~oao8%phW)C&U^qJ2@t`Vp|tVPq@1?&O$ z)F1Ao!{MI`nV)|U%#Z2ta>-)W;e|iX|9ZSQy@Y*P?u(RrdVC!1#Bx4)VcJ$t1`|Jbe|*KF+7mV zFz3up*8E-uT616Mm|WhBo85Wu3+XbBX{$NR!p9r$UvmFk;#{U& zH@$XvtC(iC~b({@8$?tms><0$0<#~nhP7 z7AKm6&G+Cl4Mm*uDIn~^#{f*8rGwXwNo1^Le9VT+jO@=wJT+YuekI9BjD1*5q)z|MR)tNO;Vy{o{G4TD*BuVe%TDUrF( zn(ca<2)jip9LTk1zdOXk{HqFYV+OO*fiZZc<(kE(AuM!GBo6R8r2FAvyl&xhF4-Cc z4jRE0)dX{ozZSo%N3t)60zofpF^P?4@@w9XFBL4%1+IwI{rLOkvxa@%m`4 z7oxV!V_&Z-@O1W{I7_b!*oz}4@bR<&W>yL|s7V3daL-1AJ1SPOJ|Ff|MA-2~$s*!% zVOqyIrS3BJw{Jg~>nSx!9&B;bEbi};K)hi)3tgCr{w<_v+T4Y8DoKa_xD@@PX0Vp7 zY52f(KpE*@<&c6IXSg11+mDUjo{Z%O6&SamH@h95goz`Rpv`)* zVWo+9_(lo+q+YD5e>_4ID!l98n+t+<9G{ z*LEmd;^B#>JhyzhKa6eV9@|HE^)T@p!J1ywK()jZM>dUQg85orA9^ChVhlUQ*A162 z&p+b)zww;j#GTo6EkNr+0dl{1Fx%{Wblfe(wdo?3-#HI^2XcO+tB_6Dl*7H;+)FU+ zAamjRMN97g>|3#o?fuASBCI92Jz)j=Ha7!puJQfaS#0P1G_>3;h55VjY-~g-Zgi5t z{jC*i?4JT-o~f+2_hQ#_lF?)v=cTJHSp2&ru01Od`no-vJR%9COo4}6+cCwVM6}{w z3yrWHTRbKn(yl68T-cty(#4=Wjn7AgbYN}XMdBpanADb?*yh#YusfrMSJoez4?(P8+KJ}i^R zW+tBz8b7cvOWm*MeYzgAU-N61%l*z&kAiUnm`=n!GGTh`eP+eHrf4y+sV6SHAI6qE z(4dlQ1OLUj)uz>~u7Iy=SpqB#bz|q2=V2oE9|kJiS<;mpB=Q-zyD8gQBdct9=kb}K zBOBRmk7LMk5@Qxw&Zbmk;P7`bzR#S+w#-Y%I_|Bay=~dvZ>gvqBE{47R;>IspD`(u zB0i-%TlY2@yLa#zLyLASr*AR>JIE2&s5v{~o`f7;vrcH;m^ttm4%?!D>uz(_t4kvK zcTmD=vpH)xH69N#m3Yvv5j(?TU~9+uQkTZ;)r2UtC{;mT*@O+b6plUIJ7MY9j49kh zQOnm&?~N^(&v5P;n4>|RLn}7DSs-p+(qQTEHtbfNAL8t__|d5yGi}W45Y98duW8Tx z2705@cwQe~=*Y&d^hAd&9XvD^EGbckYyI_b{oIwc+n~qL4tj*7_hZh-wWu@bpq zmGk=Dl=tud#hK;JVI!90!7)jI2nT0&qhT&w=W?H|-%3U$*{J+1L`yic9v_e4ySE7X z#|v1SrI}Dzi_zfzbT;*TIxNnJF~D~mD_@)j>!lLBJ!;9uwNJ&4x4chp*_DlJn}S|k z`@R^^lDXR_^SLKJzfo(-W`!l8KaXvzPjz%%eIf>~lVi$;8tT3_5!)K^nUtPi=(AG^ zxSh&p-|l{<6XwR__*5n4TYjbMzr?`giV{8CYUmw(6nqz`Fm>)vYCSFj$-E}a39O~6 zno!)EuZFEB=b0}DL(DNRS#Qj8PXyxqbPeJsnXrYtXIyH~z_f=M8+VWUjz(%x^2MAj zY2t%=?(h0q+?XA7^g<|~l{jV9j7{Zr2kXOgOL9vl*x`wU!#Zpj-;4M3n=Ev{E5w`X=`1`y6MMId zU~mVUJ0b(#4aAUVj$pqE)6l_Fj53RU%x+C8L|r9l*`X7EZ3+}goLhO{gw-rcM!5~= zvv$w(seZZhZE3s|;TbKA~m4i7??@pH5LhS2apRX@VSg*Ob#fyAsfU zD)(d5-J!Kh;?b)@0SvfH`}B*&$W=-lw5y=wpG09cpSSAv@d3S^5P{pyJhq!Wrkgy% zu=TbImFu3;D%TL~oXva8r!T05TM&ky;+plIH}tVI0Pja?u*UoY6=nJ1VVnk|b)RVW z&psH_UW*U)Uup3)ZwwS`k(ltE4n64&@g6>l^}dew%kjdxQtcmcesFJNCS2hO!g-bd z#`C6T1KCe~Hsk>Uj0zjc6!WwA95DCBl#gb9A2PAFSct^p;Vi-<15IafPu);UR@yop zH*awc#L%6+$xg*VXE9z?wq^ypc^~(f&rQ5DVF4SGv1OwKr`vs^R#8b%ev%-~`XT+R za}wNnY^OB4LNgK)Va?|{jgFn6-AD2mJ|@Gxqs25aF98O7IRb+VX%njibmP6`n1O}V zb6Gq(a$lC$;38VLC>Et36{u-lOo#H>pMl%BcTPpAbH_+jKIQX%8&6ZG#^LbhbDg%5 z5?awb6p0skeOP*)w(S>;o#WMT>2{e~&JV=UB+gUqy-M@E{L!21+7nA|Q1hpJrqhG> z_zmw+Cwm_pc&Wkp1=r|jUY{K2z3QsB*Xfn6K4`_~FJeYMp`{MqNZq2rvu_`$xtkX} z`T76FS#Hvfc@D}#G@rK`J-P?8k2R=trSpdgHj-o+#Hpd6p4 zgweVM@z~3IoUMJrX@n>i37m63c`<@6lSISxrvk(4qUaG>Bto_-@lh8`m-~jJ<9#K5 zyCl%bS)q8%dDlq`lIiQm!Pt#ZgBpnc5^08+ZTXcA~i1T$fjK$a9=Lh zQSvwB(OnCCF@nz?Hvg7Hm+tb#qdFx{tWBZ&i+qsPTLsg+9J+jo52W1N|6(Ymoua*A z@%&Gp%=E`^sd{l7J`WY3^XUdmRlxluE4lVP(u8U2_?pf=&)@GDv6;3pD9#aZ-TyOH zdqks>>*KBOJffl3qfk>PK-(1;D6@;=bNxcBGR>u}$|CvfJNGB#MA2?OkuY=Pnq#FG zjY)~bln5aj=SgYTJCXQ&Q;1lzgLHAnDBR$@_eSbQ3zkH|I6wr)?VD)pwS1rZa~gkM zPu-?QabGvTrqedir>aPda~C6G-X^-PdjyD|7*<+W+95IwEJciIvD@k0K73|BUyO-M zchiVtd~UlyjOF_e(CM>-FoVxfJ3lx|i@paSm&ZoIa1l-8e26nYXYdaRt&sR3=cf(^YqTVb62ansFY~*UA?ijZ~OlvY(pIr>Lx&wZ)x;`A`C|c3lP~nhEBK; zhW0Kz{-^p<6NhkoN)_Pc6ESV`C>(dX3bF0TMjE;+0z%GbIqGK6^x6n)oGL=%q!F}8 z6N&jBL7YY5-dGqMxWSl&*4@ndX+V# z52_=v{EZYo*Ny4GBayJ+@h_X!kRBZtfje0;tj#r{bu0{@YGqje)QqOg4#m+4a@52( zrh6X-JVt==+*h+*6$P&+0$AjYryY2WDjUo-#Ce11%;S+L z;`0tyt-4T!ArdCdMd+nBr4Ch*_!2DwwW~B-ZxMx8-0QgNMSEUX|G`3o*S07;wc`BVzNv=5Zv1^-$RYn` zV_2OKiCuvT1Wp}kNN*hpG5>voEmcDeksTvYa!rZdBZnINPKKd&A=eAe3^R;b5(=A3 zDp)v-GUQeBdV}k><-2VRFZDq<9n5?7PsH%o*g!Po9_EBC_J%EQ{IPwi24lr@4X={@ zu-H?B4$qew?DzSi-)#-jH%knXM!aX|eC!^%%y4~&FO;2l-8{`e8~PZ$E8^kSUkF)$N5f2;INXX8B5dw#L*o&#@Z~;p z-_1h}VcHmYpBBNoTSLRXzhbc2O$>TJtXT7a&!Y04<*DfYN#BHMT(9Lh`KElrlmpSI z<66M<4-R&>=0s!hX&D~W>Fu2QMq_J+9GN?l?C>fIpSiYGA6;PgOdAD*lzU<`OYC;@ z>(#=Q>vP|4*p<6RqL|NXuU+=UZcuUr{QL0usjs#>c_AF>pEWpYTxTcIgux#kLW8JPAf_3q5WHHi4I#{|-uu9=p^{VQUkJ6Ly{$HLocQ)&7V$=ZS@5 zo8Vri9~#c|LRd;8JU+;0@JqdLp>K}ekJG+*nBc|l>nyt-1AH-_a~fj{$J>qX;)}Wb zw?Fo`8E1Fvf)B*{Kl|>`K(5P0r{PVN0K;$lW5bzbjO9Gihp!@ZD@nxu4I*rqeFXlC z6L7u17`ynqhZ*k|9KVR+xSs2lJL9nK3iskhhhk<4pH1K%g9W^%_%JdSUHH9h8JUGi zIWaiQxueVF`50*zgRPW%W0H?!!o_H~@ESPfP#*eo{Ac_hRc9Gib+>(O8$kuJ#Q?-a zLB&Lcv9|Ttid|SB78Z8X-CdhacX#i#C;>&Wusc9e5xafoc|ZO6b}lck=ip@h)|xTK zJs*=__*51gOCoUiy$dFVWgwQ~eEv7(TI7wOZa6{}-C;X12WwW!pw`y|xrT)>TNH-+ z!Jdd(#8EI(iid-}@Z(?=roIiq&|cnnH~2EfCIln;mp86-xrS{fLAXkD?(`wI&_g{C zT@!t=_{1F;Jti+9`BF~Jx{u?re)RqNV@AkBs2}%*KKTr57FMB?rZ22XOS)&=MSMT! zgZdZ#(3qKy-J}zfk#4NiCLKZQK6w1azs>z@Z)?CB^D+>nWrYW0$Ff$ZRCK0V8(%cp z5A9@h9Bu>u*+bd2Rf*U|^KRMaA=Jn?fv$Hy9M?1*UGu6Bmqm?2EdA`0XGQEzwg0Jgt45)-G= z3~5_$X88SocQW;mlU10`;0XLB|6YckGTT2a9CnX9Az7rtb}7nmjAlluXL_+mH>8-i z#Rn}<`mqX!PW`j_hBH<2`}9%?M8o}2to#>g z>IMX1%@=Lv5#k5izQGursl(pP_Qjm8A-JPEfq8uLrrAXZd2ffaVZ(gT>wE~-M2}#b zj(OuyO9=kDt1)E@ZxrT)(40<Ni_#W<|k% z@QIS**wSt6t%@(+(0_M9g$Wx+-~F>D8OFEY#oDQPA@v`{uP?~cc_j+39O zi>DjAw>%#IZo6RKcV}kvITou;+_2HbfsHSTf%12EH2-JAeuhQkxsNAwE6=j=E_9#h z(f#IS!Ky7H(c`KQ_M7futqUUXWVau-WtuRb_Tf0+H2`}~nzBUCFs$K$=$*Nj{rwt> zFxOzzhY=@ab_nLI3PmT4)9lvyAZ(%;?ZjD@OgS$AyS-&Jx*pZER>WN!7qv77gnax<@f%)BH@o$?gTRPMe8LMLObf6ux zTjzn)rlTbo0@eLG~;B{8qL)WdJG$L{I`rX)>6vZEv1Ud6H7i&BVhLp@>g`}ZcDn@xiY zRKuc}^1%d{yO2(`ES!zG5r>^iJ+OI%l&#$v3-h5~u+9x+0fS<&oOCMx#rUuX&!TX@ z(HHkuyR-b*NW8o5kETsd>=WhE6$OFNy>G|luVpwI9*k{+9oV6HVVFa@&&nk(?EB$R z?7Kz%qXQmnuN^UU9?;n<^k(&LbcVAcF{zIqTkP+TFKeT5IK!U}iSxy#x)}WTB7mh- zdSj_p99I7hWR0Iav2=Gl7EKCfucmllPf`MSbOFWiE#bl$2#tHheEGJXy^E| z?E!8yZ%Kp*_F_M}yJOWNdfPsGu`w}jFp5rW6KD0jO7^Y2zyk6|jJqq?F7;yE?rDoZ zQ{+rpDIcFnXIrLR!sZa4WNLtW2-Ea;X|JN zgPn6&xBZFuJHrEe&t$Sce(^YiS(9m|$@x)Dnx6}=7PS>GEjxEq~@jSnK(!*ZI{CZNXQXMcFu2IPr)A-Byfa*aD_P5obXcXiLaU{meF;gy64Ln` zol(ZFEKS0wMo%o*&DqI$3Ai>#U(&HP(4rW3x4JA$|zVCXM3X zoO)LKvKWg%+N~#7S*2q>7M&vQ*{dt;lsp^nlU=auavgIyk^!d|ZtzaL%qIAeH)NbA z_6J^KN&S;)PVEgi)Utse5^zw<4{w!gSp9%_e5P4l=P?(V|0$Y}bP6GTY$Ypr6b);m zF!&f%vcvQy?zkL*0sX7kr#TVmvONZGk6vV&BW2k1JRYAuUt|j}la`=eGD3P(F(*kd zLf52XP_$sa#2>JzN<*bWF&o~;4^ckp_)?e49>sejb9e@nw6mD*p8x6NGEj6jgB>t( zN8hiRc(N~p1(P-;?PNCgm}IiYq+9>9K9@8=S?p#y)q?cz*A=O3%u@0RCFJ4o$~5-e zjAq|e`M9PV#cq9YMrB|Dwn$~{EBP}d%Zl2>c~;Ri7QgNiR7j_>uIF|3I+?UsCU&s$ zy3V$fU(e@}1JbTsXH(`BV%2{%%gDRVP7Kb)`UF>GZNAQ)+hw9y)dK^cUt_w5($MPZ zh2a+0*oUjhNSaBUh2Qn8H82rY!~w*A_3UVNJYMVyhDN|uc8Knf9>1hWvb@Ti^aF?aeI=nj^3OhwMIdNxy=;`}!qQwG+uLvu;b ze2RV!A()A&KUAADkycf}WSKrF`kjgPn%Qh6^FrFzEV%E_U}qIPP;@jKI%Vn1`YZM1 z)N}DwKZ9)`y`e2g*3WG0$USQJwTi|tt~XQcy9(i@g~G>M&k>Ws%dit*)n61(%> z3H#TTAVk53T_inb--c2+&v#}@^xd02;cenvvZRJ3Tx>uKvAkkTF0t0FSF!V|9irCN zu~6L_IFeR5==v2F^{5=XY1W%xdzCGiCnx=?8{C%Fv*N`?(4FpyxwiGpxsmu_t={M! zRnMAwQ{K|(hdD*{%%CI_M*2Z8O|54R8R;nf5Q-`B_3TVZDj4-R%D&VykJ4mJ-5&#^ zkZWu~a3Z2QC!$BM>#SvBJnnj@BK&qe<4a@Uah~$d#kFkWkqA^R%*OSxf+=l~Vp%wO z2;b$g2#X+eU6YOSmUMQyk3U|RWTQGfh5gvtwe z0%#0QW*h5Vv2k@V{9Th-^L=O7PnN^HeG2>f-4SXF%HXRiW%fbj1=r@#n-$DH7CB@8 zKYiYJl!5PwRvoz z&utvw7hzkm!8JwJ%-Y>=H^&vPBC1*2&i_y+WhJ`!j?D*YklBky)d4yN^vV@f}x(a|Oc zH>QQNx|iXQS>|953uSTC`wEH4#iB1k?4N%y;?I*dA|Q|*d=-G^ib6DB4q!6Ujz$@m zfEx#}vH!gBV>(Car~p=(<%!S*<%lJI!qd~F(K}TI&3tP%m-?XZE|tOc!*Q1H=ZHxb z6}TTUmo0l|2hY+fXoO8>|Glxs?L!ya#M$P%2OGY;35nEi{Gjf~_Fj7o69aq9CsU=W+r|{iw@=q$wud_uTO(QP?`rg1<%KspquI1EmAE;>7iZSQ zFmx`%g#&aC6CWwXR!$n%5ZoLS%XAD#+dN5zZHHpm*tdn0dq%;kcQosLARmAKquF-< zNajvCybZnk$0o|yhJBd`R?ooK%fakxL@Ld}vr+rlmyJ4{m4H~XX1UmX z*pXf99Z5`;T>vEJ0Bh7f#`Z9PqTd-X+Hz?>;wmG+EcjmC}vDDw1TZv=&T1=)x zcdd05Y!CHiPv6lT)wpe(Kb_dj!u((37HqITX%D;j?+HAZJ#ge0>vsDtLWn>4Fz5oS zEx3Uysyh~Rv1RV0$6M>>j*OKK?7@o~)KG4;BGQTN_*DtVk-qpq46cUUGK`-SfaHO$ zY|&Uw^QK^g_jYBfy%h3PrOetDP=505y=3hmgg_POx=k%SLQ z*379Y6T>@EPP6a~+d4cA*H{+H0uHlDzY^iRJqO#ecQaF^Se)|Ag@(>HHf?bPHf_s; z=gRf$d?RsiN9AMvHX}B;DG)of3ebM@VwN_?4~=^YVK`tQmj8sed@1U+4pxvaPWyl1vWAbW1$qYk{wx-ix2IRaQE&) z)>AEubZ4m;Z_b##Pa51NWFqmvG)^QK3h#qiqPl?^8U+M=nY zl>2sM9VrKv60`5^!#_wP?{fYpflt4_U`(7ndUvRRk)#DNTDG{VU4><}uVEy&!p^fdIhk_U6ju#0%1{Tx>*&R@>FhU1<4xZmFi-5WZxong1o zo9^cmZ+fztIrYe}bcgibAf^y|iTtEqP&6OThGtyExsJZryi=RGY^}h{?g5B8ufy60 z3aB0o#%75QJKkB2KN?{eX)}hc+FOhl-6C;6Y8cxPS3r!WSZs0_$V`%QQB5^hum4n7 z9BK9j-b}&7%bi%?e`#nKkpX`88w^8|Ff<_x-wGQszabVm^v11ge-{;oq>I)k21=Jp z$a*8ik+gi2N=uOZBnaL57h-l+IxI<#RAXO+L-V5XfHa9+x|d)w^_Eh%c_2Tz6zb%e zs9Q~5%)J~FXs(lef;{4L%2564FrHISH+V_~5^}epVzMow=sYj{VFZ^dD@@p0jqK${ zaB63RP9|;R{9f~uf%njN*fNJWFuOh(wvKv%HxlC97A=GWe*m36PB2v>M(^nc{H=9C zL18RL47!GY$H;e3!67|&8GA>1VVCR{Cb?FlqSXf*EMFjDY9-V^`J?2-TdZ1LhS>(e zI3;_Ff^a$g{-yY2_5zQZim{zImD=Vv>AfvPg-HyWe-TGeF%PNJ$(ubY4!!ELkpGzY zM<%4RKbVdWlPH(FeiGfTBq6gX6Jf^daJ6?FRz1wd-`MFG?Gy?9(p>Ui55g~lFbqDH zk3GBEp=N3@?)EK&d)XyJKMQ~Oq!&SBdZ6L{ARX4L|hSC@(tvsq^n)Lvjobrb@K6~?Ftzo$B)`W z@`DAgPo^Tzeq)D5VezWvfpDXa_;Ds}OMy2`VY7tuHgQtV%msHeNp=*vm#wr>Z zn3j~|(9Iy!Jh3zIzsX@r4E9#t$;Ck}CAbzGjvZeOORIkrqJd@uYT9>8*ATOJ;GH=1 zov$M=%F2e5X%Y(AF1ab`96YJ!{HN|Le>8&XAo6uP)Jo;YE#mOgDhnUBrpX&WMdD#n z4yyObT3^r@U-;1^R>q;qkpK@|))Lo)Dw|vhi_w#;H=|ObW-)V*zrLb4A!HkHU%G#qx^X z`N-QChrffK%HQbcpzcK?&VKqQKRGG`oByPsokDlMXJs;M{nN4Mct7qXjlRVI-XdoE=S|PMO?F^8CI!xfOUa&6sOnu!Wjm z6;34X;MuLj%syU?1^?~fMdVSdIn_4Ks=|j?jckQIm)bFO0uL8Y>@sJoryu zJfj-U`^cv^>x2BCN+quDrkTZsw{n#(WoUE?Mb5I{a?NgXEPW^=Uu91oO1132U8G%5 z8p(J5$j6e7aX8>NgQwR~&ElSj7kd}+f7>%4cS*s&ziWAvRWf;K(y_F9J2$L}L%k2N zsAlZriHoAJmhS4YDMxruB^hQC*Pz<$48PSS1gkU((0{oVH!=)>YsbZ>0j?an)r*Er%z8T5{Lar4;}XX;H%-RjFV+-z~j zu?o4G0o?qj6}V|NT<-hxC3I#t?Qa|BS$_(7&mJGqk=fvG#~6NjRulG)C9U#2A1*oY z1ifE6LM7CeyC~d)AkI~4(;=>$P25X0cg*f&%-OVhY$~F@t?p7Du< zx*8AW`C~(vK7Wx@iNn)^aBjT$6kj-)~c|(ln4uzs6zV!c5%j zFXigTqL34m4X-&7+)PgfjjOqc?h(V4bV9J*8QJhjdTQ-2oY z{m3+~O8$xM?@DoRaV9^Y?*^CK92r}3_!R2bl^2$w+&G^PTSZLYzzY1BUBv$jBDS_g z6{dG8N}) z;$MR!&Zx!lhthlad60Os`-6G8(JegdKt86Wp1l8~dKia$;?X`weymF!@>h{YC()Xp z@U20|VgBfycb>Nz)3?Yjbs=&D`I4{Ve{7M+XinmXQfWeAp6=i}4JYy7260Pfr^#2#W|OnB=9qX)$> zI!yXKdrxe+UW%nB?{W7P)PF7|e!0a%zGj{?ctjai8b9H~b~xbN`3j7g{G9iRwnf>R zDm1)($%Dx=m@&EKN| z6#OFbTfWrr8RPDwWh2$yEybKS-NLokZb-VD$%kFI2AQoV<}FL&b5rXOPu{L^(_*mW;wr)vMft z&RT6P&2%r`<*o*K2-P92-khg=%g9Xlk{>{0Wh2+uO2J(x%BMHJe|h&o&u~7^ z5xzR_cwE+fJf7=<4}Tx??vzV^yy}KCQyO^bpzFxn?Fr9KSBW=r1=<7YJfFM7hrX*t zEcNTAWnAKW%P$fiBM^J;UgrxcD-hj36z<_qc+cAc(V;SorQdH3^%MuqiGsv?$HaFTNYYUj zj=!Q%Ymg1orz&DzvJ830a?!j;RYZq`z%?)*$L{nJ$(6+NN+`sB{XPQJCx}lhMpwVS zVtoO5t-?xirKO)3LVl~u4jhvg4-f-)J7eUoGW3oeC`O)hfRSMZ)c&Z6gL$^FRjz{G z;=$rnA8S0ma}neF3>JkuDS!S@)uxXW*-e+cJYQf=Z=|#35K)x!2Buw!Ik1iNpFz*C zCDsvRO}dIfQy!p$E_pDnw-;$$ZX=9z?VS(*%lOD6 zWtZS{(+|CVeBtJH)rffzhzpC`2_0fgT$Z6glg;C@B ziDgd32p$v%?VD=i(VsjNu|z~_4HfDInV9q~8DmQ{#NaTR1zV+|$E{(avMe5+Z!+-K zYq&5T8%=zeZ1nFnQiM0i5W6=Qf6PaT-Xa8rPWjNt9xc47U)SPKb ze$rTR>6$0p?8v`&Vw`aCAbt$hgCDt$h&)LiyZOXT?lE4pI60u3S_ND;Ob~wLRh{;# z66LaqVj#`^7AIdsS9TvZX9mfir@^CZ4x4-pe_l{{kJ81bWr zc)R{G3TphY+*DPB8`WSC^>I=r3=q%uRpHReP)y#hA(}1A@%WPrf3-)8iDx;?6DTJO z)D<(SPx)Xy!bcW9GGR%BDSDf~Dz~)co=%_hgcn~Am zw5Sq|TmK`^Ak9h6U4+NyIpX6=^31-Hw~2Gy?KNUxWFvlOSW_=(wrCvr2wTaAZ*Xt2 zSU2D{Yz8~PQ+KQ|inxXhO#-zN#Z7rD;_R+C2U{W@*onJ5R}5P+?(^@N!@y?w-*{GmBhtn66?d7=~- zJIofFyz(I)lg2b>zHms$h6%lGP1hHSsW;Lv^Fs`74qYOW`X}LGpLqOtcd5AJ8H*b< zb4k%#E>!15Li#reibgBMqRC-2*G_?#k&zg-IT#KOX$V}nQcNo#z08CR`2Dv^bRuoD zV@)R1SFaWwsTbOBZ8pAHtP!u?k}v;u4iux;io)OILt36koZNMye4+z(%Jb1qcY|Nw(by`82IH!8=5KTkw;?M+Z$jX-rLHR?U4s`Em zLcG3Fi#^1s+|fK)9G_8zo0OwJ9jzc~nd2zH&wO zG;MJ>u?RjbZaAHwD_q(a!bZ^(`Xi=_RVVT(pY=xeOp?zw=EC-mFU=_yh)>gUa4ahT zo|emn>y|8J?DYVAe;`#3>VxD3#E?e6X<9NI%q<+jy>ZceujTPE+^HEE_hI4t^Vy8`0bn$?f!&0I5DisN3 zUeL{4BYNhi&`um*>^r?l2;voNrTNpxXIq4dLOf~n0#H0?yO^;w8WZLRVX(~(u{9wa znJM&LY&Q{qMoF>%R|uLunTVcsLFh9{it1ga;%^}7H`av_^VC#aarS`sV zIY#?qq;s8MCNzoNrDQ>Sh6e2te`&7W+l*LjlXi=k1V`$%Mg=&vqN;4B9Od|`g*O4MSsfE8%nH^ z6gNxMWEI1Vdf7YN^+Yey7}V{zLj-y5&e-Oop^W;l>&J+d!MV6SfaW)vV}$FaY#1MQ z!us^F;!uw)RFY4jujWK?U{wbG40pxCN%|r!Fb!KzyJ6EU@}<5^L09Unk2<+Tw9HM0 z)<{oms9Y@?ixTnA!Hawj8^wuN@lbn1zP{00#Pbs|a2xE4RN@6?{U-MQJU`e>-Yy=8 zhGErCe*{Nw7YSQKh=U%0nS8sLIxi6Bwt?s)wu??nNSAmn2p-qA3uDs4d71_zw#N?f zFxLZQj>8Sx9m1D1wv)ey(7q=VQRYv3LZU-qqGu{@OmIXgq=?zt&a}(f4+O@s2*NeRRIE=UQMu&ZyM0yl?Qp$axK|WA}wRG<2&QXmbM#11P zR86E@-Q8GBZ5M*2n**?3%UJlg3&i46fjA$%S=0^oL#=HPJZEnfNvnusc_x@VOPhsX zv+HX5MCT)5jTZcSF&7(pYTLqxtno(%hffB3g+B)v0qBW~Xlz zZY4Hwu?|Cl!gisUXod98VQ5g=DhARyHP>#duj@77e;)r*jM`v@O-hEMyLK@Kq*}vh z#sr~5eZ-A_Y%poXDDf?tW0I7anqj@a>ER|}V}ZYU*fddj3VBEy^fD?O#Cs$L_WO(q|4x)j^v*NV3-c2K3h_7<^D z7?GdPJ)d?fw%Z`gXm8S^Q8HXPzfN>3B))r7Sex_gvS6WjuULZpYpifiWs0!4R0vbj zi(Y>+N;uQ~Q1^j6n1|HG^=UNc)T8|}(Q4x1hb(L$PTkWN1H^^m3|I#_K&g442%|c9 zOPM3~gboqADYg>oCni4B68bNa;HB&WyA|Vv^UOr7(szZm)>N^qC?2T?NCTwKM21-$ z>T=yNzG;Ebo*9d4188sNqUGX^P7L${$hW?KrEtF=iQ-N^cyxG`sQ4no{9V4dq`pe{ z^pV1na>zb^jKt*G!N?d+dQi(1LYxo4=0kyS>av`8U$j#xn)Y;FT`GQQdZVB?nD|Xg z#7<`q=#ZZFT=)`^*onA+Zlr_KLV=LR)T)H>$EWao#f4P*hRRJKx9(Gc&Zs(*p&h zyR?RJuc0D%WFGuq&`ux4eqvO8Hd=`*vDQXaOgKTlIL!T~FWsfv)F zDM)p3MCRu{BJg7pCWJeo>#9Mb{lG-DWK&Mks3o)y#pC)_7f8P92$P?&*!kTRk(;NB zh60M`bYcW#NrYokG{y&dAi;_95D|rQgS>Fy!D5lo6oHB1-WZ>>MC><|AzRHC=UNtv z)t;f)8svu|ix!EhrXbAe6@V>^7l{1%0bq1*WbBwP<|X*zMR^cZZqF63RlTviIT)8~ z=ZHod4|u-~f!e$|VlDMTHL61~YStW~?dy!!mQpB4=ZFSpM6&er8kkmR?To9yd9^W?3CkrNuJ@X5pw9E>FUk?@g`s8CH z&BP*VdI`_VIVdDH;LyI^#I^%j&?k?4b8#0jv~vc!O(72&I*SOJ^?NQM*4UmdqHbL> z=B{&uqMnktq@RfBjkHhAsi*k5G9EXKoe@87psq-e9J4#RuCkd?4+v*3vn` zkQjgqNr(SYS0bL!?y6{FWQPo|8;@q4g#fusGLXqN}GCvGaPxVFU7xJ5yhGBTg z46*pK4N|pa_?a_PTp*ui+65U#Y?&dF=sf>3XdCCUW-W2|Wj?kqvO?z!RiRa!i_WCA zo7AC;kR8v)O!}Qo(fY%idu3wDA6vAOedfDDi1{$s9u4PPdBQ~YKWS9= zk8s3Uub(``DISWXNtk+|qv-2PzHCLhtJ`%K3NNCe)rmN1=gI$mItmUwT~YZ(Q!HH< ziGDMwmj66XSe%JKi<%iB8Q-$4X>c932z=bQ5gxL>&_!R|W>Dq~+#laWDCj>+7+<37>!5fw2kBwic zE3QzSPaX)xmMR@l*`D@18c5+@s3Wd;IOE(?DF&(Niq-TEN=(8qKUP=VAwA5I%cKc5 z8!xmfssBluzyI_nh#I;#GEbBK@0G5YpKlE{@<0Dyz3AwoK0?ht52fVwo7J(S7-*J* zdPmw_a=3;67@h_7GGY<`e!^#zreo?m@=2Y#!*9<>#T?@E^lH7yN2Mg8RKWqAbQ<{K z3B(-uN>MGgTHf6(kQ+mPWYaeT|@|vfO78 zp*t}I(-!#Qvom>hhX)~3KLF?4Mu`LDpE~M@F8*}IuYI(i>6WJWXzh$4r2V_0F-!~^=7{-w!q72vnBWhH+gBEb zcN4TkZH^6&^^{R=swJYS{f&>z}1&N7WoV&bS=XwIQMGTATrwqDsN zwIb&8t*iVN?UUL=KF3G-f|rp-u_JlS`i~{8Jg5f(M1yA*jl`-&5t9C4DgO#@T=id;GE91aY_ z*be=~Rq{R#dqn4aT|W^OO84$q88X`S75)6IvHNY?d}EIG3$9U<4Whu}lSvuxM!QI^ zp0-Bk@hN>Y2*kJfJ8ULZ33QoSNt{42dV_*{AlTXd$pclW}6pyOQ_NedY$(t!p zh>vu@!!bVmK`FgoW{%jJ6~b$S$TLg4DUS__eBf;v96pnlOhwL{_lIEzv6^?jyu-~l zOA$bNC)X)ocu_(q9#bwG;iMoEwueH8*l2|YJw>oT<+cf=$4clWp1cZyMt2{q9H%PM za)PnX!w=c(l!fNNAk@ALz<-yziTciz-(4kdRR<+;G1!;t;}Gb+?kcj{(|M---K!RM z74J8BVC(Nt%=w}qs_A<&I3G^UkDkzR@<$`?X5=+kIL1F_ZqDQYas5k%5j! z$s>QxfxlRs21ME5z@H<0!@FdhDIY?cly}bBXw2>D+zxMY#E{h|xH9=?N5_+=(#wNaJtWWd8E1U_o4`BQ zg&_YB?P0uH%^z!ppeoE24|+E8IX{ANb(}k!8eCiK>!Ge%}gnU4ce(*&@1K_-f_E(+x#@&2<@y|5`HBZ0r;>TWCLchO- zX`lJ&ksfe(9SWa>PyF-+SJ=|-j#XJ7dCE81Jxh9~LFKKy1NG=mCsSVc-~;zICe{Mo z+qV@z@F(O$Z8tiMyoxQ{Yd7U}7*2b|4@ z;T_s%XIQ~KUsL|J#1{YTzZX(i~Jd9t{KuUMFd6zVB`WTia7Fa^$}n_M@foVQm> zBE6Cme(_5@ryw3~+Ae6VYvA|y#p36BR|MxidVw9Px%c|ie>uBJIA<L68imt4$y==$$%9NIv7GuF?X@EKQt}`#9!R@O)uZWpr z>V!AL6S!_mD0x_%vE_RPKiC+I^TfLdTwBZ|ngcP2d~J%IF7ny*UB96DSIz2c{4wb^ zE#9~z^V>Z>hkBLmuY1t^{yBfRj`9nt4ZqE3=9`G$Vm8AIKMOzbN5oD$^~ei)T|aS; zrNkjF^TzgxpZMEZE~HoYAur!Yu0^+@A=T!|%RchAbBOz>sADKDX8i$|q%*p_R#_7h9rzR%n|z7yokNy)H&!>kKQH9#jT(X-l=@y0_ zG`EHEetxcBD7JN>UQD}_oRtM3Pm6q5n`~%q7yx(TWGM%_@Lm_UO3!6lm9vH z0OuwzjJuS@4|gY)Tk8Mbxomz`iFRC*ZXmQEi`x*RVp@SOt)R`~J7?QqdZiz{t+M!w zO~ik?;t%ulS={`T73~%ZfVV{!KO1U^hQ>e`7}K9SU4X-nAWV{EarI~CFj_eT*2A)R z5IYOo;i1^yIg5uxo`%XyDHa9z@El^9TuW~2(-c8d_>Y=soF_l*kJ;n6+&r2*Xx1qE zt;JOyMB&pJ8#KHg%xg(MyDY^P78CmO}Rsc5%lg{7x+CW{o_k9$v$h3O!&w(Gzz4jk&az_{^=ISiF4)w|qeR zie0@>=eCnS@8*n(p5FMYw2Qy-aHKx1H}!6I@efq9{yp!5;jLyo*NWJjRI^V!V8+d* zc6hVK4~sXL@mV>vQx5)kx!H`5Atr?P*Z`!OnDGH$|HmB(M8zI6Uanz{_sT)EuicF6 z(H*c=fqZmF%=iR*OW1V`LBsL={J=v?oT_NMkAB$i9Ql9sv}3C~<#j~~a!-pGjHDTi z->xwEo@S~kXl^K(<0~&WqP{(;jcA-*n&fxx92UvGz=@=nCvPw5gwUeurRXDyZ}QV42uZ#+@4E7^807SF#};@7z8 z#b3_E;@1c2iQLjQxI(_O|2|lw`b4q8gH16o`AB!jp&o{JWzo?4YKvyoX@=68CZk#6sdf$KE_@`0P>yeE!j%lt^nsqmXc1r#_ymsf}UE6d4NMIYDLgAw!pg zf-g?un4QV^W>YyO#7`x(h*#rY=Qvm6ss7^CBD_OD29~1k#<3#m&n_7s=WTI!X)CT*PN%goZScQh;bMLLYQi=|_~d*I*=;t9;YSZef*diW0B z@aUIUsz)40y`faITgXbU45j)y!3S0s>`Omvr@q`Y>X{U8DNVd+kLoMF$Q?elbpB#H z4myvCTS8jspH8$pxXcP0mPLW7#Njm6HiyGv5q2^bHoi8{Qb2DNmyQ=`(MG9nr`))Je(AdB{DL?NC$ajRvy7(FZ!JBL#)y|@6kK7~W0gA;0# zi?G>8hMMb6I22ui^G~Fh;o^+UrKNZ{C=_l~zaX%f?iKQ^k+y!GQy$%Affx}*d(2Oy zVr9<%{!MO}`8N`WulV7w3GuebPh5N52j)9H(2_#EpO;=(eb|$@5~tzT-V=VOX?Og0 zb7+y4YWO~HH254q3(X&%YEyo=_B6IlqWu-5!|bnNhvYT1!*C^OJ5t@?=w*+LyS}hd z^(SwWEmXJrA-GYBQ|oA-@LNCJ?@Ycs@)P$sOFOZKldsE?>Xe>sc?BxHhO#i47duv4 z!a8vXi97MzxDON; z^0?vjtl-;CWrDJw%a%>vS?=3BAt$>cNEA^ox3mU&Rj)uWv7e1!x1 z{XPh5M-czq%89+CzP?Q|eG9`}*o$mmxXq+mo_6LQTIY>LRAW}hxv<31#HzF>25CEI z_JCsFZ8^=T7CA7hg|3*P>yEL*ZCQYwGY+az4zFUx`rmNG5hYLPk;i|Mjsx0#^Thh7 zlg!YIxLNnSur`q94N1dJR)+Ee;F`;+7G zpx6dml>%7L_i?zj!4{831Tss~xnzH|g)}^f&7B;JPj+@VU=_l~PLIJ0ReSuXm$DC| zqEYTkdHnd9=zEb=X>!aAy+YzuhMf>R2#j)=z!(s5)0asiTS=eqVHq!UJN}j@c z9tj4&FiH1?dgy>A^UX}>(oqVEuZ!RCg-yIlq<$eAntDG0=AfP!>*~swJR!Q zJ?;^cdlK=DPZhBl*IaPA+66%kh3rKO@o(w7i0WFv*3*8-+(~XYl%C60((Gt-JDRUe z$!4l8w%B)_m^?Q!*bFo3&BuB`B&M;f*H)Nz$`k4CN$fezqmCVK%e|bXTFA;)C8LiW z?T2;CXW1Re4^6p87pFYt6rO||bcgKfo5w;&C1E$6?by+ItT{Lls`1w7TbRdg{z^co zE-|vo^I7}F3Ajhh^9I90mhKpjkO{VM8(qu>=foi^!4@uON?CJ#EV>M~gUv+2VjspJ zoOTHgnBTq8v+lktH@n!E83|Z;Gg8{f9)rkyyJr7wVY7XDP00Ibi0hdiI)n zLgj(POCNlLm9zw)ya(yi8g4PCaeipBcEq*gcbJjCH%h)cqU`lOmOs`LM#RWY?)8xM zedC5{#D`;53eOvu%ljmBoNSHP#kbk! zElH@0u!fe_UG_+xh$r1hr>AtEY4u6Oe}{?fWBQQw+?)WtYgD6ZJYk7}@#r?z7Rh6u zGt*0Puscut$o9Wt8@|RO@e=XwtY5QJ{bLX_jCLQZzh#fe=iSlM4i&!dnUhr*{%cR( z#+M)1rF9{wIBE}R&rj?F?e}T-#vYCRzp!2oez;Ei(6!rrV{e~&quX85`P})=LP-Ot zv(gc~eqcW@+q3$J~Dv!|a(V>Oq0wt9crg!l9v2-^2#^N(e9roSt3#tcb2$q>@r zORC7T9oSA1Mejdb?t7xUIKDX~-AagO`eXnU+uv`pgE6NJUp=D;zfY%obHpAA@=zE=`|V;Hnf15wzE) z-&f|`kc`-V)JJ{rjXhbOj48W`pEl|zOA<*?rn!0b)8Fi%4taKdTVrDDKQ_&mW>};F zUK`q8Qu~z{m{bR)F6bz6o|=G0>gQ&Mc9NX_5rb2GY!Ps+vt$wF=TT>Di3ia|51Cd>6hoWjl$*O+-*hGHb5kX3l?dCoxPA1=uaW_dY zc@EAGb3h-p?vjPRw0o3hnt^rQC409~k4}~5*++Xwc9Tcm&Y74Dipr8ynhV8tc7nc> zvSj30+No|sbNr9W66JhbJn7&}{5KUzFGXVD(Vf1_QbjUyzZEQ%NTao{o8+mzHM-Ky zrvH1M7aA){*4t&E)X0+b4P7N$G&7(ZX^C^)yGk}wZ-4hkONbs_CE1%OZ=)Wy_yZ4j4$|9!G3ws!@=r2*K3c$Cs4%pv*faF^T zKOF1t2#=@%lA2xK*qlXd*l7bLCaoSgyMkuKB?BdoLn$|>bNq9Pnq>Vh()GB}Uhi-< z$&h8V<5Y+C4gFS=Twmrue0vvqvj#~FcG=+?o!flpL6WV0G}G(phPNeyB<{DZP(*w2 z(z^AQ+z1kL<3wuiL=+b_Kp0oqtfU4xyk^<}^7O{S2 zFUcD6mhEu2$2WyOlB2Q2{956F`^J4GPVuDG@8gK0CjBH1&Y4J{-f78_{t`{SRP>|o z_q)ab$;Ebws0wjLzh?s^b_%4`JxTv|uYnSa1(DdYhITJbP?ON49f9;_jgzZMZu~#0 z&N3{kt^4{Ws3@XffQgC%$L?gTZFhIqvAdh@?(Q}S36;9{GO!gv1i|hWyY(H<|NV0G zi~G7S&rueOwdb01jNe!v$~+wArlEzBH#P_#-g#heMhoR5=UQdgJYi|nQmIXUanqw@ zHE(aJ_}unHq>ndh7PjOb=3Ra(dHXu86uWoiEKVnjX;dpEG06%4lJC=cPb;Nx5A!CP z(oY-PN-6%=4(GqHPjaS}a(^XzZ|oa-B^W3l*e~t4-2bor?CD%j@hP~%+MG=O+jW)D z50~)H!UiIi`@H8xTv%X>-B;==^Y@*{nEgCgN7YlTuAjv{_664dsHgZ2Da0d<1BTwz zQTpbbhQ~wp5sK?8cH^lZt4p@Rtp>`7PZHz!-e3PhS8+N@4dxtI)GceM#2ulZ%$j^) zZ#~65^f;!HcQa-{BjrpCy;JANP`=hkNq$MD%PaDU<~COL?4_1Q*BdQwG*$*pO2GZ@ z%pDk^uV}F*x1H*XRmu9wy_5(CJI?m}rLhTY+^Zv|o9kteuwPcamDBPo4K!)EQ^B zl-~4anpN|`TRm;%P4if4>3xwnU0b<5GZH=N$^GV|t?WJ@iXJ>W-d@yJ!qx{N{}0(- zf3%f`!XH1$Q~TYej&gd44|M6PpE0YB;K7DNO6PSi(rI?)=}=ZaDnNA z5Y#zVNBPBif91_k%)C-Z**VP~H?M}_>is&3z9IGFXTtHbhqm&9ceq#Y|L!9dkA5SL zZoGyCJ;+>b`&t~?dlk-0Y!H<8N|^XwMzlBct;%1Cb;mEFBj+jIR=gI5Z_i`n2YdYL z{zjAyJckSu<~cThD;y#V(Q=Lxe%7oKp2qZ8xicI0R+X4ocnTkwXKm&2P89o|#EBp5 zuho1nYz}BpXy}dyquvY6Gt zt|^8e#3O2!1|1{gY}p5KK06lh_hF932T}bl8A=;{5uo!?Y#AJegi+*FEdD4CUJgP9 zwO?(IeiU`Qct3yZkLceYMSm;ih^YaXJc2bqh$m7#$!N0wB+lJ(!`Jyiysv%|r-!;A z&NLWbK70}%&oi^@eK1}de->9Z+QT(B1RckI7I%9v!`vnmLVgs#SkDIg{@oY-WLGZa z#bSKq-6U>KnP^a0gf!kEZOdzTts*)GE}3= z#O{&jQ98>JZ(Ed$77=Gr<>SPx_Hr@Zpb!oD^QNaM7mlf?v9LbbznSIY(VkQ2M#k^i zdF3K{po$TTnMHNKO!(Kx#a(7m?OswQdcV(t(v&>>_cz2HlXN8A_r#~z8zMC1FpA=- z1^2umoY_5DzKr<}88<|1BlOISOK-UrmdrmgYH<16Cd_n|nr;Zo&Wwbvb3eO*A_Nh0f zzB(?PW+Y+JC2#n@I4(k4#bJ#LIpe&?P3{nd7sJS6?temb;yUjnBiMb*3E}>jdd5S3 zNKQW?CI*qwI@h1Mq$fn%eLfhb6~Omsj(Filj%O-0=v#Bdy+Sw6!2;>|%@K|rUEuRQ z5Wz2UL_W`rV`2Q+FwPZ+#ak?90r8C)1#2yeK$u z5h*#2xaJ!tOyqeyt;IaSN3kN-gr4$AJd;afM9u6%aynh{y>+y>;CcrA$od{&5-D8g zO7!{W4*zZ8LV2BwkB>ZXs%4m16T>Wq)9h)Qh6*=7?&lD4qr5^yD%bhzYH#cmA>!#U z?&n@UxX^)Y!a%8a91~0}M3_kBz4lL4FbpS$i5(R-a3ZrNpkJt{_rVr#hyA_I+rGJr8?SG`js4T7 zOg_C`a2?py-ElY9vi-gW_ z4;)ywSDct@0;SWUF^*}jEM8zsJgdJRCP>3 zzhLr3{kMs5&V5=e_eFx|HgUC_cNudsZBA?xJvcjS{Dzv+n%l)3&meq1;t!W)+l3zd z@nTH?-V|*Y2imfyXF?yx$Q`0@H)fOG3d9r54$*%lwH!XY{|wwIsyL%)KOz`cGIxr$ z>^nC59E_WtcZpv-NA==E@HBdtc*8q!2YM7IPud}NoFdcu=ilp`-+#GiIjtPEsefKm zeX&?*bOTGX*~h50Ky-Usf;M_~$Viwg!b`8gWi{)Vd9y`!@l~AS9Cr1I8DitB%edFV z2@94_6)(*%L2J7+UVWM%ZUS25^^}(U4o?>u) z=0}s|XqMPh%sUYary^>T!h4D?X_4q1;RmCWJ;jh0p;)uZAMa}S5@X5NIM6KsYZmnq zK@I(pPG-fxv%SR6x84}cUbaF1-lF^$8OGa!&^D#F(Cb4^d=KiSJN6O3y_s+SG8juD z`-tV7(Y1{WL7QfM#nLop4$Nik=hj!OTxWwt4Z|?FUT=}>X^TVDp#Hb6vvD&MF*!G} zbGbEnQslwzDTCoz*3TQ;ittgT{JQ8xG-xH%P9>PYJX9Pp6#LpCeFtCW*<#wpzvtcc-Tk~Cc z5$*4kBfpHkiF%Sc=o^To*JbFBWAL`Qj@t*B@8gkz;N8Wr(|5!P`p^dZ6>&c9M4x;B z{bN_)_K+C?5e{&kav5XBx#GE8iw1Wu;@VO68>dV{mCbo*bUYw-T3{V{TKX+LAX}LgS^O4)LlrXiF;d2YaB#2LLl7F7~^)HA40W)VA#7o zDucc8`UbU*XFI??jx{?q(k`1jBB7l5>YK<6F*Su}PiNE{7>e$X%@MN_lC^&8zfbj1v>TNtyQ89>>(STM2z6Q9{2 zYv~IMd!2Iho@<9(gIo)pC#A5sXphc{vqkRh64(xM#PeBgEgXMbL(4|BYFDUmqg_BFjBpUIo zAkRD>O;>nf>6cFhkzI~KEb(T}?w^9$ap|}_!v|;2*3g(a9mbFmzL*(ROY{43A`H4y zmta|2(`Rigp7Jj29aUSifcKQP-~AETtG1@6VuGgOyR_rx0fBnyms)C`+bI76A%I;cCP33#)njieV&f10f1>1k$=B(cu z75cR`=Z{w6>Q~OY%Q|R&?6`@9Ep{07aHvLiY8ke?w8yZdrJ5e&OUcn8^SOtuCVpKB z22?nqf5Sk{$n9gn&mx?;dr_?9>kYvcJVzp{|GtcW;ZpV`w!zxEPc&- z6`FzhiHP$j3;RHYMx9PJo2@^(cvWah2S(z;`T%@bP@!qLl5>96y$`?L)J!U79t~Oi z9k$%mG$fyVf>AKSu9a)9jQ55awHc{x%QY!em}goVf|7sBG)t|>`$`SP=lC0%A*IZe za|*-rN2Qu47!GffQq3l6@ay)9K>IbW6gqwA=}@An>qmTGa!5@&cg zdmz84k9ymzc_D2(u_k-HR8-vur!(!oH<&VdegVY(+eP6#H0F4}^P8v&p+tomXc@0u; zr14!xE%fL~gVfcN{ooxNjBhpQ%4+WoKj#pnr4Ce!J9uC;`%njF4^&r@uUNvK#)&@z z)LAi3nAw#cn8X3<*k%rROFdB6$pcgzwna956Y@uY_3%P#6v{|wt_)H`wldFW^544L zbB-O=j`#0jwud#c`uA2_1l>Ut@9K6xp&nU$3;km`*Pb&@4I5g4W&b!Jwfij9YgjqV zjyfVPYMDA@@eLf{%(D3CM)kMtb#g9U(4lCz8suG!MMJ2wwX#xs?JGjt0&42E*r>hq zFJekPPqav}RdcJI#`4Zyh|IK8SJ7*{b(l9|x7n)=2OYzqsXj>hVy_Nk{hTt7x`D9{ z>ac}m$j~SJbhm@*=AMXG3;j{z?x4167K`K+GEujPD~I)XsW-$S3zWrJaMi`>q#Kn}p)f4|_H6HvM+h!Z5GIUhSymiYL#) zP<+r{oxoYyCiY?P*x0Ml%nNOr8G$DA?bZHsZSgUHb!1td{dtHMG=W7-T zht(BBFT!vXIm=IvsKxrHQNFBj)Afo~t(k+*8%%raYgcnIl{yO-W>CiY3hO7F}Qj%0K4|3sk^At+{?`4-s{p-?JFT@ zoX`8ov@~@MwMAuF!I<4UO}%x}7c~!ukU^2A2754Ln(xcguTxbkXLn5X4#SUgsj6`* z*(TH_`oyKG0Y4lua6<$JSf{FMsi7#DL(S!)RQ1RY8zc{7W&l#v#AGX!{1c6Ht5d0S zv&I#dzt>sSi&Dp2dWd%s*7U3g3xvO^?;u z3sS8%y%N2u@l2k1UUiyv6Z?FfF~#$$S~R2#2RgV?V_c$o|G19C4AydoZm214#rPsT zFk(=-+I-4I)MA}{eB(`Z5%=@86f$6^R;cZI(DTI}<;^!0s(eib%qt%hPp?$>cVS&u zoq84TN_Eu3Ls;6_A5+pQ)s8h1;nq3;pO06n1_xsBxnm$b>XmB5_z3dVgU~suQgvM( z0)wv9B|28Buk$%)>B9Tk>Pq$26kq6@lM^wfQr*iMXCpOoj;57rKx20Vw4}#MyHY*W z$Az=R2*f?DP%l|J;;L38+MlmbZC~3lgFBM-YlV7(bLr&gQF!BBp)3JT^cX@sqSrf z7CZf!{ptQ&t*U*7nr%7273(#Q5bnd4O)nskw6KJ`g{dP??IsRe>R)mrD`M#Re z-I9W@nZEGTt1g@EOUB4^epub6x+L@){mT3?xqWr16&8in4+5B{QC+r+u6#E(pUg(ywHxZl z`Ac)DdE$(c`F&OnCy>eay0d-*c}k`CGmky8!wuvla)sNohu^e@u1vm^ijRG%`RuDJ z?exjNoZ*YC>AG@MNCH-D@WZ90x^m~r82n@7k2nA7%Ava>pzA}A#1dWEmYTi9h(H{h ztt%hQ3M7{`2+ydopJ~LJIW-u`(3JrVyy23`bEAi@?BB%${~qJs?w~7&Ye^5IuKZhHIWXSjZrJgN6gT>UdW~{0yr*9zF zh#&Z1V z<7hhA4OTDp<@8C}Smf=FyQ+blxIGiypD|yX9*{amk7A^t{08O z7lu zN6x1IvUd=scWNppPv#7ZTL0*lP33L&k;ab;!P`bn<@!7yXr_gtQoE@vHS@y0xnVf_ zyNT32?v8{-;dt`7iCnwf74zx0nq1XHI&^l%iGL$e{bdu`TGtW9E26L^i%gh!_U=4c zZ}icV4%8_%===9NN6-JPKD0QGpVSXjJg6quM-}oOKn+thEospAG~!>8EqJ+}?EFe% zR6l#Tk7+1Pvo+{$<$%22`trGJKJ?Ez!h#dMy=!ujti#%4QgeA^#tC$t=z@q)Lzy?@ z7%fxGPuXw84EijLy2gyZUM-~e!3=aXAg8pjh5Yp`9Ybb&BBn=6G85A94?Tkp8(PX< zJ&z#!ls9^Nx0LbBhq_bdgEZ#!^}iaAZclu1<48;CH!}u~ResP-Ybm?ZH+h9KyKDUX zC1>IuKLhYGiMf6?f?@h65Q#DTd>}c2e}eEfw55C$By#OoyP9VJt#aU-d$R5AGl zb-A`pWS1#q8MUQeVuqpYG%^pLr%``4xTTywGzYHsPB8D#S{88+|H*X5u2F5|h9%7V zen_WL^|rE|ZziTUa$}ZBTRGtFQ7jPd5IV+kGky05HhCam6}^O+sn{P)PkpShY}S~0 zof#1$WGp|@N1jEW=g#}a()FY# zrn!V5?~bv|VD?1G-cTIj-`kaQ;L+>CFtgHF>g;sJ>3QMU_PDjYI?e_D)55W|c}qD# zkjMJq?|X{DRxPQwk*w%{IOFE|S<(0uMoqK9lDUm!o98O@ciY0SOH;Y@ZUM%H+cAIL zNE$uo+S03%HMh0g@+$`yd4}BWXe?vMG+6nExnR%Q$pA8Ii&{A2>Am*y1vBf<^>snX zh7L0NXa=@TaYcA3pBpo~a~)^&olWE`&ZoXGr=;#S6ZxP)D(WS8peo)(E~SUA%W+SP zJ8dFQx+kM{rWZPuo5)9l6Oclm$*xBxa%Y2B=DPb}%}Wz`xpovfd-7~~V?xGMIK~|C zL%>@TX-;m+nYI3C#%JB~K-`$ceg4`+&gNV?ZfGC^Uh(g0=!?m$RW|bfbLNH@`)9#8 z^1?)p<=&3`$-EFg-$>^kc}Oi(tM+na4tq8{bB;eSmfvc-GBcTd*lum)@|#YGYy0;) ze;HFx{*Tq%t+_QkYU#Mcho4i8rj?$f;#6aq=qUU##M>l6;jtldxayrT5SC7Kq zn>oerJIOY~)6qSc90Oxhd57;l-)J{PjWd-kR-{m~<_^1crm}b9VRT6Kzzl0s8SR>k zh7r_Wc=FG$N`Rr07vh6VrNPozOx@@W(+E@9+A<1O?A^DEHkC#)96J4du`k9{Uh7CN zC*OrH_}n`s2)%ii{K)6)(*w}H(jVXXyr8)s+U5jcNUW(0rv5?%1>!NE7r*v|-}WHX zi07aGPS3&AU~DGm>fS#d^oR%JHu+aypD=&JlJ}zj?DPNDb@E<)=@%^Vq?R>Sgf^Bj z`!r~)WkWAbGdaOKAG2%QA|tD%tY4T5gPL~eWXzu_-5hNC!|acn9c1{D$Zb_X?l)%%``Ky7MAFpL)pJ?G(=iK6iBq#%Z3*r}%tu zLLf%2_d}OoX0j!&m#p8ic;HLcn8v*(xO;ws)CF zZ)zy(-p|GAi}WDtw3Y*V=ioMVS+?}m+E8nuO^v~Wz8&R}2FGy1fqJ3mrgEBX7WS=k zK!@4pvctCwR7`Tjj#K8cK6A3V^>D(xqvmo@wRHG2az=%vxjYz=iudn07nou$BPOMw zsF-)j9_Dhc-Vw~qWY$hgbNTT0Ay@@ao7K=<9$J=+YxJ;8)iRg;>BoOEfb}8Qq3(}Z zvRysVpKBhtCK{4nExpfXa?{rc?B@IQ(|a>HF)j=pt}paMPbWWU-kHf7?0M@=^2a|{Or=?&586ji^Gtru^OoMw z%?tQzpPQR@k~a4|@Ps~)|L*4)V_n(1ARiO%Fdw!|UkRnNV>0pZu|0HWn9ID%qY&8+ zIOS$8w{A+u3_C}xCbw#F<1~z(LaqE&GdaJIxi+ooja_dho4XysP--{_w==Chx~`_a_(rn1-W zK+Gi%L66TW^EBstWJbvbQ+ezy{rV}~-*-AmcUM0ca(2^vJAdxneW?BRN1w`0^7Kp} z>|?H88PBeUPrMLN__vF^uh}dr;fAydbH_`)vTTNu)=rCNH;EA$zCcK-3pw~}N6s|InAGrso9rVHz z{_O9p8;Jh1IrGiwAitRfV!9{&5cB!>)(C(Dc{ESDai0ugPL`z~);H=TTb!ZSyq6zl zel?W}>(Hjp{?>hUE2}H>Z=JxwWAq5^Ybbm4J`UTp^w6F%kly*ssc&V2ZmEWH_^K@A zUbaD1$JTPTX(k%&=d6)DhesceVl;KOF6TSQ`)BA`F1N$amK~*ocN(UX54Pg2i5x#G z6{pP{FhWV>!y|DpWeu~GHIK>~uj(B=p>>UA zuOep1`tZ#8*j5gy7KzvN6BRycE2j<*N8b|a87kV!4dh`i-RgmwC2i%fT4bKPfF^SulHOjbUgae->t-3;iw6GYn;) z*rRCQlDZD-R&udhIvO6MpL}6kd1y}>Vpx-G&oq{Om!;w%Ju`EA7)w1R1&{XHW4vBl z`GB2sak^HqGn#>KJ z^B0Ze!s}#^kbCcwWhB#?bJ}&P84?7lKW- zJ)jG?;k{V5B-ysXfpb#2*-+O|5atub{*J=v96C7+V4Vbr&wbTU2)hn}1@M(ayG zL#}Nudmt;D$vdsm5K4b(f`ySBV48|Y=a?bu-$IV>LcTkFD^1QC$<}1sT3@!q{H2ES zh4EoHjJHSEU(Mw5?uTH)S=hr> z((h#=j+}GE_j~&CGyPvXM?2xJv%XCJ97q2y_57ps&Bq*dG-O` zHkKBtQOF$Q0?X@-<<_E9|Z|8t)IcR#=G zQ>C8!oq^c>R%p}khkA^A74#hbNvR>{?Mp|-25UU9)|N#()A%#T9>{GSd5%2b>vL>y z&7-00n4E%VJWpCrXe@t|F)7LGPO;LL3i$?`(#e$A-&iL6JOroKcKGM6p0qGH1S8I9 z+7E9iZw)+1=CK`oDjG<)P0852m`sn9`Z6dZ2|u|0%ky>Q)9QSto_;|!9l2``eRkxz zxoxW_vy}uq<&6J%y?SzAy?DH1@6slxu3TTvp8p$1oZnwpzE7o}ae)(dPp&JQ`9xzk zwNgX6)s?viqVR5zGqut5#cwC;^^h}kwCl>%+auuB!UeM**OUu4lEcx~5mmCb9C|$r zAFuKM`Ja9Md{R9*f$X0%)S1_@Yb7(uEL>U1o|ID)IV2_sUt9mJGtY@GR+R$@$Z2YY z^P#uYscJm4_?V48ckvf3ZjLn{u; zS6GqZSwpTp9?R@hdI28Rlx{1T6L`Q1BX-u5U+Todg1+3X71d=`Vhp;vS;0rAnyeuE zXo9yDKIZ&X^|fL!EWirl#y3^#Y&2HVmo#JR7qu_f=V_D`GMqoDU;m}YJi!WWbv~-~ zdq-pA5i7*Ke6O}Eh{C^FR+y>xUVS+{3cvHMsCRv*W?zkDhOHIuzNu2R7Dpnq$O@zV zs?=tmBXFR?3Qp6i)HLr19DQVk(vDT?#-0)AOfRde!!6aNkQ@l=U3zc6r8+r=;}bbi zv9V9op?$)jear!M&b?OyGDG3a@2O#jma>@2m*W!~L&Ez#m&p1Q7cID&i* zV7cij^$mUb&9o1|V&OSeCDWqqw*B}w=%PA{|DM1n`w)HUqS~k%dth7k;boum>Sk)O zJ{a#qS?C${^h)~Fp6tcq-%>3i _UR)?BP~$Sg5MaL-Q}Tm6W>&=G(K>_5X(Bu=O64#Am9x*5T+rd=F~Y z&s6(FhT~SvJ(wJpp|&arM_sua8zy9^o9=|8(Z1c}z-FkOszqQ-pWO&(azu493`cTZ z8{GMISoQxzjYbn@R&C5w-?kz%WEbnJ%^Gzu^||wA+yAxC?>2s<9t{kEy|z)W?g+;MeqZb=9n`&Chr#@p{+8Ktlx|V3L!bzPn zFAP>64#3deUY*7{XU$IsFm}F;Dn>EmwU#Bu#vD-JDq*lOvgEvQw|b7++JikU@lLZ% zUED7WpT=0iu<2&?Mi27*7Fwc5j}7X9&g8Xjv_#^^wQ5Qy>cRPMcs+EDn%tf5r0l~j_9jq!Qm)4X@%>3nvrk7{XmaxtG3P6LwR8+DY3$1!=~!_ z&75sMvqID2M(TI&d7C=)gj&{De^d`czwXwsZLFsKT7RXRL*S-)NpT3dLIk8*J(FLUWROa1St(;Kmb;C42b`=u2w0 z=#gfcV+fo*ZSX1NfoA%=5RA#9FKO9*%>nWguG4?|EbyKtUyFbKmkq2;-f5iLhv4BW z8+^H1rTM2J8JWLrF!Rh8jn|!En9SyEI_8Tenw;2U%k5C_OgBbV1Ym2b#zd(O@9Ot)IF!(Z~Aml|14j$&L>#0Y<((Gsq{9px(9~lK@@lmKpExJ>k z@`9RKkvOoD^OyZ!3$)1unjJ)cP{+EOoK6vVbB49|XFW|?JBTdI&Vd&O@ z9)ZC+ngI^fL(Qjl=iHBiP24{V!#IO)c(Y(-ekis)vVqO14Eota(Ws{_a_@K+>|$2= zBO7Yvk1i_6NadPbr*G)3SwR=>nZBGs4AlOeU*}ISes8x!M60~~!#pPoPuU@{o@>7C zlwd?PB+sbNr2OmjhMy-Nb$^Z4`FY7faEY-;W#W&#e)Pn(e_@Z}$kIHsI@I!acR=&I zh6R_02cZk=&$D%#7ffo+`Bx7IEbrr3aK=1{nPv|7e#@btd($8|9iX?cO=5v1^-a;; z=@@0m@0Ednuk$=_dVd$kLx=Uoge2Zmzp}?zWrf={!aFKc-DbrPnLv6x4n;G4spg!g>b31g^>PU|FcdPSp( z{iSagJBh{Zc%F~7#kp>#BCum5KAp8C+s91ou!z8!;da0Qb8%%Q^WM3~Lc==?ttigl zMo_0Wr<-X1h<%33%t*EGDO&ZQu4;}066uQ{Z5M*+)Je7;J3x3<2D46d#GFlo#lAkl z?4vtjlnKN)-qA)fAGbpfMJ#+xuGa{DT>(RdGA z0PcU_tYP7Bah>}8|IIFEZyGMP-Sxx6`flhwW4Ndo=Z7Of+E7?7YY-({sS2^>)G}mhV)?xPGXt?S*#bFP|wIkv}Ij7&Bhs6>nir_4MHD! z7@B&zi4A0*$9{If7&FX8?4y=s z^*K)*b8!%DA8=L~%HGs|2k|GH-j=hTSnO*fwix*0-*o!s+-*c%WoP(r@&fL#7=1w@* zGfkuhhcXYDYr8L9$j}f>V_$kz=23Bgn$55z7v>&jh(fIVw!Pdf_wI zeL!4_a9hr^@3apby;DTDp1f!C^Zs=XiplJAx47+t=G6`gz3blCM}NUz>zs6&{uie}E3++qcFp6caP-LkP!D09w#5_Ox#I;yI z#Cx$X@v%%ynL-VVvnwp_my>BgZLBT*A(=PDpZ3(x9&pFF^%dfQK671nd7z|LrHI$& znYo#)fX$Vn;*TFZ=-<{&trS+jI9KHwZOp3_>#F-=KJ{a@!z;xd9UojA=?mwXmBNvI z*0@w+bTo`dwBOd1z_gW8zSR|Cz_DibRq4ASWQ2Liy65wV~a&B z^-C_V{88AuSm?~~V)k(WR_2rm&oXa>7_!HjbXSaQ;)8y?EB<$#4Zb}VH6jjT9etWJ zy`G7HGfAjD#0Ec`y%bi}67ggvd;7az3zI4FsJqb)pYz^|T3N9e$=-hL$L~ZvbFyN> z9kAoo2XQqe3N5o7@ucvRSUNNkwXQg!-SRKu^TTjhlLZ}?{Z%aYVZBO@>#3}7;?%fM zq#L`@JNjLOHelbz!X0bheHY_OgYb%+^LN{Rh+5IqA(BmL`tgV8wTWkf7x~*OehQCa z{ur7}zg6B(p|F> zeCSzUIb0r$)m0uyQ0go0w$vVWV-Ck(UYzya z;aO0lfs!%K7iH8x>*+L5>NoabrUz?+cl8zZffsVz1L3BrujJ%KgnwUblPbcr=$ z7d2LXvKQ1+WsYpBzLH;y+0N|$OsX(YK8-twZu{-A`B@XiI68@3E(g52)l?~|o{0Sx zPH2AZ?0@%@7=Kv->F{Bm8@+(coh_i!AqJe zE@s}C`!fvs1DY$n9(iKcBG&yan=6;8=l`F!HtAPGMJ@5gkJr5SzH6wwGV?`TXe4}w zX(>g;-Y^~zjeCTsI?btu8~{RxtcP#y(gS%|GmzWS2R^lB^6+_ zwKc-xnkjKsc^FaM7BBg=d|a183K8|cD2R|_TiW*SP{xnahR7D`l&ROqF-!|$?@a?<<=dRp+^UBgI; znsEqyFM8p}RzoGkF&WjU+pjsoQ2B>mS0mQx3H&^iI*t1D`dzwhs7#+1hgmlQu#n#Q z@?$Xwnh}JdbB&Z_vQQFl1~a$9NZIcii3bbGC$%(EEZDDj_9zU74o1rKedPJAi9oTp zk#hG>2!6dGOFG6#In9~u(Jj%`+8QacWf1CpW{z)jJ*8u*KW3CfBj=8;GQf}?@rN-8 zSfj0!=KG=UMdsN4XW!=eeiYxvyJ6Fjc&M$b#2D6+oh#%2+RwU&8Y%vfm+^13HQwbk zR&v^1!~ph_ciZVJd-Bg==OcQ$>l-N5*A-&5Gw(!84HSLz)40I7s)M_MQthKe`E6%Z zxfv+y3pLF3cEyXa2Fj`M|D~6c$F)XZslF{2i$8jxM}x+S&zKW9P{!F}l5JhZqv-{_Bjf16(Yi`j-dX6--y@^yD$_Tg!L$iZh?-qjIoQ{Hcy<2sZ$}cKvoN&d>Hg%M(rwS0w*~INjT1u6B9$c9vk@2&ZGICZ9hSLw|XkAlz zY|31(3?IyltD$t#&c+VT_m^y}q0If5fv3g+=&Pxr^mvyJ-D`o+8(&kYy@GjG%Y$*h zqNZ}R`C&}IL`KqzTFQl+Ntk5LzWmEt$_{?r+t{Z|URhfSkTK9BA9&`i+DfZekvQEZ z3UkM5Db@q%*I5;fUTIoNVj}Cw!!f8=Ph06tE#B(aN{yO;57nk_bG{t~~}TtpVLu0rSj62t18M|e85i*tU8ZW)EJTw|$OV(_!e2Vu%{`{gC(d)E0Vj*tyG_jcT0 z`?g;DGBG&D5d#jyqkqs<(V)x@eed&*_vXCVm}En*Luzh60*aIOLS40WD}Hxnywv+-*IN6M^INc@QTRcy|OOvNRfxH3Xg*UIF!#`fc`aceH(ok zrz7!peX-DNV4X${bKZ#(@zd8GMW>^2>eF>`_#XAe1u=Ni=7yL>9mL)YYH@m(iTe-i z(K|j4gSwZCy*|88_{QV8&P@@rfE)tL1k6;);3{Y4W9;ASe0KI#F|TV0;?vn9`hJyl zcoB@3vnMwFs>ss1f?h^sOzgcZYI|SAsZx540xpOyrsvTr$O&Wf3PtAGLeyPKcH}21 zir1b-X)ibUj>r?+8=b@q-q9XC%n~-oG}Lr^;!!}VC|{h9hJ0sl+;&j>ZcP1HwlDTB zPZaw~j^j)Ky*#lA;_-n@yf6wxl|iD2c1gwOwLysJnk1qwl5>?DjN|diB6NBJc2|Tj z+w_n~=*W7eS{U}!JR(jrLnga*IGPruh$uhSu-nl0{fW>`3dY4c{s#aOcRMvsZZvVAASW%2{w z430-wMvn0RXiLvHIicrrg&uos9!81iXmm(a)Um~zw|}qm#J0!8PPgmWm}L!phhyT# zy=yqJ))s~Hvc;N-SMl3~dW`%Gaqr3{?0Z7KS!t^1OGd%P6nX{=4vKB`Zhx_K!D5d% z;q7t;wsYNZbXB;x(BTv&Sa_h|gul40QPI`h3p3_>h>C>;_?HZaK0BO*nRXrqHSj|X zb9-T=VfN5Bf8<2liKbn%@R_X6TZ`?5Z?Q|!f}7ZRn(G|Od;UQFUG(={%#OhJHeTX1?>n8Sl|A*%TRd9Ip3hD4 zH_!Tt`O|rKz8{Td4*uf8W)Dnw9D`TA1BE!|iu{MMXnZY5^fxAjg6Brj%n;#pn0K<0 zcsx@>#jKfjh&q#iC3V6@gO)bP%}hl6pAhk>Kj#3068}1%=cR^=P0V|3bAq`+&%(vo zZYB7=#TH*I!o)0}BJ}NHkKZ?f#O*p)u;#M^!tVKsFt>~FJncjVn!C_xejdNVT=36h zd+{)#5X-EX*$}r!BvU&bv4K9`oK?c-ti%+0Fx~IY5-IaF*tFaSbt1tIkzyKJ3&m_pNQ`4 zSy!%{B6TJ^_R7N-h}ms|Fl+*Q=w3_2fl5Ej zT@;O^b^nUF=g9G1%bcO^tA!o=BHuU1Vqf_>QK!8drf#J!WZ@<;$C+#Z)*%~CY!#z9 z`)#s{nzK7Q#D`;c*f2j4J2ksS9+`D66OvFKvt9HIwne{^zt{O}16wh3Xc;o|=zlY} z6=8d?dznHV2%U!y=VAi z>;q;C85)b;CgO zy`G4#JcpxX*>8IH1c&An!h*enueVP?_vR^RZnKuF=8cm15~iPgFlP6^SpTvBhwJ-e zVaiNYEzZNL`t(v3EkMrrW7tF{L-w#Wh%`Hj8efC)=i@Huj5-2)-jQ2Vi_?+1jxgTg zTkxFfyfO}H>{UJ9}PdB_H(V_E`9K%EuvU%RAe~QHRFN*B@@kafye|lS>#sm%T%GvTN5|N9{^SB(RTM z*S!)y_Apn?E(uZQ56Ek?g+6sBvHi3~H?j|3Cj7n5-wzpx4ple*kF_|e$Ur#PD?<%O z>WdO|MeVWIQ8LLM%}Q$so7iiZ+RhPYdOza(?J90ocSesyW)fOnLIOR5mDF8DeL9bb zx8y&B^~9=mXHn}nd%S<5EfOA`=H8(vp}u=w_L7sRJ=hluUT!YXeWk(GdCW^1;abq5 zUp^kp4}@{ro`TnPk7F#E?PH846tu25iqfee2nlOeF#Poq%;ijU&hotc=@XOD|0`$D z9qQ$G`5A{CGIkgHmJZf?AB71UBRQ8jI%J@EI6j0iBlbmei^mbc*m5!&{!Vi&LdOPR z)4doxUg~Z!)6^GxzQpqVm0}Uzi`ffx$l{E?Vli`-JIWg;pm)?8i_(+if;UgZ;8HDI zffJ53XI^+@6O6pYjJzhv*l}Sp`Yk1kD+q?kH^0lX6YVC`gPAQr# zA5_#y^k?9`X8#+{T1gnPq|$~| zsL)u3xkY0c`&egakY#2wo{q*HI{vY>-%@%vF+I~oe-+a@aGy`X|M`e!T5 z)#;i;h<+0Ri$S2Rv6?g_6W)trQ4?dRYJJj>bvO>j zS^CP^A{o)T3Cwitpmyo9-^usgt-sr<1O1uHuxSSp99paNglPC@CF1v~I_fsF80s(W z1ROP0&vwiQevyQ)4V$QHyF0HOB@zJ8D z%qA6=58W@RVLiCsE)8G%JS{nT&I{8rQ*nI%KuN1dmvO;mGlmU!FZsjrA|`(8h1|N#lCTZT>>f<5xXv`l-oT3%7ddz}I|ePUEm5QHXX4w6Sd2Zh zNFC@wW-0sY8^->k?2D2ydvyX9&0MIwq7zY3NZpV2Jmt@GN#|EPpu1qUvNMi>gT+qV zai6Jj3iuwFn8bYd>FN^m#ilRah4%K7)rn2PWbG#-_tkhcGa~@65T9(1ZCK>Io@;x}Su_v(^U`c)XRd^1iYHC6K`UxFR^X&0)D)vV<6D44)^u-Q=c zs@Yjo&Sr1U*;(!RoQRMoB!+TSL%HF2%M|dO}>2FsNtqSq_%V_4VZCC#!AHcnXG4M)FPy_t-A<8-q zeecGrsmHjN_T#zwWSpv+up2LLGh@*$R*mdV=7}Zu!xy5}6!sdX{glYMdX$nlvI}CE zx7Q{@?d=nZcV$WN{1B#!=~Hoe!W@VjAxiH>FdDR3E6fd2-!oHds%Z*-4GmDc=F-E_ zHx>39{M7Gc#r?+Ib~`U0mE+`v?9u6nTlu@%qP%g(H4Q5QhO6p#%$DK!|93ubyx3FC z_Ph<8Cv#ZGTICPF!7OR+pLM=eS4LgMBI;>_uZ>Y&>n`JOGB>m|T~y@B3s}y6`p=nL zl(W@2$U0xxwT@CIey5R5o_(!hntE1u689VE_*}&08dh<-2co)Nxfq-TMlEY71T;S6(x6ae+K3vrETSqFoj?`^CY~ z@wjrGlYvq7%wru_u5_w*WA?YqcG4(Q`TKUlEqn+1{BlgaIL2Dt<&SIf5jD|(+0?C* z5FRb+cp5W0z9y6Rj}lewx(y>2CS(2NVwLI~g1RlcA!dat%Y%L+*4g*H$yd$GdG^Xp z#n{`q%BT-Dzh!ASqp?Rhru)FDc`C~1CaJ7pThWlg?A7~=)NS(5wVI}XHqM2^maBrw zJLr1J18eU5s%qEX#QGGnE;wbc~N0w(AOx{py9j!(vo+!$oYRckbqf zz3R-w^H>}0OJ4e6wJ_@pR$cbT)w1)-U>fRNt5x?f9}FCq&J35!s@lvKhvz3_+{x1_gZkgRzPmr0=l`A0W;qe+$e{~} zqW*T!>TRl_-#JWW9mI8iv?_Xb8XZQHCo?`-ExuZb-6uA~{!XqkudZO;IP3f#Csemr z$8kcR=h7!P)m!aygg^4Zv$N0D;EtuJuk^!6ddx=|9YtO-c?BlT<&M!|1d|&RSgb7{ zI_a>>*J_L7yD&6+lYjx^wdA^42pk`8rx#vR7E@C&{qhbJ)HjpC)zoN|B$Bt= zRNAkkA2x}M``#K-$Q%-@9f|N5{6Q_7KQyr*LYYC%!w9p;STz9(>q{g!{Q_7w2K-5cXb&m8$18$6&Hx3)WAnQiET! z7E14fZp){tria4)rQY~TuaWdED8@NvBR$H{mbcDDIQo|l!uz$6_8NtV+eB~XX+5zI zD!^6NnzlCTBrm_97bZ9m53cKr7JV5@*k?&@Wgv^maXoyG=NmDQuRPMJoeUuhm)_*x zcu0XWcqTFZRigG9ya!Hvet+0YSR<`zWebZb9jHca_d0fsH@& z3s${SR|5`Vaxhs!N1ICTCPmEA-HK-ubR~c_B5d$M|6zLa_pv-QbN40FKwpwr+aI^Z z59V%0vS$f%e#wq-)ise2&n(Oj2!L&&sYLujj=Bpo0?(SscZ*Xo*MYpXS?1DaH*<43 z2E%c&xh(3Eh_a{5qtP>$8tO*e%bA1ziQ=e zLT_egw@wm9et(uF**;f0$`BVHT&HH@tIqAk;~n|B*`IT$p2k(G3e%JDp^k3c)pAvD zbpkud2@Kadp@Pqq;W)kbP8ny^^!_}He#h((>+8yECAo83wxDKxt;$O)!TTg;XzIOF zk6siZnp!M3KTR=oJ&4#$W}wux78{FvoJgY|Q=_A-Gtb3Lxc9gkmGlEti{hl}7J_5KW!awF)!Q$qB%-9n>3yn~K$DKe7m-u*r>|kt@e}-Nzn` zv84aOeHOWPTRR(z<8o%xai71si;+apgB(N+@qgD1^Cs7nN5>P`Khp!peJ-j8He6#1 zsNeYGqB4GR40&X^mwI1S4}Us>{!a9g47#VBi^yLMrZxM<7wRry$Ok(xlCFQjP@>q4x7cpvN}6F27Yj6ko)L3$F?_e1lhA9{qC%lp6f z;Sn?P0@hfF=B!M-Wj`^qrInaoN{9W8K%`%=mbbrB$&+stAB_0vz2xPf z9Ykl5x$W3X_Rw$gj$Hon6+Pv+1+|eg!{DviQ{3i7!f!m;Yi+EhqLd7B&f#T$S<23F zp|~+P0;|vVklyU4ZT>Qn^+tX!dDJx7vUlU&UChG#u!{axH~QTcd;6d@dow+Db(Ko? zLNBmK`BuNHZ0GZn9huj8!A#nJ!S|#4=QC@j(= zuw`6NX-j|Qv&=~7*jURoj)~rw5S4)f! z!{2BVZajIQjLS>#a49ng#ywSWql)20kA_j;8#VsGL3~x~g~v6G#i?69p10hJuCwTo z$vgmE6CVtJ#jNUi+33n_&F)tE(r9EBN^Skj<{*-oaAueOTWrmNj;rHvDLxlJNq$&Bf)Ey&<+L++(( zZ*e#u1Wl7D*v;-G9_(fJqXymZ`<~*zmn@v2%txMYE#r%PP(mL<&U!0(NN==%Q49_? zwUR_WUp<^Yf!jSKZGbQCz4&~bM_hiP^8Y!45wksDwzE!UJ8*0dd%}MGV`V}_+Y0kd zaF|xBB3~E7blqm0`SMSd?T^N;-aU34rz-OL=FI z20ikh=cV?Nq4QI)ejd5Rt8B$}KF@8Vg7LjsANhhg2)=#E$gb@p-%h6XiCPv<&A!r^ zdLl#1Fbq!XBO9KOJ5KGK+dDhCNFB{uhj6%=*hvNT7`LZJAl1@VqNqLeToMT*OB=B- z{HW)SLY7r;(byM&u{)x1vwtr+THuF1g)ulXqo*9WXJ9A-%G)UIUbl^{-;VDr4W9My04Q@)S2%Nv1U*G z#&1uUM_GiS)YN&udZwz*7GTz8^31<^tu*K5A)A`yVQ(~~?~@$F)4S)tMpIsR>__p> zKGfp3lEQxb&}6+YE(NxiI-R|6-Rj4FoT0pHPA?%DB4+c<2>o?(xj+WEQpMgEodkXPm8sSA>xp5rK)$HgYZ{1S1cBK@52^`XT%5O*faKkzlLDkl>kvSCO$HgJ+td(4(ouXeALx!!HP8vsy^=ks(X7gFXSIJe_S?F$+Bzj(^MWj+=u3VKCETv zNJz|HjM~L)uK{gk)shSx&EdYkp_2^wF%2d~{xF5H^mR!=QX%`cx4Q~hQ!m?3o_Pk> z>f$62sEE70dr8EVL~3+{(N5b&eze+-%B3NAafaW0>Z{i*3&pEzHd3e0@3#ln%Gy*}z9L<51t- zLUdV&=>Nm#`?^l?uhr~_#b`W_zLN3JRPz}{D4H}rvnGe(G z&2T^XP;H!+i~j5t>aVL)7CJddaAe<|dCh?tS9ZM!o5Ds+R+pTjXiKb zNk;J{T}i4;gXJyq1Gngj-hmY8J@Chp2c2co{$yC)<-4cQL~IWy!GLUsYdPH{je4uG z*+F>cWGPNPc3^#2FglO6mZ|sRVMty>;5%z+*ub3g0On0JSWE6#(P)w!h7a!6qTenO z%a2p5aM6k${BW4O2#1ZHm1t;(0p^idJl0bB@(kE)Y7~mSddR!6K`{5GZ>rKlE_wyP zm21TXa|@Yumf5Q8KkAU*vZjYG`Ev1?HL07_FwbGl@66=Y>L&Gk-tYx$;48X{W)O3M zay}pD53L$h+q;DrJ>LUbUXRska=Ol)VirisJvAXAAJ+%bQxkMYMeohU^_}#~#N1IE z!*gK6Uf}}VS0iWb$K~(6QMBWU`ciuzQsTB^qQz@v$F+CwY33MJG?J#y>15II9qgfEbeG`{QHW$dO5MY5(sy(OGU~TM zjpTcld>&(J3kF4Zm1e=A7%`K+omz95Qpt?zQ2K?2nM?Oh^bK>5a++TLDfC>fY#xh4 z9nIwU1wUkb9fud&>8W@0#jh*kkuuUmmh1T8CViFfbWFtZ8($dy91nxxrm~0okTulE z{&#&I6JM(~-z-4*0uQXKuU7MZ;hy2FC+?1gKh?ro-wE4!7J5Jl8Vd@e)#2b zBU#|Jo8ESRta8v2hq=4B9}ht8+E%jk8?vPP1Ok)vq}+A~Y}*E*c(%Sg=$(LgGC(`f zU;moD)_3ISy4H3Pw@WeTM~&|LnZ`2uE&H^Ep)fEtmSYx?ICMV@yOX*|_I!GL^uyuM zz6<@`Wb2YU8scdrTbhTGMH-2A^@j3{e3*U}QAqyDQ1Y%YGhLfr;s*xO@w)&N($lzY zwSn}z=m)<|aTsQ3AV19YMZ%$YBp)-9(e3<@^qLuRK}Ir+@A(m-@%YKbShUi8k=pfh zK9ZCD9aV5O4-Xc4AoTYus&rW{I$R{r@$OmG_iPU4j3Cb>yi%QSl8tiaHrBqaP@~#p z;V)BW9OqT4&9C-iAvs8OQ_ri!e4gEyLu&4QU5#0o2JKe9nAGT@`iK3rrURKPF!P0S zrM|B_88@Cz8Zs$&Cz6>rx^`xB85FVu`9Dxk|5iu3xRT*)AB4E-Hu7i&dsA0kxh5Fme~=_wqbTgdkLFMEjsgy{~6F; zmfQ+OOES#e%Jk$ma|z!bj6|0idZPI<2)qA|!sxno;?2B?*+XJr?AuQA$Ub`S9t-)h zojl;W(Y7QGnlIZ*2x|tN|A|Nbq0VxsGc`e6LrQ`=%NCCRJaW~Zx*N&hY}OSV|9_l6 z&gxG+!tds;p7Qg8WpjUBu)t*aa9a&40}YKf78)A!n|-<({d=`(@#%iqzdv_t^yyxg zzv<(jANB8jO_xviDf*wTs_CceFwIZbF*={F;s5^Jw(+NX{`LR;o(}(ByPABu|39b> BM@j$y literal 0 HcmV?d00001 diff --git a/rtdata/dcpprofiles/Canon EOS-1Ds Mark II.dcp b/rtdata/dcpprofiles/Canon EOS-1Ds Mark II.dcp new file mode 100644 index 0000000000000000000000000000000000000000..073a4837f69a390e46355e8b5caf348a754b932c GIT binary patch literal 65374 zcmZ_0by!r}_XbWWiUFcxx7gQK%==<@Vt04PwGn1u$eE#s?(Xh5>(HSz*nx-wq9`RI z^4s@!KfmYs^2d+onP+d$oHH|Lowe6`*Sp^Bh7CJc^^%j5Q~qxEn97b1%Kq;+JZ1C2|C?)c$;tU< z|9Aes*Zljp>iCtbSH`Z{rt{aF)i=j(Iez2f*bN)l@x!y_iTb7 z|MkBybJ2hAH~0Tv8{$|9`*p0Q=t2?DhZMkDQzy{(arO)kS*__R$s|(nr&Ld49l# z-rCxM0!$jA$XoAM*7p4*#I$N99(Fyn<%Ss|GQS6(rLLrXXrl-Y-b(z8rwZCaFvqOAPn6mD4B6YnsNPybe|lA* za<>%co_(O1|CC}wn=j|9 zr3$ZqtqqPgMo5lQ=9jN*fzmr;d`(o~hYxH*|LLa4r*`UX)ri=gW~gcWMq2y6V8xv&x()8;mk2~NdqMKBdye&{ZuaPoFWkXBH8f#2`QAzI<_$XPy=V~VjR>xz| zcx%ji)kW?8QMkL?25W2Oc;{(hXtS|}rj0!R>VOYiy6iA(fda2P&kY>`_BgsnfzN*I zgqXJu2-Q;HGxHoE<{gnZOo3O)w?($RGg5mh@HZdWA}`z-C$+jrUPFwRUES>*;?;+@ ztNMxHBl?KF*_U5FwFQE30kUlR@iB4V@x57ySpWX~SmUo)G1CwlJ5_nh=z5GkB|=9} zRbG2TEtY#2!AheazhL$!O#fnx_|?7nuDKsE3Z~eurNmDd@B!%tW@s4shZb49gO|)4 zc5-dBF83wWPl<6TwS^9SD#!0iF>-?1$ohLBKD-g5@#HUhyeAJ!{lzfN`Ar*)GttjU zj24AIl$=M%m?}Y0Vkc?zPs1GtDKs|yrn>LR7*uZA&2Mw_<@lNUVaWHkMoqdruah5$ z>Nhq}JgdMf9rnfbHFmIbQQ-e@o)Ep1b@SWP*W~#HRkqmY;fTLG<@jU%R>OW|<%sh%gU#d~{HFuOaYk;S%-R^kKJ0oxjdi!ZlWaKFR8QOF|ip_hchf^ibzT>iL+bWP;++YJBL{T-?}a3g6-V z_#BsP9E~)<8f_=1uh%Q^A{7MaC4dkGz}H_#5rMjUMfY!NkzU=CkV?Uq)2(M$lDzD$MxA3 znD<7J|G3c?$}&qh-%;f6WqX5itueSpfv>#b1@SGrZhpIAx;*c7zy{HC>`_8;{96x8 z_{?;~_@i=snyUm0SsZ?%!Tfo)7+nKhFt*|kwKkYQ!O9ie^8e7@<0fc*=Z30v&7|)m z#NzMW?YuNro%fzrfSxDxvD8SNcj=o8p9BGVS*i0WOS0giY=A0>IzLsGj+D)Y2tBCI zCru$NG#6n)%>aH^dnzpQjbJun0KcwZ3PJ{$U`LKBFFcTh6DLjK9ommSos)nUX=Zp< zqQduB8jrhU#W-!G%$GUD!sMO=np>3kvM14SjhEu!Q+a+?TqKgyEU=+aj*lA@hU-F0 zJbTIfzdjHL3M?`4pgjMNwJ(-9TH+^rM!7dUaciz6TznMxme;Q6-)MnJgA{pN4QC91 zCGuvl`D{mo-nBx^Zw3DFM|=Dh+h9SU0xwr8gYgs@!gea~g$Z^@Yj)`7w>{Na>@qgS z(nn7C?)H@h^o;i~)~`6%Q#h*%8l z&-ZT#$KIDl=y=?Ze=r~n>0?dMdA%?1bSVUnubLvVXCMCMw;(*oHN#o8-h8}aAU;kP zL({b<%d-Knw2;8AS&{c}^TVpIQk-FVe3Ozdq8C~se0dkO%=3oj4l6uy?4)IvJn(3e zHD0giB+X|oP}Q@B)zMDsY<0lE?bhJ+1xjU z>MECRe(Pw_K&QL}$ToGw)wnMdou`jmpWVH&XaUAr2h3!JoQDirOzgKyN#wJp4{)p6a9DEqfFV{Xxpx^${@F2_}I*NE)Yy zMtN5_Xf}~c-DCWYaK}+$6Iu4tMfEr@Sa-aosnhjvY`A+jfBrOHk^lX`4U*IPnEOJW zpV;b*9A3cIg&aR9%@K!(8KBdpi{9niBl5flBkbt$ zlj7rTVZPb~U-Vk2q{Rk%rKTtsG*Qw_8~D68gWQ+z#GSE*=W;O=7Bu} zD|ODZLWYV3&IQ!dh%8GSzHQ0Yb1h}>w!~@XpCjsONQt+=-DNiDul13J*GkbTvPH|3 zYHACY;Fqr*exCe5Q7rbWUzVXY>pk6THN}A&G9-O?OJg}>`#8aZ8v8HKh`zV?c?UJ~HSJQ)`Gzorv?1*mm&!2JGisWVg`lg~Iq zeDocipRbRqRc^R_=RFx&>EYln57>{dB;|E_NRjVuXQ%paG&|BAIcN0IYf1wdjdR0? zOaU@}*U_qA7if(!z^KyCWWV1TV{RH^gHa8Y%yPmVUIe8<)ij62J;VOScxw8d7Vma| z@_rLc8UB_^7_Q&pZHnVVUsGbb3{g#HsC@B~8cOXTze$Wi6JL_qQ(N>1lHkhK7gSJg zgSi7Npk(lz!kev;f8P?4GtX%3L~C6CXoaU*mDIY6#n-JiI6kI=#_P;LkV5BG{fitj%Zy~O#PirFl)ObPHrxw z?LJ1hrtOFi2cD2D-4MUk9MKh!Pj7k|!11dCdOgge`NjfF80?5?3-f5t0exuKIKo{% zpVA-c;kv6co}Db9eFl#a)8LAmszo%!L=RWF?siU$e@PpDd7;-ief-n*j8@BFqESJFkwFB1P&ZKt}#P~ec300pnsN$pPn_L>-5oj z!VNLAl4;zl#|Z1|j)6Cc&iB)YnMwEf+~k}~D)7Vh^ZKZ4&mzrCA7~c{uU`;d_0myNgv&@Wv($M3R5Vy-VO5&O^_9pMDrBf z&{<&$TZKgG8siG@Ddx};$5SsY7d(6*Mu|lnbkf~#1WMYk8LcBqoyMc zP_VUx`>=TW@k0jf4lAtN5KqlEcJN}c^y>b2+P&Hq-dVP&-o}nQS)*j84C}Pw={Jix zgYE56JtUrrnxzQsa=`c2I6A>#n3{IKDGQ%0xj&W4V*4&n%t{Ad9j_PZT z;l0ldW_&CuFEE1fV|Nq{h@~sWhLAV)z#**|`cWgqjeDLjUJ*?zbp$BX@xuJoQFNtH z53b|AvFt`PY3$O+lr+z7@p;of3B>CK!sCKIe3jy8aPI(^77CEMEQVeO_(6V-0cN{K zQQ%Qu?2#H`v05a3p6Y|2bt0?~hf_{ZZ=76h3|oybQfudhm_qMt zFg;+;qG`Q39;^+bq*rdZ>L$jrGl4WQ-4(~%Bxr96pmzcneA#J%LX|*z)883=qbWb2k->h$(c1>NR_}!&w*u++3jwxh`C!tpK-#!jACY%_ zG44qKEy~iz3_s?h|A*hG(hQ=Mv=Fpk)Q8RwfBLaH7_}t=ti9|PCOIdE#`I7`nUNsCu9WYR5})tHqTZ)7>yb-vS-aT; zQH3+A)>vcz5;xku!3l0b3}@)MQN(HoTpMbKaVc)p93{6PAvv$-OWfuMoiDloRRn3dQl|22eQUNV`0P;p}OM zuU8$&ZcPx5^fW?=gFV%K3qadBW1M{^qi9!uB;=XEZ-$KiZ1qFObcW^Z?Z~i`{T4Cf zg~r-Zv9C8Se`UBX)0R%G^TPSxw>#n=Q%PFA`198UB{Dq)(a=C|qTLlob|K78nMzU_*GjNl7w4 z6ek85Ve3FCZKYsXJut>SM+r^c7KHs(CP+rD786IAH%IdwgmU(~DqM)A>3;V~B(jN84cW6elcMAfcf_ zmN*vZj9%L$GV3fNGSN5DNfDtK+rV_js9p1r$|qDUY5|4 zMiCyedgFolBq3oqFs1?!x zazH|i1;!{DP_I=oc$8aW!e|3(E49J4HY;3NXh5y^tuSji!;6~@Xx9=8d|Yk|xuXWO zL|uY83_p8bF`(}(Zd8k8Xu5Aer+b;AGKj?-p#hzkXpApK4!C7vKwi5<=+o+m-)8K7 zWd@iw!Wk`WZt+EcjoL0~XXjY#(8ul5uJ|seN1yr#aMRnVn?KL^afyandf`f-9@+yh zP&dg|z7e${!pd%+V`9r}oSc%IG{d!Wl(fP|IjNqMdZPHYuo;`sBl$J`xiKZP(H zc%F7M9!0~`0GrudZKfL@F+SwsnDgX)+Z8%(hDcg?o;Jt1z|&KNXM4}njV5Q@+-d}= z{&@;)Qk*8zz=OyRfV0=-%p` z?&w{hQ9W%j+|Uf3!53)rQ^wD+oV&UF0{skNF}bf8XWK8(U}p)&l!!5T$VK|#V~(-* z5;*^Lk!EC@!tjU`%D70CoyORrX@P^AFVeR4M!5LJ0;Bd^qf8f77O2jxfm3#~|~+ zDX+r;5>)}xD*vWqE)LK+AVAUtP{(2iJY&zO;R@(-i9N=D6TmSZWPH{h^A`&-Q%;-4 z|6;taP>A7cv}vk^3`NC4WQnwC^F$fLy#_d&u1)>T?9g@H0Iz;%Q%_$TOe!`&#mE(O z(8CJ+JVUHnxq|8#CkmFY51d><&siMq^~Vsi^j47cojLLtXa3xN1-%|^hRp>c2troS z{u?GZGv5f8Q&*7E3nO$o8=*0O1;sEQ?&x8Ra}_H{W^s|QkmyEpcl=^<*oIu$JQhShL= zoLs3+MfP487N8HAmpYZd^Mrzy0Otn}q={oZaVSFoJL7@$Yp(|u?hrz&Z6HO8-QoUP zh~guI=smf?@4Nxdqzvv)>= zod~912GhY(C!~)vLc690g$;1RqhKQh?$aRr?FgrZjOTr%K?}QNsE;*#+B zbxvk@K4=J)^)Z3PAal5n8A2)>jqs4=?!!}t&}|n(4DKlgW(^@-B?Fvhoc@jZLn!+Z ziw~`0j9oN@UMcHi^%V(>29BZnVtr`-w(Mr-CkY?9p*=z|^{F0yt*++shJ@gQn?4S{ zs^*q91i|B)0HX^(a{D6#@km>UgHLKW`5OVSP&Gh6+9$4Rwm%wQ8=#l#XD;}=FJgiW z(SEv?`zzK5ZFfc3Go+4-eC&<*Q_Jy-5b;bOZtY%O8!hK{IJGeKy_ogr0rk9SWjW@@J2@Twt z@%A`yLJZF>4P53UTj=(ZVEWAl?p~`E5G=ten+7gWVu8_HrI;Ggz%{LrFw7%`dR_zf zdAK>wiY>74Z37q6#}tdETcW73fjh5Z4EY>OjO%LPMlBZM%}FaU@eA`$DYkV5|m5U#v5C6F~P*#_t18?<_NH*Q<+_@ux8+t4bztr?mq8-nTc^3mM zO#yzsi09-cM`Ok!Aq=7txW^|V@oR$tc9(y^)B zkOe-tnPLv%(Ns<&-3!`zVhpxTy%rB8?mO*akY6ty%m^<1`r_|FYQz>ete^PiLj*!Ennt zK^nKEzZm7pb`V&maU)7iVZyMulS>-c6=e*hvRcSDjVlOcd7jmnkhaZ zna0hj6X4(mM~sR|G$8y#SH%_%B6m}oYFtf{z>uL^0;XE;(4|V76C4MWy?p)eHBizk%#o}mpZnBagxc6@O z&W`u(E5y#9?ud?b=j^BIV@ZEcEEpHc=?@WLzOXy46UkX|!`gG)J6sbC zkGEEsrYq&9Wif1d*#?J?NV&{^{2^$yg~3KCm&1Bb{wHMEyiCg79PR;)9D7*Jk#Zw! zUGR3QBW6sMa!o9Tk2Z0_#qm<^=MWh#)Hvh)NGVr3isj9fu2?fv%5C3b$#`xzoE{|Q zMtVt5+2W3o1Eie%NOO$X>WOXrrJQn%3GVrL;Zq+ecmJXh6n}f8w6~P2TV{y-9llWP zCFLeh7UGSsA1?Kja?7XaV||A|ir+YLZY)3c-|64Yp9>{cT-d@=+;hy+4DqdmeZEf)7N21;VTqKxHzyNmOHHuBPQn>IBZydiz4f!0%XLXb zI_t6STPWtf2$B#H$=18boa;1>hoykk)NjlMHm8Z)k|_~&I!w5hr-8Wk&;enb31`i)`kRSPP_{PVv`ReDp6!g}t0tVP z2CL`Jx*~6v3HM#<1l=C)u-7)>a+fo1*24pD=9q9lN7y28sTU-ZO*qjcE2NcqqhPEF zXSZL9_)EU{IMRfZMVKR8(I4wam~h*eCW3PafG(TAOlLWHW)LQiGU5F18sb8FFq+4h zaF^E!F?Me#yeF7&LuazwR~H7vS#tqP1eiK5tec&mEOzBoFTBFKkxa8O*_p$NXAmzj zfLo~}x9fK)ut$Vt5(mydzYq@?w$WN)&%H^^$2pNHa_a54=%?9O;>2_;*0vn=&cMu2 z3HHH;%ec(Job~v`?N(f$-^mClw8D*iOU^MS0dHAPzdFT&Ti_H6`vyC3l~QhPNE9~w zw#PT-dzb6Oajg%F1+Eg#se#>7mou)fm2d~G{So-l71li^+=UC?Xv=cP-REM??U6e! z`gr15qL^D>;EWW;KkW7sbJCp-*mKAiJDtVci#~R^yTBiXGBIc0WQ8650fa6>! zcRc7NB1RcuUvMxN_oM=DcTEst8OSXhUV^eBGxWOd&uy`N0>eoX^x5glxvt1X*F6iQ zYI}3r$7RAf-wL&xJh>YS2~U|n-4?oY8p0Hex+p_+t1GA7I}vjd9bg{i!fnorMOJTT z%*k-(mO4aX>t0tJ&~oO+G=$=(z#ThYI&rx=f%xp}i3E2iPW+SMnJjPQK62tr-+EwI zwJ(A$I&tkT*+xis0?Gh@N-VwxDGq~njL~^*PXaT&KlBnVery*;#Ngk zp#D$?#2GGPdV!o2ti9&V{n{pgRZ4O2`~wDkG(wO{4)-?bHQe+~(N86l)86(BKZi3eNP*|3&M3tZ*3%D=OXJ+vJY^aR zD;R4ebJ?!BsH(8Rpu-8=*rk~mc~*wM8e=)<(S!ijHx)KSbH}%&Kq6wcy&A>!%1dCJ zu^S2vBf0fu?Eah?$K5xQ>su5KVGnO8=0tE8I)l(~))%GT5!}M-ehA3&$3LKay_(J4^1-xA16d|1CN_Q;SP&^DkBD~k&a6>PW zTWBtX@H7u{jpSxe)5qbc3{0J#$Te>kz|}ato1I@awQ>hD+mKl;z%Bb9oa3VJ(9dJ~ z0k5x|epDUK1~c7DL>>3%bTw|9n&EO}4fk>X8x)+9V4Z&zcis9K5|>({(&r5qpizo= zRU2gGz2NSDeu67Ze>VU;Xiwx(meWf508UIdvi3ln3D zxc6cqMyTaN=|vG&J6Ip3PWf1ETgk<-_-wW2Zg6`722A#cq_c_Jeli-I3X7jVnmED8Fl?v|!HnNcoGG*Sf{bun8raNT z7x`eba}?a?HFIPB^1y%_u?XAW%#9f0f>&!2a820Et^3;nUxy@PXIL{gz{M61KBr>t zt7h)jOvb;)5tjCD;Z(meOk|jWyag>>U8NaxcV^?#@fObTvoUs!&O?q_3zsocgeA2F z@Q7~V-d`7DWmF;ZU$$_kKI%dDVF@C#e{nZ^2ry?{Q8zoUwwp%#Ym~IFU0__$mB|#8 zB&V%b&g!4j6Y2i?b`&pRn$KP1Na@OVh?%zS(#+9xqOlfN+gLB}*Ki6guR<@#;vay_L^Bm!KQk{~uiy&I-im*U6dOs&01&$ujd8q)N%{F}P+LipfV+$?uT_))O39q(=U4jWLSdL&8=yYV9<{iuI)! zdPk>?T1+JwwdhO{vtG|ansccNHsdYP@6lWucKs!i1U8ubawd&= zU4~6>WiY!so#v-Jg>;6Fskw<(i-zfT-X|h!2F3+ryGK2f=Ilom`IP=xt)o@ ze)l_++C)%1q(j5~YO(l=DQ-R5MjGR*@bDeeZQkERjo)6NjA8wVUF%3mqYS>WHi($E ziq5z`LEZ>^>|6*sAiC z;FOlI~K{~=Rv}o&ZYxW$o zVOgz38Xqlie{UXMD=wm8Kg6(idV=BO7ct*3L+zU)eE)k98C@}k;kYtPIk1S%JU4{y z$x67~Ttugi3Q^4LZ z)2(H-juGtmGt~0>J$@OPV%N13lw|mV>4hZN{p~OrJSfFq_bg$zd_Qf;C_rMJ4W2yQ zMf`;<7&5(O-S=(uO_#&_bXMog0)~zMiQQpX@io&inYw4Ym2W0!= zFkWXZ4gctZ{ke&lesL|ezHr3MMXAU&SxYY)WLWA;*c`l;wvA$S`M^v>6s;wNb5u%A81P^n9a=5I zX4mIPw_8UxgAFi1^yXt9$EFP#Sb&a{pLQP zzeQE(Im`$elkU*|aj%f!VT!yPH|SM!If6A=U&HD${nf7s9^RH1s(+4VT+2i2Xj?2i zd6N2#&%^^;d#D;6A^k}lqzn%)K6HR2`bk*!$PI69?4_g z!!8;r3d7Ud04VR+MQ2)rP;w>&2ikS$me?Q5tHZG{SBFIFd{BNo8lllT)H2Q!_ut0B zDN2WYhPz?(;UtXWbf{>SGZJ2;qOx3vs*gHg!#*C5zw6NL06P?xXTn}>7tLdQ{5G9j zteUfnYM4$Wzo-BscJ88!Ok=ZtYY|4@*hLXB=E%)2g^k57ioaxv9UCg47_y7Z882I% z^#W@@Z=_qdjIdGTIlO1Cq|ST;e6D_h`9{lWL9qaJqF3GQyzQtlWf*kSFtLY8ETFDLX#yyQ6!t(V~Yt4Ea1>hzgK%+3jSX}Ina?A5V_(c_!6 ze{c>07>~~xUZJ;g>5wp76|nXK&0Ld;X$5X*UVWB~KPF)ACNGrVK26ExF}VB07ubJ_ z0^}lLu_F-1o+oMUflxfG2tnOD?OhszXh z^*dXqJD3hl^aL4wPLf=i1#0^g!)ww>3c4u463a3aYoDaBA?A>2Jj3fJ2kFBaGyIuf ziPsNylUzR&v$Q+H4UtG+%b}^Zz$I|1Um=Ew?1OF^!0K7Q&@fLaX&^F?6XB z1_YRsxVj2A%S~~3n<=$DeuWY2yL&!2qW;G!P~KsQ-P(qfWmbeYMz&C~7tn)V`A|_~ z`wRN((cG7rD6@6O%lrpq*o$y}1k=-m-laj7$#5sRbuXIf zfdlbCbc^;ShvU}TP&{tDNfA>*AS;bPiup}?pBRAhV=-8^WhJ2NjcHCKu@1renyko8)}Q5hmlaF?iBVs!EYT8kUEDv~H5u zNL$F3J;kL>H_64y3ck6;a5#38d`DX#eNQ?5+`dVkX=42N@C?_xPLt*wF%G`0!0^ta zlHs1iCa^G5VNFCEnv7zdGWNUBTIu&Kif?NO`;+Lnl~Vn3v}3Tf;2STv6d!kwE!x<4`s zKC#TFhX`r(%`iA`iiCcpfYiSS!H4nViopU}%eW5z+X;w}3TWM4A2_L`z*$#7f0lUS zfg6XS+XAv?-09}|8R&IWK!*-EV_IH=ZQB*NDZ3jaV(|PNlxJSkv1K%3EFO zWA6`ap9`x?UpSF{#4B9Xu|nz+2Wt1J!0zw1@YS;;VM7rPnmHi)y)`YB~lpc*8D3LW4yqIRDiThTp`bdnN%FOoMQHub7tIk3q+zF!Zl8 zr=Cd>NKcQ1wUaqHO$>z%<6GrVnNxmLAog}9z-qZUDW35|PsbGenP5(8i@o8-_!Ol< z<|IGe15-*fpxMWq1}|}i-_;!4Q8uSYrvK9HTL3*aKgjm_1o{_Zq>4F(^|S-llw$I4 z5jAbHMVmnh6l(=kTVn-PX6G@R@6m>8DZ;WVy7~E*-k0gf9WkzduEhH{r)Z2G+q=Nx z?Ej4$pX$P>>BBF4W?X1kVF)R-Heve}BP?}b8Y<-mESq44U)uuc*wz{(luDrX-j`CI zzs3H?R+y^oO&cShW5pypgy?$EpEsq@&UFA+=1Q~AJVpI^7j&99lk%oqY*O)He1s#J z8fTz}X_eY_9a!&=L(5iwOtZ45K@2}P{RqOgk22a)9*0x1Fq}9eBTczzbS#a+#@;eo zy*nJ1?_wd!w4+1C!B96$#5)^1O1vI`dsA7xe8Y|g%=bmk6T*#ycC<^w3q5XR;xt>E zAsX&jqQUlZtg@raZ12w1!~*>K+m3o%bVS&ZA|x-jBSpr=Dk_%Y`anyX)+xiS_F@>8 zn$Vjzwr8lLw40xo{Ue~JFP6|rFUQX>x5-dNiiD$;h&p$be0GcB6y6;_uRohak@x># zTPlkiM-yo6jW%3-Y=q_W<7mdYMl4%yhDFWMq;FM=xK;@SW|4GC{sWE#F%2hsMqg82 zVI$K8%^V*>4+|@>PT3I(mjcOSSus9^yTD_BKYdUxz^DTrIK0@G_Ds))wvrDHJolz^ zjywcm{uoj2MXBpkp?feG2?M?8^k0c6R1U{KLQh)0G8Xfrqfj-(lm4wy%vq03DaV5f z>O+y;HwlZx9<=^`5US%-@#usHy`S!nno~SFS9#ElKi();%R=T%59;6Oft2K2h{t-+ zw?E9c&pmYV3oVbN3y*%c8DVf*B&E|p``ng>)~B!&OV%5HxCfBo6_UN!~xlGl#Q65^65lTLp9 z1rrM+yg8Rnx;af)z1IxE^N3bdd_l%ADS}E;>EVom&{#@lnC~XiVb_Z!Z#cPvb z@~UQi#=K&D_4g&l#p7aXAxw;1X?;H@%q}YK=I8$MGWum@5BzgpJK z&%K!TMmE|CnSWJuiyPS^%9!?BL3?bW5ISt9(cue!5X|-i+RrW`>nUy6bKMLc%1_B* zSR>volR_4jPt99v;it&7SOap&tE376nRa-%D2r@@U%^A@h_NTrDda;12ErA3?>Tb6 zSBy-?I}CoANU79)~OvC`Ka+jU$qwx-x-I>$AN=m1%g{GlBF51f#?%9fw}T zQ+S3y>v3mec0xQov-iQN-uXWM)TleJacp*<1>zEInDU@aBB+PDuY#NDb`=Ipbix~9J*YF zlT}8vf@vGB#&qX5vevz)iEc{TrjENjN$R?wxFAMxv#9d0|7Qmp-3)DhFcMify*)N{-gxq=(|lsf(@ zgYgDWxU}a}f?Ofm`uakBM;_&m%|l{Q0Q#%sQob+~0X8A1>7PSk;|MnUBG9}gn{GBI zEzBh2E#A0wqYx3{sbn1Q4b@Xm&?7a5?M-7nM^RxnKc{se z^eEpIyQ7NGs_aR)?1W9LO1k;^K3fNxT4j%)t4cBYU#*?FExhc@y7_bepI>R~g`V0i zZ-r3U+Ca_W3ff()ANKiJJ#~KSgsqPm-s;rSSJzgo5K3XF_KCtAzG3MhYZTtDrq-&@ zI5Jy?#Rl)GUQmVQa!wc^d_zk5udwNfE3yh-Qm?lan9uxXmFzjqv@6E1Q@+rttfVNX z0=$|Xh=K+}_lIVUEcD8V+e^x@vYQxZ*%Yd6(2~Bzwj9}9o{ByH}+UEse^X>vXepE;w z*j)Q^F4n0&A;}UyIEeFcvp$t_FL}XcL?L3waCGRr7m9m7fkS9C#fQ7&)R-b{3<;oT zw_WhtxfthL{K+Re`UCwJ1N1--P7e-%gw8`@c+I5(~^u+bKa{S42)i|}u20v5&(7n7jSmq%^u|o&7UwsZ~lOr7Mep3C> zGJIOaa!gkXEpsTuHEV`Fs+(xk;C%SAzKQ>$A5@&5#Wbk?IPkfV(qegR(fhY1`9^U? zsqlIlithuyk^kT%xQ&d&v#Vcer63L)F2umAv4Qx3jPrO7HpS7dKko2jn9ycK5d9tEg4n2H?2iqk z*ZMBl7+>7YpG{g+_{PO85WW(?=e7zTezg$?Qw=dTtvA2!Qa!f28RJh=FTVfj8hm|Z zhB@lJc>7E5F=M|350sU81Ia7)y_VRK)PuJ#sl+`+8=Rb_#P?rO3bztFc*_*{Zy%mw zf|~$8?`oTb`TyLjMZZUA15Q5|7KWVxRvweLSRvh?AyL`e>6cvdQw)b!> z!`QA5Vi3jl=4)s$PIXm0K8$Liv&VzLzm3I}mS$SmD-bev+=p)eqL+=PDNNjH&U5j!Fp)>f7#&S=$`y(t4y3(A%g>_ z#Q#{%8J=DI2JIjU)RUf_hXXa)YQVlt8kxZ=f6dEQSW0VDUgBjtoVzhO-*I$4|_ zS}(_&ilcDuwKww2EWM33xXD4zIDxw-+E`Z)wkhPBfY#uw^-W-zRERel&ZIv$U`(rMpdZzLZo#K9r?lws`!_oW%wEQ+T`lRTh#r+eQ@`h5U@ z#^O0Fiu4hmJAm(;Qi+LvLM+@pfX`;w@Yf?l_@t}xdu@wRu49B_qty6K{!igE*#zSK zs{EtKe7OEJWqZ~7^96}Hn3!b_Z{>cxG&2*SQVD7g^x+4;fu+@LU`YgHeA-^B@KtuZP1wsg!g(VokN)HPRK^WaIls2ekdo z`VV25=*>Hu%exxt+~YH#@2bGE{06#dAv*XmzuV8Cfo`}`KuY!cO?$iISG!ues2b<6YNHz*9&yf_p8>IM zi7c;%PGQBnfFci6eKXQo9XyHlExhn(jFGNqdJ;xkv%bI?LtVE9iMZ;-Gw{)dy7k-Q zk*V{AIfEWXKZwOD##J{tW}vf}7K3z)V`wr_PnTL6gI>Nozip?dn>H{8H~9JN>eMFjlU=T)oEaX%X9`fk1qMTQKkq=veYRcTPT*5 zan8)O?=|fbnssx)_pJ?d&X%c2Epx!{PxW=VO)et!GUG@m*4G*FTw)$`4A(EJryF8_ z4%a6sAQhSDg!x&N0qipEE>_Cuucw zLw%CrU82SY8zWuStRyUCj^FpahPrz#647s=GjmW4bO|5g(brUiKPCFQB*x=yW?dSm z75chyaj`Ji&3lngdOAbj7&PJCgxXC{7pRWL4W6}?yH?QO_AzjYcY|KP3Yr%fjX{kV zcRKthy=)tUZIvE)TlXi`DTqeDq0GN{Bup%}gY01)-RXu&sOn@7 zo3Prtz+H*ZTWt?TL`|LIVgk&A7>|0mhR*R%JdBt_=Xu0XSIiu)_ca_4ds$!i)-MiI z7!O=IT2JRu8jH0Xc@I~+iu%uu#r$Iq=vh@kEw#L7$##Hd=5M;(HwOKFIKb!YFVZru za8^e-obLRjHys&wIzx_A?|+baH1m%R%aJ&zl#;@tk>5}a^S58=?D%M;SgTRq1^TeM%xj6RM8f|0A?QW^p-( zOD`DfzEo!mwe=escQp#DTF78L<29)~qwr&r47I+zq7?_CF@^U`1qWY|ZfG=Sf0y$< zqnK_pFZJ^0J}U1~i&@d=lV^w1K?T$)IvNuT?JcJZ=kL>rbJ1wq-Vsx~-=`+!+*hV4u;27P1#@oWngUIFpCe!9!e`HO zf_tYJ8pk>iCzy*dyV*XnO7KUmO)k~qyrku0vN{=o8)s}$zVs=L{1kz6i*0c|tcZqB zi9~S~YoqLZMg<}gU&4>#@7rh0n~Os88Ama${&RYo5e0LjqxfF*jBZ#(BQDDZ!zS`w zEHxT+!ff!kHES32VNP7Q4K|xSp@P^LB!9HQf*ytRs7ov=J&!{6@;=RWX1?taTNqxt zL)KZbcsE9d<vY{E77=&sFy`1bdW%?$WsK(W zUODveSqv6sWbY^@E zj_tO^IO9CZii|<&bX&|?pU1e1SmtHg!fHnzoj(xESV3EKsGmpqPh+uem@RsCxk-(s zIJDSqixD2zY2fiVta)w=iy7DG;kP&}ohd^}bQZlC7>@_}GBo>^K@~IOVaoamySM6S z&e(ViGqy($3qkG;;$a@f8V!@u$?8%ZwheUP{ydEaO^w6siw?UrrWsuG zr}Dnz-+F543_u?gM>5PLHrs}!Evdd!H)Z86Cl&&ZqGLPE%xT4~6^*A?d z9Y;;SCSpl%8PCcS$j2iQJ7>w@crKCb7bN2H4jBeKOQJaw5^>g52IsrUG;m=e>L$x@ znDq*h72Lbtli^UsNjiHq5kr~ZwWW3n^{A7C1{0ZM8+wvXOkkdPF!$%@lPPvL_r0vo za)kfJ`pP6U_qT_sPXd|PB%u$#%khbE^j|L*T;%}YYcaIJAPL*DwCr{)e7maP zAAj?S00A-u4;T9;ZFBKjp zM?M{=TDwo;t%^TOA!JbFB*t8kVb_XK8brxRtB@gfX&5z+O2+!ZcDT|%oLVI_Ki~kL zJ9*)><4!V8U1d&O>j-*jbdt{pd+78cNZIcs^XZv0zAl_*jX8y z9FY4mgnTQLaZoMCm5C=vFE$xZmpbBPTrjmCl#HfOz+*rVB?oZ)n=A3sIFJJK5)qW6 zL_(_oy1{p4TWb}p7ayZ}f8%i@O9ka=e+q0BkKY5;_}$8%2906;s}pKGo#96rxzQ-w zuEuI_A9{5=3jH6dtL1H*`Zn~kJ!`Pc*Wk|kRh0kL6H`99U|@@dbozuFt{q^0`nfsO zvH$LWeY$0oSA~_tyq7i$dATc0AniSIIGYwlAekPC>^!M>v#v z(;YgAd8ZWE!5sgv_9tN(qQs+Zo)o++8DDK!yT;Rley>i#BQrI2zIUfXYZ8&+%{ZXq8KGO;5+xT;Q9Nd5N^EoQAo)8NCrp}mT;z;53PT+mKGptG( z0cG&h&zNd#7P? zXg!_j3O`SOCr7eg1_ z(-tL}6-PjJM};e=71XnC1bW)3VLwVi7kY5=h zV1GxF?u1~)vFiQpvi6%OYlbiH)|l@-b1_|O?}2(*F6cjKHU+{Ja~AVVvfoVVS=;4* z>g~UIYtXqPt>xd=ZHYT_t(wuxi%P65a>v}e^=Rf8C31#WkMoOuYiQ>BFu1wPFe`W+ zW$X{dnwEBmi&{?~yh9*PFfVS$2D+Td`hp$ov3kTta%{kwJbdog>$-_L?mLckTn7Rs zZ>G_Ig3%z+0qz&JP_yV@w1pfOc5b8b`+_l^Inp1b9rST=Fe-c<@pJV~+S@Z2uNNus z$z=ykW<95bmP!o&vyHa0w$h^qN|?^vN^jZ*qK~HvyKil#_frD!+ER^SS2xkU{l{>X z-*-2~CUU;ukFgt_py;-l`nU8)jS44R?z)BEX#B9((-~#=x6tfzUsUzhV8g2|bbF33 zj@{5;*ZwWECEN#3cUI5a(c=bDeVGOo?cGqvtrs;+XAF3b8xoV+(yTZY3fH@1dRa5t zrLV&5_sk=^(~K@GQu2P&14B}q(TocUMDM5`=iI`9G>my1ler)095R?5whBPX1dj8w z!DQO%7%E=bLI3(-av0!`D|XByiWp4#i+Gl1&N{lzgDFwti}EuLC=VP=b#r|%k?*Y44xy{tS>uIcyKc%bn()vIE2lF@{o!!BFwG0S&6Ma6JA(Hbo_O<8 z3HyK%l-ko1)8ZLBReJ~1ZX1)L zn-X~wJaGS_F}ZDLez2^1oOfl^qJ?}PF-_yX>uhaWt{;KLd-+_OUYiF03d51!jHPz2 zMRtZ^2zbeS=HoT#RddF~1~}mEF=JXjFa-TMwtlWPXwDqQSs6GY-PedJ4;+W<8Ao`0 zF{GZ6!I-vD!Me0YbpBZo#`IFcXrM8r_6dT%sS0sBY7y-Z#QbsKqB!!y%`M} z={2Uu*`9FZ{x;sWDfR#1j!Ndf&iK%bA|yAMZgj<48#8(u$vR-~U74qCMjhL8{n+G& z+q=z3lg!$CZ`|v zDBwGSW8FK#v^WuK!|mW1kuO@`Nx;f|_AqkE6Wi{^g`)%A z;B@YTuwLiE^m;cOwE864j$p3$Yd6ebj{I)!&1#QeK8RI`c*I&b`+PN#u1=z?`vndjB7B4%-|p)|g#H+#4CskYhwY-FZA_U4!ZI zQDQ{mIphg@EV>mTN@CBV5o5z{q=tzu31^^9k|WhOM65_Ujf6x;P{MIhlz0lYxKG%} z-0n zE;%E*7RMvr!v#+co);(9^Sxs?b3a#I6nV#@@t`61PKBxB@$?8hP`JTnOqxh(!9{{` zZv&Gqi(0I~Y%;(dwT-mmXrDmjvYy?(Rzm38`eQfiFV(*%M3YJ%Z2G|3#qCJEh-9oq zI}Z%1N#Z$c55Ao30d<%V6L}WiO6h_1jfI%N+BW%@Jg~+_D>id)^7xwv+R46%-j!;! zVa?6|pEx^DcNM40b#SVbVMBd4G4cfAhMqmftZ@}xd2auOx#A<;U4+I?3mMNFn|{=Y z<#y?Kz#K#W>l!gsb{P(P6^LQ3sNtbBuGLCd>~R-0HebSoT55y^`UvfmRLFL5PkAIr zOgFiR{U4mMqhGk_6LcQRMJ|Zy8Y3S3Jd5UG%=dg2C%*SMgX{#>&P|FJ@?|MF#k(*| z$9OSFm5BC_-7)27oOsJK5Qo036+bpk8cRkYvZ1mm3{;?eypxYSdF`YthI`B)tS zi#WF9lSGfT0=XO9uu5@KJhe*4uP}Fv3``as!!F?*^D_QOiNb2+d8B<}?Y|juqU7l* zwC>M3ErX-QVv&T)^F7h7e}pJ!z2YXUY2dpkRFtob#`c|_&`&-t7PR3x@NQ3R>=-1R z%tLW{4{PVf9TTf&A4iS-o_I3SPvmF=(ej8VQl5E>M~jZ3T+Xpg@D$J5_@T;1yG)=zrlp z4zRAlirs2aHRm2{lG&rib!Ty8bHL}JZo+N&9W1HG{7oxwadFgbOmbIX!iqp4 zADWND%q1vIix2}^-oj2JCz!`4i?`QqqVStDvL>gBmA!9Z{1-lNDoBKM%SF#@H@tVx z5JN6zqmGpah82)lYLJPUBRpYnB29>+gkz^X@uT3J*uOgssjM%0s&0y~J$W8GzIme1 zFJ9zKI*p(bPuvQP5_w350c#!n>K-PZY2xwpI`=E)$3?sDF}RfGi5&|9#7>h)wCBC> zi7a1nr%xD0F%GlSQZMm9b%J**o>kt)tHC zJ+XUmurMj{!i}ZX^W1P|nm9Aa6}NwSV0C7;=zG8!+4rl*d478z@y`1hG_b>lkN(1~ zPZ1ijzS1ORu#h)@in^5!Xi_Ueyl(jf=FX1zRhA$|w0(@x+>1{N;V7Rgt%}6mA@|Xr_e4tzip5m_JFNZY0i$uxM4f%N5EIM& z+_nPob@g>r^ka>T#W#gJ?;;n^@xm?VtDiBTuG`1ulsHrK9S-X3 z`K-Ap?7qLjvRQK6D7hjA|9Op669vY!%NM?tudugDiM~yri_s5Xq8@7y-JVb?x~wn8 z09WSBzSN^m2cKiIksIc4znA*xDRz$bKu?Vkec$>BHF7)=qE{)5T?_DL7wcUoeHQsH z`ABs2!jApLBHSt$NB4NaMDsvo?`IssSTBs~m?w&c2-w&6!tvf&qVgc~ex7;a&K4m& z`<+KJ$1|0+Zak-*#;^#^;l5`DpRaH|=84A5PKuYzlRFaNiMDOx#Uc-$-9>sLb77Qt zb0-S#`M(Vt6C&c0BjA_Baf|R5_ZZ(g=uGuIUpgW{bc+teUUyHJzVH)~e|%wm)DvqF zD89AzM%w1;dH!#l^PO*qRg=HrFY8`@Xmd|QJu5}w_2ju?IP0%9J|&8H_B(_>Tl|a`BQ8h7g!BBB z@`SLd!MnDLtkcmxL^O2@!ySI_I&AS54O^VRsyI(fWQ~iuMgdT8{{LIggJuScCGCBn z=JVp;I2)b*E*v^mVU@id?g#u8nu~uR@9KbpGse_4r2^OV9MLtuKDAB#jZ3T%(ImSi zy$&kJMU@&Mwq2-ct6ylsdh7k_TTsUz-*K_I8`d*la`%%`Y}0z6@5uqwe0B+%PG>wo zlWugd-8=LP_rkHtR^(Ri1)MlhSClw;S-WBxVdM;o7U3`dQt)W4lxU%rGn3|A^*`t}Wz382IUH?4a z>pgK{c(K@&aT+aTo_LXdM_9Y3pf1NeARx$@Z4`ulTw89G_=;F_KLk5gkMrA^ji|WNPBLz5r-G$M&_eIQ|5nvm^MQHUy|tOp zm3iPqz6r%m(_wNAPsq;KCfSs9oan-O-259A#-yUv98WCXWk8xi7x7f(fpF(v;`{b< z_dfya#h^JCS_dH6)M+%3ri6>rYoP zjr-x39&M=aD}rG=Pbex|((qB~>?z=hgkvqJ#_Y?8-Ol$xYC>j=?^Rr8y`F#a{PD<- zqW^8y5nAPe*5yL%>%p2R$C-n3;*{7~#&|HU+yB<{g7ML!d_)wEaDTFDe6ZNnCLHxS zum0^@{;eC%ohDH0Mm3~7_P5fy%^;*2NoDWsVKRI%dH5JfUs+p55wekvZ!(hZeo-K{ z&q10|%SdW_RE;{J4%BCap)_=YhHI#jF6Zh?-XB=IvyjbDlvPL>=Z<*>`>A67FId%e zM{KvXbh6o3w43aP)Xod2-u}0+basVi@^o5~@eBuf{;*`k1j;llWDR^5culjS+@^O? z(1`i%iI%kC;Z4kcsljre5wvK)HB89Y;Plp^^wTtxwLmqz&mBn9=j+hni3V%S`qAO4 zbk@4lz~^Z%qPha+O04s& z_LEq~=iR^c+;q<+k&_gUn|#h*j!zPeo->w->&f)U2r+d<6s-6>oiH^*IIUr<1?T_2 zarQP`&O1o*X^(CEHL(IL~#WPzQaf z>wP86)Xb4F)R$^WP6)F1p@9*9v1_jekF1$v_~SP|Si4~NO9i!NJnGma4Oa9#L<=UC z;2rOEK7QUzv)jCezmF51Y+p&cpFhRjRMy(HTts=E53sJW8Y6AzQkRBz5Pw{Sg&nQw z@9>+r$$OK2gJw{hA2~?ssDj#XDoK4Z@!MF1b%Q6;#@jj={9wJTdt)drUkkeu=Bl?G zMZNYCvKRwU`mrzVHPXU}{XE?K`%;=Z9b2C}!*F3I8f=%wTInv;^8C-9a$&OcG{&!S zN6rqN=sz?OEBNdKzlFgSu^7zf=D&GfZ)%K~yf+F>PFIg}cF#TZA^bP%RLSsXz){*U zp#m|y%j;L>NF8SX!R%an{OsvUyJu8l`%F1p(|jp2zYA`eBMbR?PEK1qNK+ zK{W~=;}h$%zx3TmBWe_2YbxJ82d||KKl72z9s&AeSJ6+`8+f1QfU6$Msq9n^9_?_z zlG#hB!K_Ra4RXNReha9_!Yj~cT+k{>gKuc}lQlak z-Dvg2?|AVaw&bEe)tmhjp_Pm$i3laLZNCu27^>gJG1N%?3rAZiFm`7=CI9(>>C2Tk z86QF2o0q|9H0z^g`;pPi64c^3UVG+6-fi%fxzuvZ<(f0;^)sAvW$pFs!({%g5WW}e z@Y!%L<^8;eWryrgf5A@LwU^Jq;dZd9vz?;$+<>TUhmX8Rcu<-HlRq-_S8b$PFEjC| zE$dG9TT7n@WWeAEduPm8L(wy?;_7%g>m)Cyx6xN{Cq-T@&%^szQ?Z2(Iq6E)Oc+iL zH)(O?2+v^mj-oo#v{>BD30o_A(qrSxxR>u-EzisU{uOTCr!hOj4Yfb(MDEB$6mXsg z?Kv&xSH)sC=lQ>JHaY4{FU2=B-NsrRW$yHMa~ZxD$Z*x(pBkF5ZqHCV%;nf_>%%$8 zny!{l^n`jCY0jo71kZ?7EeXjO0cZEoONb`$hp@C z#Q*p2?{}xE_HXdBh<$K6sOZ*%=Wu<@+PN?7Y2(7jut~GWfc7#vHo5?doY;%uvJG{Q zy^TKe?a^%d5!!p~CY*=b!$o$8W;V!$%~<}8Z1+=Ry=>ffW{rT>yQy^MRn{tGts>6)O+qH*2Exn2#=N;ft!g|PQ8EC{hs2e7%qA@$Jpy3n+CbtF^1!-}iFYjb^ z*3{@WVM-4boDYwr7YDRhn!z|^j(Ovomlz|>`^17~8#g)&DOw&on8nchDTYHWuC%|ofzk8iND;hF#SSUNPJ43)fFIpKGTzQ%uL z4PblRZh4VfkN<*Gyvq)lb&*DO`;4=tyyMm-lWI8MU#uO_m-&))I)7s9BLD4Ud}vaq zcUXMY0rlp&(5tz{?El~Z?^7yja_$KxUUop^UHB2lPJbK-MjC@P~1X(XgXgTQd=KQjRAL9O#`c3+eOZ$ogbQ zulc#}Svf*)944=UnK;wW5k|^AwDV^M{0}=;%k%E8E2xq=h`p96(OwUv4%YI%U5%+9 z#?j{-Ek-NUn0u)&?O;6>?;lRp@;qdOF}3)11`}8V=-)W!njfb%eigVC%w9p3;nXR$ z9Fqs}?saS&Eqn44&&dvNWv9sOH~SJwT&ulOY2%=8?CWR`sivU3GW{V zS6t)0cKh@*?a9c-ME2I{bj6WY|H(v!1J^FClAaZ1;kD8c(|b9R z=0zrBR~^xj4%77z)>!;xfV@=0jY)%*QE`ZHAs>Qj_k{H^g_ZRVJWr&}WNU|q?*k6(L zUiHt=Y5EO0W3FzbU7}~PztEZS=bal|p~-1KV8^@H!tGg9)$BVOCOKev!>g2kxeQxJ zF%ENeDn;6s!t$n^zgq&WG5U(tqa88hQwXKb{fJc7(hRRWM$L!6W)D;LCb{8Dljc6d zUfy#lEqrP8t3nJ7Vtwp5U+Q1?K9baq?DyeE7arteR+uANu(yKwl$&T&TfrDVA2OYk zi--9N#Gmja!`N)r?Neg)a1SbZ!DnTp0_wZW(dPJ{nXSN2*4rO`Bb&bi`}&zWQ4i-V zsOBorR$ocydu5?hpaOQKGO~DdmHqb=)$;uQjE%HXeg#7vl_=gmnrt}!Yu#CQJ##X( zY%FkfrW(DyE$9OG>OUBB@NYhA2A-yh0s4~T4H+cM4g@schAC{2Zsk;$FdY?cH?@ zJjpx$%>h)^GZ(Em=D*vxQe=y4NS&3KF~x_B?lE`Ji7~fLHFWrP7UY)|Xwbuh&OOhD zT~9s}y_~6$HVYQ)mA0SkAHzpK79h--y?lN|ab=}CodJiEJ) zM;-L5kTKH%9}nN7^|}g_)n>nsO9gcJNja2P<>+m3hqZ%#VXzZ>Zl-3Db;=LaoT|W$ zoQpL4`Zs)it$=n7RONftryr9$l8xXVkxrS6P^hv zS(7o2(%U@13jQ3pES|c&yo1PFN_>7C#~gp=f2dWgZ5vA~Wj9bpYWP^k(3-V3dB3fO zlZd2V%tZ>~`_#XA-l!^=YBtJ6<5U&uTe#8#j(^QA99u&_T9=Z8R<#&6FvgXB^7ABq zZg1woI#F2|5Xv5lX>vNcI1`l?)%$bzVcRJ9_7(hP9puF2T@;mA3<@bWHh6{}!g zaF$${Gah$S4V%K#)G7QXb}zX`m#7*i7EHD3Nsb2wAkg%6J?l9$1c{hPhhAupauqbz@Y60{Sr7 zSgO<14udNSX+x}$w6l#pR(5+vf#!zNP(C)))?nswE$aj1VbKTHNw&X0PnYGvHpCfE zGSATX!8f6Z;aToK_5AdlDC+S(7wZ@wvT&_Ct>yUd;rN>t1&~?eYuI>J1=r2)w3DAF z@$(z^Txp|GHpUsM&_<`AAICG1&hO^G_t1ai{M6(nWmVLap7vs$=(so3dXTYXI?W!T z>ps#ug^^U3vDw!~eWkZQ4WzcKtoTT;zEt6k zOo@m$&nTwg4^}#J{~33OI!*nJcFWZm`{Wv3ep`k<~fuwAkPgl9xE)tMyIte0?8fCeBzl{05aI-oej38XSFdjrLaF z!U$XT$XuRDbu;s^TE}s=x=OdWwwyWZf}$XzqS#yTiq`;*h>n-%;b9vWv@A`b%C|Rg zy{|JirpMFUlh@IQaT~U*P1MUV8$B}Ed*V|N?Ob*Z@BgT9_`5sJ+?|b*SjOv?_)y~5 z98Bz`!qkKA)OB?>Y&@0dcUVr_yJlk5Gi9}W9_09y-pALLQpVaL`PMgz)7F%t5A)v2 zteoRkL%J8{fCkel>EZ+<$(DIl_Rs!O?*|6bq5JF^v8al+MCeOhek(BW)(^7s(36IA zXD`Bp_w=feV?ITV(2OT^z5X8*TR5SC$32Q)^c^)GFb3$_9cnb71lPMd<8S&s+BNMB zrgw41CWi;4GJB3%^;k#MxsV!veuQ^pIrlym()~{b7|@;ZFzyd2;oe;wdCVTu%zfxS zm~|TZyW{2H>lC!$Hmq%3;8#DF>gcg|u-p~$r&p<8^L*Hha$$edtK`4&7RH}C-gTNnZrwm>aP>S7*FQneW3OTGST*eIJg7g%U*h;bF7>6C8*;F2whDcI zxYI0-|2K~R@p3i!bj*SyW2^qnXY1=pVmsr~d!CeG;fEB_yu=T&EBFq3Bt`6EU5#nA z?eX_RlE{;M;Kka-dn@8Z8GEa?XzKvGK2c&yV-I-jaX^<>A>zdfS2Xo@KnK=gEbhqdwGfTrVIgtkP1OV0c|u5l8|y-GZ{l>gVK3LRtT zJ1}niNrF;rVlGr|#y6&UDn;W8HDb92_I{-lSvAC8NUv>esIem^^mRp@q}jr-whijC*X-`4GsIlK z!50FfOW&Ghf~9n5h5L1p$dNw-k96&lEEuxHAx zW1<%n)iLO1auM2U-@jA8z(62JI7?0Lfhs&;l_dL(v$PnKUHA1(=ztdkl|ci6-KF7i9qg^jX^mLM-a8f{POx0JMx5Sn3kTME^0~KK^dEN=E{t#dFl)7#+mbnCf1TlJx?1R) z9Kr2FjCuaGN`#pnMlC%Tv^QKWrZhW*22L*c-F~$Q?Qjqenz0`Kl+~i0#Q`*qWX-63 zt3{{L`=K4+#$Hoh#jR5ZQEsR%iykk-9@-^#AJgFZd^>D1-7R)paz+z< zd$jt#P0YROgkGG_E(h0(-~=_YEFAEu=28*7T7?CSJs5prhUmy=;4Q}C=a*ZGI_2!A z*Oq5)D|(6z+_P+8e;3_gGx343)lG@x@;}Q?jJq7GgvqehqQyY=8fFbp%SRo> zDdzR2F<$peXjjq8oM#4WoUm8hO&Fb%A*8W0c5AwcQ3GT+aDw$)61$3pV{Or+i3S$~ zx`?B#k3u@CLE@Xv;=PFt#_;TVb7*Ig*x(3e?_+$FOJ|X5ei)@yE=UjPEFyXw!Zjz> zjJniWXhs}_4e#t$zpX3koIb=jn(A@Bmct6y>>X+wBV*p3g^-sr){i|tZj|*GyE?d_ z!5=%gTJ;mFB@OdX?a_K)4^fM;1A#n;e3#!|n00jmE^!U%)l4*d$aCT@a+ntzi)8NQ zH*SqP{4oKnpkYb?JHsCX%>j%zl-2`p(HevuUr}MvuRQIJL_18n$GL6)NW0zE4tnIo`aaLJ{X6k<=K5`{c&?q0!2UeVHMo81 znYK=68R~JKEg$(*yS<++>)5+sym+J?+lo1q`(0o?zfddV{O`*#8lruuwd-^Q4fio` z+V7$E{eZ)GR>iuY-Ck)+FC506yy|hDbG%4q`);QS(V*>19?)gS*e2wR_gPChDE7Tg@a7HT6g*;5NwJCg7U$TCRn9U-!-qE59l+sb3?ladUet;eElKKBKe?*@Mo!qZ5o`7i&Y_*deirGoA--)t>RP zgA>pBC(qlf_3LbhB4-WSHs7Z$jFw>_V0?M>uJpGJf!`w>{dXJ8JKbbj6(k4oFQus2$7oeBCt%3@Tlw4PK(b zsyT9a1P;@_=A6IBoYSLIjJ3taP8iqK5i+~I=~W69CeCFqp&->~w;15PmKu4Y<*5vzINmB#Z*xAE&2Jax4k?zPjvY+SqI2bj`Rb!6_`<(FE^yuaG zilkRqS?CXLN##_=`a(!Le-W6@y zFH7&*ow1+CUE#TCa{43Y`4u#A!`$VX^yxEg(UNhh|MnZFhxAXc8N|BpAu>#w>yv)3 zn6Uuk>|k>6OuB6k_R)TChaUU1>E0XNv4CgtUyW1KUmRy2Irg$?=O3AFm+gwi9Oor< z?b93celKE)95MFh=>tnND19MEMP&OlTh14+`Hnc(8J6Z}SbsOg5o7a9EmhOh*i+<) zPrY_vBI93#OQ&g7Zi+$K`PL+mkb z;)wc>jio0i?D6rcBOXn8$M|^0YoB5LYS$~c-^>9g(v;9Jcj`wU_U699J!dHULa-iy z)gv|9otc3oBL{RWaza|&uCTw#^GKfO&l^$)hqiK!OweH3-!GQ&d`8{d#-_O|gUur%jg-&Ni%CXRe)xkD*qJQe$A?bBKQ;rjOQY4tew81>U~O0gHz$Ju}I z=LO4GJsGDe+2PSkFU!@8F?qtda`TAHGM{mm21V>~X=^?T+jzYmRN(G{}0!`>8cE(1tPN z&O>+($#{J4k7|rw#yA|-L>W0*#atl;@@^PNO;TBh)|hd|{aQ&SJ00PD*AX+rdrJ4* z<#>_LnD))RrT(4dp!N#LvpY)7c~|r63jh1zO{6h=e|;68M5}2=lJ7eQ+~#{zuID?P zOm)Ca?gOXSxrxd9dDdv-gd)##+$ZrlvyFWx5sv#8>@jMt2CW%qq~dqPypIdMoKoXa zx*ckkxiANT&vFZ%12M++<1rbQar_ooxiNQWFKS)l-tA-cI3MGgS8O*QvPFo!1H1EjYz!biqyT1IDW+*2cNmHcdaAba(oe6!2UK%75Ka2 zG>T8LPb1IkHis2r0&A#ic+PozyOGqiof;hr6ev2@Qqupd#MIjgEKlz#ZT!J?;xYR` z)gL5TSut0@REZ$3K~fjyY&q>xGPb9WGp42I4@T#*L>V9)XkIxwh=*2nDe2PCsg^2F# zf?s@=oy+`z-;Fdl)tujVySh?Ar4t^{R6=&!T$;kOjXpL?WWMPx4K`u^Up(J`&kc}f zO=9fvJ0*6T43)<59pu*-6~2BNEDiX?^X3fxXFDyVsY4YAS*J$xH{GObYeWa<>#Gm^hR}Ee)ttDkV=NbGY{(iHKq;B20URCm$ z)Ky;^y@Pik@vbP^T!}K?WBbo_L&M#?gW_3HvT5~w%CpD{_A2wkPCprZ3f`m9M_+91 z&-%NEej@S7hn`>5Z_k4HmLplPnK2PQh7;M(;XEAs(zr^H7Q9>w8O!Qn@egqJp>WASs^j zC3=Tcm^5{`6f{DOqrBtr@f{%rk5%#9SdH|&VbZPnJbQT09F2p6r11xsKj-R%TGRVV zL&N{`;bd=#zTKpNyK)#AXmF!rduduNIfnASd(K32>FRI?Tz6#b$1pSL_a=L+7|x!C z!A&H?K;DBdP2|%FMIZtF^z_42~+3^@+O@eW~vCz7q1b3N8r8n>LW_7C|SoMR%n?Qw_I0`7s&HkQ`$ zceJ>vK$Lka>1+sdO-3kDShKU#C!PCAp8d|f-&@kX(qN(idxqW_B>m^l*ob*9v}mMM zy4)G(Id5Csl%&?&M|9;~-oDmjq=NZsgrEHHHy9(ik5=Iw&qasVvyx5>Vb94tK99RW z3LK_@Vms>yj~pS%nWHeIg$6702TPw8aQ~RYbB|5^rOP`VP@lOIJ9hSw6x<8g_Ho6- z?mZ>HB<7>@dAB;goAi+RJ$?CaI85E8eS`VlWL7=Si6Nb&6+Hv+&6E9MJG7E&E<6Sq z_c2ZDHHc}pA_Rp}dz|YK1 z(ob)9j7?`u$kU$E?V zAD!^UW4cuP9BT{Nu`cW_mU&d{;)QoWuQ<(=R>j}w+^ZDR9H@JKrDP0-Oz3~6a=eZp$q}}TSagBMJ>C{a! zbqc@$?$^^lc90?yk3n4GnSa-|(w-asD6!@_QrFhf)OUV3@{aESms?5M`hJ*n)BzP) zt)+WrzL?QKj<9a+B>!Hly?va0a??6WyGDDnE+Y4J3%g1G;q0QBH?%vaxAbPGClY%r zuq1bYRL8>uMKKDTYBpSIa^4+x+A8s4xg_m><%WG;N_<#0Ub1TKh95>MEW0;Fs=eG5 z!FyE@>Y38iK<4SZQDJVIIa0t>4K8pUuJdf30%;xdO6`RP-{?Z}ql_#`);8BUR2^4!8Cp*p{NA_-tHD`uU)LBS+L6JxEF#=Zz2_)^JE1E*)Iq zg$mvq*4ZRUlNiq!&hxU}L&i%J6WH6UHt)6yr$|$n%WG?^#K5+*BrTi5LKA9_N zSGpl@g9^7EE|gSzT#@sf_Xr=CNZt9aT$AJ6c)@ZhF~AwEOVl{tX{F>m$O%VTf8fP} zRZ@4Z-{!TPv9xlPWX&_^(v=-2(AZRtq@!J> z#NNkI`dH5M*6x!1k06wDu1=rUTUwJ7h-EUq3m>+SDkIpxmFJ$-Je?zXutwLG7Ov>hf4;O~h&#UX{kOz;q4au}E5v;__K{yC8Ki1( z@T@!j4^>wgR@K&Z?N-EAM6t!bcAl{;M7?%*V0Q;dcOJSyT0pQ{ID3+IcVl;Vf8+gr zUH&~&wvHOs?ML3lrWx~j6A zwS0T_re@RC)Iap>t`vg0=ccLi#G%Z48iEt^r>Xz>44UVMBH-;*wU4#jy*O&1e;%$p zh$Yvh2NmlF<3jnoH%>wJWzIJ$)Kgv7C1KSzN36b7OPRh+z=q9E2yw2dE;_|yC1=QI zvTLeR=5e^lx-+qNZT0w0EWW;Tf#GOf^(8h24cV97FK41wQrmJ-B)LM58mV%K!n0NG zxYVebI%g7z5KH<+xwcYfB_c4si6{2GXscXblHbI-p{sc(wet?Ol&^4yV%AkHx=LL- zYTsEL?xB3H(D#J%hv1^#>JRk=ml9KYb!|VjjNFI<_~HIMs27FwIj^n9!BC^>c z$xrjX{I~DUw<@E~d``g|V!e`dB~(`bWW45_YnbIPG~Abn(a!7vXZ^$sBw+hwatUkw z#*jO4SlEG@11n0XmR?(NzKko5H7>2(2hv;Vwks?bms2~-$6(w(H+tSwQnRl_LGMf5 zjFQ#Vp6%4(Tj+tbpT??$R|Jj?px^Do+Uml}aJV<}LVi?zb%}M(1!_24szUd!(e%Nj zciP)#W-5{11eW`JU~{Rd`e#Hi`AWX%RH=o^Vr=Fw^~12FmdbH*01CR3Q&7}Oja;qA z@IQK3oNcWZ1pC4^&mRq~Sq~iZ#xu77Onhsu8dmYbElc91d$v)FSiksJ3__b(ZPfp? zY`dNaLdeoKY6Gz+FWiIieqI|j?>OhagQ?Lorj1IN;Y2X0{^a0LN#9}ScIR%)vpQA<~w6> zIJLih<8hL+%?kZ5qF3iQYO1+1r(eg>W`GxRdX-eCu7_cbnKz6Flu=EOhoUm) z@E<;wQ)#Rxvx#k9JE)=>l@*McS&Va=%Ib&~gsqW&c)6j9`uZRM*Qe{TWPVjO{-qvT z9e>=eSWUh9<%`9q{gJ<}nlf$dgVOc^oP$(TU&nc&Lq~d)T&|{eM$!N7P9R?2siqEm zb|c^`2pz6fQ|6rOX0lH!EU2c+-EoEmeOF&(R#QV3IboMu2p$AhQ!h&r*G!&s{*Wr_ z{w_z@k0>7J0&-TIB2$684siU3e7uX)Wv+6bKYExLFSoBM@f61Cu7+FwJ< zPNAG*`J&ajTd-&og4IubVH0>4ON@hYA)k8^ znPsl{wKNzzlka2i1L_yDezlr;AHNyrhxA2wT>n1qFh8GWUww7)ZA{tAU4yQ8ocB&^ zjbV$^F!R0x9wxWKqR?$9okQ zU*xZk$3@o0F^{Lhw_Y3uHD*2h&tfDUi$%{8?r1S?BQ8)6Ifg#@(VZJ|PsHI#Sb8 zM{m-|5KJ)k!^yGqH=P}fkDS{yosxi)(*u#VQ;)&f3FK%|J7SqXmgXg(`8Yo`Ye8;B zPy*U5^udB#0qA3qfUoQe^?LHBp2uVTNe}$&PadXQJl?SHfB7K@Lt4aR@n-5SBn0Ej z@i?4$;SA$3A@EoihZ@W1oB1aMzI)`(E@r)-4^I z9#JpuS2^9yi9FlKIOi|ZM%OtZ1re;v_sbMr`HIQ-#+~VfC=XqZOCmx!2cBq|q6;=o zKmhlG=a%N{YG%gaZC5uqJ-)BgPuPlde%IP}e(SDPq{rhga)@qLMuij6cv<9uN%nQI zIWP(q1=Q0x&;;A((-Shy3xNyTKn;k%7hi9*-t-UtwhD*I8XsJ_+#M(Dgy9#xNx~NP zMo6_#*!J>+d;7k~*%^$d^Z_E&p-4ib#Qmcl1#&QpPU_P}g+O`bF)#^RahkMxB*Mre- zN_UK+uBwY?2pVR0g9~f1y}d$_-KQIl|8PLb=bViVX^*|T+2;imkF!Jh*9PMf+u`%n z0V$tv7)IAh!?H7+_r2E)r^j!@qdoME?H_OWvO5{GI9usA-NEp-IrFw1`J2!guBRoS z)I3-GJp41ehb|sHhPk1CbLZ^2MO(48lRJLdx65j)k45vk9{7Pe{q_uvLB?+nbUPZ; zZ=z8&8a<*Hm+$?4(f1-@b&_7yCY5zBJI;H) zYz)AVEhf6xJ6Ric4n*J2b#zBgc)^@p+A1Y$>iT^1pw}@uxtT^fzuwe`nN05G*DAVj z&YcET4MFI|O1l5)n6}KJ7kK-Mx=x(;n5_#%;MejxhmX{sYZ-=7e%Jby=X+2)Q#{U9 zH+pJ=j#K}Qx{*&BIB6x$r4euFh_qL0wBco_H%shyaQoR>@}v~Ra!*?NpAp*KoFx3~ z%URsL-r6S}eMvUBatC3qEj}Gje`@aLV;g9}i{em+GuLlRs%k@PY~>7`^M~c7v|Yzz zkXhdok5_&)wDOLIaVanQXg@KuqwcTK3oq>Gbl322=SYNc-roP|4MUka5!iaj2j;DB z7&1zSqr+BTw6Ax|U`3CMX|Ck=j=F1z>dzW#s-C#b`-W>ZgK)U9KYUs~HavadkAJC~ zai+yH!>~(!=oA-#*YPh53FHjbnL#dL$SXtaLodv)$6B}A8$&^5Pt3R&gc#Ge1~Y#5 zw%) zS>~!ONsmO*d*VOBT(y6F zsc&|Zd@d(9t+{nLp5zcyamQV|wK5FOY0L#}J++_IbBMO#yxY=CyEr%q*ZA(cXzs1u zs1X2%askvG^43y6aMyN>`MHOWHsl#ON#uT>vi8y1us7exe-jnwqwTNliJ_%fC-3pm z?hI$2m>rA<`+c+(>|f(Hv98$3pMUR+37tdnPoj@@iFIA;m!ag-`Do*AI-pHr7*3wj zYwd#_5jmuIoZ}kSmuF)$vHcx)EmA{X_1%u>dyZJqzlyY+mWH-x+0WlAE18kh4$X4L z;!}S$r;o{;lN0Y<@3S^*P7-`0h)sI^Qaf-z0a@;D7`6V9c5h8Qyoi0V*Y0Y&YR2Il zYg7HPo7%vw5t7isT*`rs&eI`)Z0+PMuAgV~aWa5c6U4oJ6 zRixcxoXdR(#_M%O+79N8K+ff7OfS;DKXyhN))g}c6lqQ)oN&KY7|ygR(i#>x;26J? z&gP-^%*GKHT#Cne>tG9ssJ#Oj%r9S@brSt464`>4|`O(gGgJbXAeKC-o*>y!;V^fQep+Jy=It<+Ju1=nZR|x^h2)HFgId*vHh9G4I_v?%I{0L}e=*{<|fwbrlju6%u_qT<`NdB;Q=HqhfWH3aHjH<9eWoWtD>MCY?6^7)q+4#u;G&oz<9)jeT4FBnn#O=L3j z^XwKOxSDDr-#5AbfFtH+}kwb7>j z86ahkZbfe=&V_lsdtEFVuJ(eHHc6;&UkJq8>jO8ZVJGP z$ClEhF*T3|koR}jQfB`0p^kJA-d(YjH}8o*IUfYaGnR7tj|T>X1Y=2orEG7)-PaUq zmStN?^C_;>w_tuaz@JIvS>s$_{Vq$HUBU_Vw}!zs-BO~KQ;%m>IBF~&Ca3ESxcSrDcC{IT1=-662SiPca9q@iDh#5#ya%?b;o9|7AL=W)JXF{^!ruPr+XX{ zB8kOyS}k4P#Nvk+@o%z5&g_f9bZhdM#;=oE9?|$`u@8RVSuf)`v#mSX7d0Mk5H&gy zH7xz$Xt7cJ=;!6sj#^SnH_BAgQ0Pne!^>u)^ymC0;k-ZAIc=0m!voMbmVS+{8zqVw z6^V-j5#_c~esVAA)g=gX-8V{DKJk^mg3#7uqo@-en3Wfdrk)$c?Gd>Jtlx%vZIoBF zTybS&D1yB=N{K1tZ`BOL1D}mDdnfhhu7;tJ-$u!=L*4y|aPna{OCT{)`!#{go7v?pPb32GxhazW6J zU}+SPf_`^g(PvJe)cBEvBbTW+``ur1HYMW1N$P*j@t4HP37DmkySm0-TJMg-TJDXL zfBH-C!mSvdp@Ozv~020I5j*re4s|+!ys8jeZ|YS?QU7m{xN>hW^DX<4GQpDO>4yA+?3F78i!JvRUG4dQ z7zK;RTk^>Uhrzm5u#5xy>&oHOR1cQg{q3>&d^r4^g2a?(d&$t^akeZhlo;dP+|LsK zbW4-5J9bb*#u1IR!*Vhp1C@U`;lTQRGCM9E$*dhs8}AZ_bE$~_Kup)g4C&Qi8vkmOSZ{q#$J2M+%#G9EfMAJxno(?G+FGC0P`#4;Lk~umu=%=IKiEMqjdSh8oOt< z7he8Jm(b)`4Ef(&E@wM2hcUR6=z|~qG6WN%5ghJIJ&+7JWEur;A3xMh$&j-C;mD%4 zQkEe@oSucCKK#*#-{SHt-ydX1#1)=v;!$dR$dFdVXXW$VSH481jOpToD2E^z zSIw0B)E;ZgnNeZ$dyXr@#vYllyzBhczziZs3IKuwb3asD;(mh5Vi0(9uHS_!Cip4`a?$E5SvIAj>e?X}30O_{Ms%HV$LpeAdZ#2}INhOI7J61GRd z($x*Q7mv!kVUe(0>5lBNM`hfvaCl7ez%KWr@<$6pSDhzpI%Y{hP$;!byfCO-w!B*( zf?U>hJ>^60(~TK1-1qPr%aIG37JEfA--@+>X)#MJwN@IIhP+HrS` z-5Ug#Q<~_yxM7V;Fb>?+WFP;&YvXzU-f6O+D>;tM+3Wq)B;o z8-_9UMdCW!(T6ddd((Zg+`Py`OrLggu8pfoHgEvjrn4^%>!-Au^)`emrBfS?Ta`^%F36f?>GxR z5`@qj`4U{;4gG?Hk@qoQ{}p>il~^x~ z;k&QSGK2K2NdDj0;&I-x>AuVw83UIqQ7!_i&CYu0G9`y(>d-NbiO+jdSJu z_+aR!yCa2mJ?;Ahp-C&wMW^PDvUvD`1uGAMX02RJTI0^YcJ;?#a%~D3ro8?ijy05Eq>a zCB(=b`z?a-G_g>$ac*c|D;RI3P?|+jOa6W^Zrv!96yn-Ov9A7{lrOa}P#2uF->zo) z(ucj>p$EnL?x&B7q~yhD*dC+qcIBJ$BP(&Wt6-EXo~o>*i5EFc5v1Pa3)8$rjeSooaZZOF5pUN!($cp+@p9*EtS`Sq25&*r~G3l$hqwWq0Elfs>>t2+jxt7V})A@)hz!T7gj{4HEyh2n8G zntM++jgQ8uq1$s#Yk+i1Db$_vy@`g<^W#6EnF#t>RE9l^asK;uUN1J%uuIjR)4m_#>pKPkhqnu2^59#?l<}NjB$7{gVF3BKG3fN#>cJ+>gY1!m~l1 zG+=HRtn)&fg?Um(BL@7g7kcc@lhVY&-L&JZ?|YtHoQIr-9zy3xVxF?;{XmutsZZ>A6z)xAJYwD!aUOX}?}DG(w4aUgdyyCMq2 z?;Yp=zWz9%E0Fbf-7)o{KirxX%Ch$ESi_n2f6w`U<2-!z4Y@FZn!qvidD(eMwvLR% z4r)Q94LK(>7Dr$SXLrXVPD#}u)=``Tc3N{>68VnRmv=_RoB|ogckgcENP4*ENuQ>~ zEcGNu{!ESx9T9@v#FK}|idd}W9GA1xjUP3c6~brkn=1--X!4V~S*Ka2PT9_S;2v>G z4czhiv?dnS18^msoTic@Wrq8t_jemRjpe^6I*BSGi(>~Ca zKR+ar5ry#N!V4{tX?evvx}6SBO9}z7t<` zIWDUPgkx$q=J#m@lIawN`Z-Rx@PKEGd-X2=Iun;H;#4LS3$8ljdUeK){H*D-Trm9{ z>$Hu*NPgmi)~w&ErUl{4Qdj(m$r3xxivNf2pT9m!5?OPZk@wwdU6$mrkL&k|`#J9{ z`5EAkNgLc@*qbG$_x0HK&7C!RmW<-rwzlyghALZDhx%b3d**fXvSrZ^Us$oPZ=0Si z-K@BKCC2@q57|QpNFUa~pO%Sh{B3|K_2eci)y zlXX)tar;Ak4oS)Htfz?WpWW|}%%v9Hyc4dNQumPfP{Vw1KgQhXkVIYQj(WEn9-AJL znO*(Sp80XV?vRuY*CQr^yRhYl#HN&9C|Q zHu3bBSYdrw9^K|1?1?986&#lP(|ow=^1{AqN2ERTdEO;2oSAS$*3S0EJL0pOL>!To zk2zD!B^JTvs05M^HN6=*wprOSgWQ}Koc;axoa417X4cf|s9qeG+v@dkNjMvUdTZIk zl*pHkU&2wFJFF?JZ{t-smN8d*m>I+*DvX*c%pot2iZ%5fA9QhoyykbF6^d&KPH;6j zBrCX+ENASDc$)*VpZnb=#Dje_+b>a!b0Trx=gjuW*poqcHkLEh)qACM9nRLMxzYW{ z9?70h?N8z)er4>|G|rZG4ZSeAWO4nCQX_ICduRlHljFBNFiVQ;*{`$4 zTNrtm`lZ~*5z~0p>Y(%=6vpS+5euC6OZ5YxX#Cm{^^WhAj%`Bmg>%^RP4-A?ObBZ1 zAXYedmzY!wLEEa%aO$#CI&9+pX9;K5^>@hqt3h}`{QsYUnewe8z1AC1_aHt)EUDF( z%pTy8d4@Q%o+@>gJpEhS#cOr|#-v^$dbY?BOkUu-!<{OZ*0@{@h&p4Ge;|2gMl5AT%J>C8W? z=p`C_P@XaVdl>)!z6ae8Q}3GfaJHobigfAn)He)W_)e@q4e-ll!|4 z;SC%ys!g&CWnE!0i`dgYi87Kit$cF!jvh^rT;hd-o;u>r?0D&TCm2gP2eJ&h@Ta!?D{^6$raPgQZH(-gOmEmHPPnx(S~4yM;z<){97>LoN7Sl3I^7u&m7?T5 z>kv6>5p{Q@X9VyY$p2Sma7Yv?TnOz ztO+;dvRC~WDM7pRSo_xnQwK)L%(;3T@9T>5kx}AB9it`IzJcr}jzx$YQ9u8$My9`hH~FcA08QS)lB zzm(Ggu>BV?Ab<6O#R0frP94-2dbw6V09KQnapJdLG)_%|14j7Sa= z7xqUzy18KIOU{Z-{m?j`8bPxnWg2-`Wp28n=d%ro98kafW>KVhEg5>2LK&FC|<<@aH_w`8d7Q?j3@k z-yCqr)=x^l2?or_pPlS0@iDz)Sx!%{O68X-_2DPOr*wSd2#}yT%=ybK#Xt6{6E-5y5+e?Bp zKdfV}dww!bVi^AhjDKl~kh7d`c~MK}zi|$+caW=3$q$IL$IrBl5=~sy5(|4|eqAe{ z8~ftiD?8jjyGByGlb_*lhpB;UWG>$q(>MowXSqgRk{h0L$rjxgu9hp_zWBPq7LNN? zN*3ojiKezF*J-(QILVpM@hv$0eX%UR>x+LkY@wg>0*QO!i+L@#;NADRGW4@AJm_0` z_xmi#D#;n0hYe~(%n%TBbf>!wDn6Sg)0>kQ^1vG7il)j4&Xo3hTBBguR56{%8mhfD z#;l$yS;RumIK3I=E=-j_tgCg4HX~^DG)c_zL(h_%aiQ;YnM+Q|{jg2=VKzhFRHuJM zyG`g*eWrXRU&=-{qSKAh@`624hwk<$Gi;2!;q}P2_Slv>TN=0FTx*0Qy6#*d*UPbn zuTEW~m{`$9`=MYs`Cn8F8aKcXFOInsi*u*BI(fxfZ|Y(4nICtP0o=bm-DHnJiJfIw zTYk45_W1qgADKo@#@+XJ=sCW#s4o1TsdkV%on>HOKU|$bPs~@HW#>@tpKID7y>(~# zG{q0wPTFF}+D>wKu^)`xY_a-gdx>KlRt>g=M_e13y4eqZ%G+XmpH|{x%Me0o8y`;$MCi< zwJYX&m`$*!N5Ctsnu#70o7&^jn>Sh)o`>x(?eH|>oi@0Vp6_lugq(P%1y`Uq)E4S5 zlzyvS=k@s^b{Nw6rFOo&9#`wyq2lhxnq6r0TdFXmuoO*Fqb9u{iGRzjbFQ>Ey@BHx5#1;uwC$$ovh^c?N1$+OT(3bu5 z!>P8G@tEV z)9hgSYLa$-8eM=a?`O*e|WR3|&kKRHBe#Wb0p#_Lj_ZLzT45Y4V1|90NTq3*-9jyzX0^|n~EaHRHP1n>J~-n*q^wQ*B< zo}1WWx!qjtGGkt$H}9|CJk4^79v_$kPkXJ=vdPyloUsK$)@sJA)q|)wv}@HK?F@I7 zBWn|*`0$2Si~sMx#2NfI&h6*!Hgx8!?0IPiWDZDimNap7*wnGh(1=M)v&tEIIz|bSiA3sVuK;*E?#DKi5}gA5YigX_h^f_WhAHG?dTsA$v?UbIw}tLVPHnbWEt86)vc01l0zS8Q-)tV^X2&t!V)eJG7h^8@g6sskEa`=$$}&&4oa zyL5Y_yYZI3Tl|@SbT4(527laRJ#%LBdtJRif3)D|yIPh&izS>n&v2mcW+hBx-|=id z{dxbXgBMMStzAv-%sDemD8)VY76*LW*cuTJ^@ww&?uk)5;#-*?JRR`(VO!MMp+`G+ z2lzKK$8OF*d>pvPf7l$I-T(KDJK%0vGvaLZIK$mum8vHAz@EMOY}QWy*1-hE$8|i< zRc1M)@*bU;-~hX+WzdwLw;An#plMHah0GgeM>(KWqsO}ceLnqP2k3g|>sImSmrf(6 zxMiL$V6h%U`M3Y~JkMU>2uE_ogBnp|<)%N%vyWH#heTj%e$bgsAr1J9VOtM$HuJyKxWO*AWR_k}-<$ck9m@>{9}s<>|3sk^9ty zSa{|xqkfKP)+q+D0pwM1_N(TQH)*TKpDyGtkVDXsyPKW-oeNu2(~8f<%yy30{M`>Z z{G6teh`LS=-Wok_v~uK($qn;(kK%a!^MeiEuhL^Z`GEGzZ19Jl+wuCpakk7pfuqFT z)MWjPi#HHnoqIjr3&)a=@bEw|O7fgU+mj^Z&B+Z0D1H2B|Y;ljxqkvwm9Nj z<(yToQFf3&nouVta^Oo$Ay48mwOOW@e1-+D^%(cV5e@Agq0M`&Sbx({gp)_MYt`zk<`q0;93-1>{ z?{x4a25rzIgqWluskyMS*29UPA6%SEjSKo6{Vg8nE#!tz4++JtUd$DFRn##R3M)Qe z143%3%C|x=Y_9`aEv%ywmWH738wV_Kt*6?34n`;5ueFWqt38{^shH@9f2``MJW0N8oRPZHDiFPIIU=9}ug@^% zZ>gbu(@4Fx=U#%I$P7JU(mb?d-iJX~qsjb!!*Syfi33DsdR#)u( zQH>fbOUMgbW9g6k=OZc`4%Lr=}RGwC8%P*hS9c>#E9|Ilthr6E-&7yh7Y5Z|X)+51HP!2|x=!#9f8b;HdYtN9nhuxy9}%qz84F>C+l_340RQ5{sx z(qULh-pa~pUDQK&auztd>*Uy7_2WF>g*(LUO?s--%^@(}e9h}hZ zSv%GCHFFDNRq1(qr6L1R=>+-vuR5r`+|`c%!2Lqoj>@$Zu`sorakNhd)hx>&b*Q`Y zbwxW>+lKsQIHM{#Q%Z5C!5ze&^{v&?%KlJOol)ayOBHpC_1kh{tF#ts6*(5Q+^MDU zskw4-)nh6(0rcCNs9KD_CAoqphBi^R8QTY$gOzMsoeLoHW=kvEN_(C&`sT}9)Tgu`TI`lRO7U8eAvM`QY{Nrp<_7K zRdU3Xtl?@=8gUAIt_`n8sX7h9sDa^#qV%zdZ1YcS;PR;EX zf(6k|2%kJg^(Qv)G|$HA8za=pw?U}<+6kkt4^`{vVU<>rT#WWZ)THzD^=jaZFL4&? zg%v&4`m_H{vrt1zkypx?qzt!E@yP+G!u{{tW`ouE5!687-&m#3K(+seKOzf>{rjxc zRL+#*t~e79rc+OsvMwc#c7;hl72VMv^?s9=_oa`D{>ECD^Vk;_ebj+`)+)nX@b+PE zWfDj)K3f;+n)OfzGxgkSyP)!%9_j+m>PS!O*r1Dg_k!F6-)h}FCAy7A>=WP zqh3$X*lB9>`ary4Om^8$QB%wE%=dLcy{i+|pQr$oBj+pl-8i+TPXGcZyCBwLjIw|1 zkH=Onuo*E*O^)=(a%<|Fv>U0m5v#B?bOoFVdz7> zwZ`4-)R+0>IB-6;A2zCGa0t9c5bv>dgSvb&7`fD&@(Wm_nl=o^vv3zwDz#EYb0_}( zs0-4^E>-Do17S>Ej0qbTs$PqTtL4tCSB#aCm#q1DZQN?MI!FJvEqD2O<_z_P`5{X_1m_HXdsct1Ap&#Omr zROM%3s0{6SY}I*Cvm99XW|s z>(r%%L72G774@Q5D*bW#?X0AB!^)*H=(Bqo(_9#rSH(np{|>8qbTxxvJcES6ZYJr^Fzi zKV#i)o~pkx8aB@u!wGZL)08L_aBpSOX0}?-eZ3L)=86B#R^`kh(GhN#e}UKZ`2L+j zJ%loI)Y4Pom_zR6oIkVGE#mGC#Gx&JI$Kq<4&%;*-ntiOD?93n>@V+u%aw*I*RlcF z_Q0Jr$pF>Ko3o=K)a5?bO&y5#MGUd8=RCTo@AN_XLmk}qmpsEKRL)F=BUB8Nw9lNo%6f1 zRI4e8Fq=kg^Ep%1w)^oI>g9&Ff#cQOjd2)F-u=CxQEF_btCJwY^#_eE2i( zZ&|93#xe9BrSD9wA?kOZXf&QnEZGbT<;Gl>w8RZNY%Ns5lL#D%al`nMLsWilIQqZk z&)5%9+fu_=$GgK<8>0Gf#y&2FJm@P!l)Fa=_p$D%e|d=7>_&ZpejZ3UHAGb-jyl7q z__+;Q(OjKYo*4L;Iy>)l$_IGl?6#OOw+w^QAxrD8##6QW0UQWc(W!*fge@`Q9z z1Lx7RuZ#=!ICWQxPN&e@%LT(e_EeFkDL7*5%Ko~yD)(864YB#^J+hTrA?QH8pA93vhqi<%N`o^HkUn$+*o$YDPai|k6oiOn%rt21Lz`6s;( z%9yKDxw^MtmORML9H2#if??K9H)) z+<6<`zi>gFTh){lrobe_71_OvRHOUJI5pD^otsos0SA+?`vrZy*H>1z|4l@Te$)o{ zsi0O}kH@uQ=hN-|QMgcdV)a5|(Mudgb;|_A z@L4X~^bmaC#r?mYe_695^mpBgzU1I{e3gw=HDb`_6!8Elx%f~o5>e+E&r9@MCT?fx zHEQPnIt?pgmfarHL*e)Z^r}N|-k;KjQD&XO<2Po z2&ATc*#{^h79jYXCw?A1kICho@qyR>tv6cCo`<`8x5F!$Iwy$>0r%~g#6G(6hXqib zwi8!FEzT)c$Uc&e`xn^f{+WTvZPL**g0=3EN%&-!26xu0-CB;p(EX|OE#w|Qa2SdT zw_ywMEz)!lN@b+rN(jAUTI%S{l8i{=EQjpxg_eI4F~@=L@uNNIbDMw$;*RoG{jhsT zJh`yc!E7=Vv+BiR(qDI+EHxQsb}{Hf+>u4&McCubI)`zKSw#yixtkb; zU=%!1?xh!+1rnbyg&0I)-KMgZdq{3w_^}ZDHu6K&MCu2|N1#S&>Hzb-W$qk}*EPNH zr;H~;-D5GCzr(GsC&JHfMUoRW$(RRTImIFDmJ96ndg5Y1940e&u7B@|^|^7FLQedg zPSji)6N8o>&cG7xwXanS)TPbMz~A@{?k>Z;TkGoINk`~z))*aL^y_Srjv96@^xk#vm(V>8O^JQCt5MLme%n-pm851F z8fHa*Nx=xd_lH}T$j;iDj8N8}adjJH*Xfyr$9~jBT${&bNv!pfj+jqf zMx$xu9#`&)RtG##6yyoZtKD(r8{f}7pNre}#M9C2U8;GpKk13bfwZo@m_1 z37v_LdAI5x4C79|`ikOlp8jc@!DK@wChg>W^=6i#Co+-A-E@V3n}%DLGSG}OoLigz z7tm^--hdZ+)#7iSgqN`Wc2Uqj{dzzYoQC0Fg%R;^PeGFNV!COCT}RNQ#b8*PCR(=F3YzNVAL`Vm zk%#ZzNY{C%6W+Zc_OY&;Zsam&MD8gb=Qe|EwS*}hta>tsUX~^MS1=3eJBp3|mAT z^a1*h|9xaI-t3KqANl!(+lKXt^u6igh0UFB7}_x3XA!getkw-fhrYz~XL(`Px?6^V z6ynrMQ`2hXJ;MfieBC3zW0ZcW;qP;2Z24I{&Yu&nX+gT37)d<;qUR5_BR_VaA7`6u zygz8#+8sDd>|Exkk`izz6BURTid|GuR-Mg&*C%Jh-Kb74`|X%U%un!}I^woD9iHsP zv??Z|ub)OeS=PYE8%n37ZOmtGFnVVqms+PF4%AGusVAdYdwknUocY2UvUx@#waw|L z+^nK#trO6?wFgQ~{Hir*5s$V!!{;mC)3UF`BEruDorj;)R#uHh;$aUowmPH*QQPp^ z|7zMbX3iOi)jT6OA!jT*vdzj3g(!I=KfjP1d}zS=qNG@T9+)9mA+EhNsN z##c|))2>?7TW|EDX5*vgF4}KmasBPQaQ>3BHh-E2;tRcCHrqveM(pZmV!FDzxN3Jz zTv2ldxicFVYyB3w;%H}L8cj!Pjci;{Wq5JiSCV}LInjIPN+Sqo9tb&0~fnE~>%F8`4zi(aX*nTS{j@ZJVmF4sDXe{LWD_>tqTIP`V zUD^}r4?b(Jx`v@cFHdx;_(HpQDj0Lu5Odh)zIMlj9F3ix7+m9)cAqoMeedY|+2oqG zU_3E()VAAO>WcPbz7GPaQQUFDWo-&`t;cctvF2XZHu3*?Q=2}UzpiMmt=K!xCm$p0 zn)ckE^P~gbczWcNW@_vP8xLY_F`?tvGs>ztVjogpwt0Xu- z5l)}zCzUcw+N3AIuBQj4M~slZhvLzUx#D$>P7b(lMZsNb1>jkYsEwL`=joUS-g_TxI#`BpF#eiFq7u>Mq3HdS^_2eKwpI}@ZFFJdooviq@8_vfau<@IV+zr_ci&*lO zM|g|TwOu$*JbBKA0P#Az6KXQ~il4*ekH-$w@5J0xJ4Pzk%!J2J>WBu#NtZ3#F=n4D z#=VJ`BUjV--18Z`9w&>t(HEHbSR-AGR7^|3u2Jsz&?QXFkc>eYe8+t7lg%ZQVD-Zt zcU!v3!}kd&R34~eu|YD*C!m=t>jb+6(&6z|dPsWU?~18XxqA!}{*Ys9G)AmKB9Y$D z6TfQ=lLj@yam2wBt(y#%;pCjXKjsOKqW6)%&WFds(dGcy7H~4-oSj)Lvt3KF$-LOz2=;Ws zxsN-f;-+1Av6!=?UHe66yc0(TxS*!lQ7LVci4Ijcn{_ovtrOefl1Gis;TpX#(qYW` zgK2|oIXgdXW^9IKu^|A+6uXL30F`RYOVgFXzT8@{DLITh5Z&@qGPT_c) z;)yZQD`i)cPK1;2{a+zwkME!;gYco8)#My`=j?ECi}^Pvv;BDr|b z9pmhMko|a?yxix8j*-RVJZ}1a*>r3#j$d@Zm9p9LW%OQrGe^s4#RFqfO#X%GWYwRT&d+$*rmK=Mmv1>He zSW$x|b`3H^of$xS8;S@BB1NPKNZAkAv7(}YM6sY)KoJ%DxBc{8OaB@eXJ)ak&)nyp zbN2r2|Dt708(V2?Rs`FIQR0@%{dr&!c20m#&NK zCEDpUmLCa|+9~#;q9auD;pSb%%={TaLuP7B3=xcxFQhe`A48s-A4ZIIe%U)8DW2K$Bd&AZNVd zIbqqTIbS&6m{4@)HL=wzAdDwe&ninO(#nci9zr$5kq}13&cEOfc(C0*m!v4>jc~6ltCR_qnl0DSA7$M}+ zM6d?j(DMqOUJDhA1`blPn10XV5E-?Q9-j><_+%O)E-}n-oE3)}b%SLg_lk5=`sFtS z@|x1fN2dsAia4j>Ijq6o2Vk+xR|4L1ou`E%+1Oh==CQ`B2*rg{)J~*mWkTC9gfsv7 zT`Mx9W5N(0=pqxWbkfoC00zc6iwXBwzb)a|P)NQv86bL91XB3gH3_^&x*dd?T5|Ir zoy0LI0ImO`ue4Gl=k$Kav0)v*TPwK}Y~kIF8IrHQUuWs~5K*sLU#MAkcYY3^2M6Vc zhAJ68<1NO`Jt(I_$x2EvRIZsvND)0L|K-(bz-@Dh!jXUSykIG*z}* zkWK1Le}vXlNi+$OVK=Ph{im9WVOFrDnA*tN;YLbK7<)urmyYQIc$A*o-8sIz{FpIriysN$`C~)@vhXf^0jA zX4DftXAL{nG8w1BoTT1vUMG<$SWMpb)g#QrDM^Jly;ntKu$#6^gV`_iSbg@ehsWUK zVfHZkJ4jGM6qb}wW1hf_k#DZ^Z_gWHJIm3^dY_mKv67p4RoK&bpSW^{^>0T*<@NF) z=@eomm4!8w^Cf|DnQY91BTbdOPJ!}kZIz6>T31On3y?L`lN6WNSLU)OJa4EF}MOlm-@;>&LvBJ zFNVQcU-{HpC84`>F{-_v9NDJg{&fl;8u^L+8P3ioDk#{?8L^34O17uNl>PaCI8Xnu z^ce0np~rfaS~9Iuv5$<6YFf1zs!}n7+P1p?~rim)QY_*wg-Yox7ElV^wjGRE)9`b4?Y3RtL#iYwCim4HR=*@?Mgy zWZaqRO4uI((xHf&nftYrVncuV%n_?@UPlQG^OHDcAU%t%r$nu#*Pi?Q7L)qQb$Y;y zQpxmqSx2c;>@BsTsSR6LOSyK)TU-*Yr0IS`Wzt#lWvRFMyZsBy;*4W`d-hef-+`mn zN5ZVAHPT-}&k`TG`H;Gf4X3fQrLT0Gs3zl%zI)EX?s=;vocCXY8D65JzQQMtKBhzD zj@IG+)-VkV*xzuc7pB^{G~8eBD)krfK28s#cL_Ckme!KgCIgEtoMnfenGUNmQB3dE zh$L(AKMs@~(aEce%&Kmih4<`LShL0(yDl4@hH50j$VPtMprG3=jnt=K?2iUnXf#?Q zea_iP$2lo5n$LVKGQ+=J=Qi8RQ8pq-?o6_h^f|8)MP}#%YPy#F_Yo<%0b)vBmhoUC z#YgWizZ#OiU2d#s2k9lNIlakZs_Z}MD_iMXaqy_4{I%IfuJJmL9$Z&RV!yps74?wb zwUwM?FL8KkB|R)_D!Vs%N!zzpQa;E~X-`ea%g!o!TvdUQ1!Qw>;Vd%r4!V*_Hu^R- zS0}DuI_DsXbD8hyd>ZR+(RXlKE%{BeVBXzZR&}IyA}a&CQ$7Db_f7vZ&o<=MuZdyy z_vJM73Flnz9y4jo(&5sP+Ovi>^159H9>h>jKGcT3g-k?|1Jq$MZ>GU0zGuOU$Hh#RTk#g2(`@^$QIZY!kAKJ)r zt%6JJJ+BV?Ucd3Ac^MLe1EpY=l?)mA65&k)KkGV~S@I4Z?E_>&Idc>S7%H*FdO1K1 zQiWx8CEmhMFjgftduu91k9;JC{*-HXO_aBm-ZF*HA2?;I^qkFg8^H804->`K$x}{p zZ}ERuL#aE!Q+7}T)~SzyQqDR;XTgl8=;xT|>?s#duns+6jGJV3E*eJGp}`gCS9wWD zwpwmwoI)+`y-&yRdK<4Ga3=lET+cW3w>r>6m&2J(Tv-}Eg>l}*eLL?&8bSw=hv3Nh z&Y$UML{{!&_6L*|8R)x?+QmxFh+{KRyCoU$?U?aR&vJR5qvTDol^}~O^a#;O=nm$u zq-0|n>+c~4Y^CJxasE9TS-`pEgWtH$?1`>AYAa6p^pdaS&lhZE**{sxj?%~@&gs6r zo`1Of7->daXKFQpB_WcMDpwUk=1oD4GmUM zOT$@t)VXwwYfa5Yge|pynQ$&91D<@Rd@H~$-ccM`KX=VlaLipNm1C(lFwVvy6+UQ}_&`2A=jKxkvhj*@*tgNl(1}!FeoP}fIqUp(om&JyM9ozJ z%yp#pbz2$C&-qI_??)?#y}-RQdYR4db%V37F=89}pX*i9&FVc8N`0hmFg?f-2Ff~e zgWaf|yMDTwGRMzTYNYVG{a~cr@9RMwlu8U8jFgtW++}RIO6(pOC>96Yq&BsPrv_I+ z@9oCfkxD9OJx2H)>Q3h~H{{w)crKt$iJY+;DHkw?{M_Wd%)7TEH>L}jI`lpH>eDf| zn}?{lH}-#<3McX~+H|p%*3DA!a5|aU>}9PUlZuAavE=hS->%g$dX(soXiiS@lr%hn zv)r6(ClZnl2_%!ogFKd38K~|+KlerUWcmPy$vik-$6l_ERq&ka95sn`Yria1x^NEb z#2jbx0m5o(>C3T~6F(@}$>(3#(-WPNiRWiE?5li#AKa(82ag>7^}ah1+-q9pXNm}E*;ptj>38~ebdHg*l^By$g z1v7F+d_t2p>`BrywfD|PSiE+XrFZD@-18P2=eSDsmnumteU6i6u5z;}+S|bu+`M^D%t*-AS6W zX8yD!4eFVWGD>4F2|Lmew~Vn5Hw&6Nh*9rMTneQ&V<|o3`_nO~0XfRQ za4ut%0WF_Dw7@||9!f)Eu112!ey>ORU3UvB`}vFU4lB;`?%}#dFPo@6w)^t|+VAp{ z=8JfydQys(EqrA*ufunqPf)eVoB69e%Y~KWeSoJ}Q9lz_PytR#zZhVtolw{X9ei)e0>>79@Zqx~*Y zVPh>BmSm6gb(O^NHq2s9gEO-~rq<_P+V?0Xlgav962I>;38-30t@W>V;!qWj#=$Pq zA=XYVPfoyt6zaI@(nmQs5kH<`_RV7E)UQl}QGt^zjkFg_-=py1y>IIadwFp<86%sJ z=goQd>!1|OU`Ega9cP8hQ(?M8D|2s>FZ3xDE7(sh>&rgso)pw*rj@^|u^)Io1vB}) zGiL)&wj?7pn|-Gy-_HjxAIQfJAH8&Bonm#r2+JS)NqIHqf(*Nj1=pz^->H(e*Nd^k z!bgVj3^3B-E^ekVCxvVE%Rl!Kc!f-|Kh=_c;{jS+<#n~1XU@x|@O(wjI~ip9XQf!O zhrEiJYMFSm1h0afCF(D=)M|Sh516&on10OU^?8^OOTJ4RvQvJ`LB{aUOnqx9SOe_5 zM*mKbjRfH+-f+g(Z3~%Den)Wh5Avn@FvGOZVLa^ZBAciioT-jQc`&u#qnLqJ7>iGL zoF#?*z%=DBESk|f_L2OZf;e=XOs>Ne&c8~JAkE%UF8Vu2m#gvEd`>5>W$bmkC!l>x zoh;&+_}?ChI7H_8m_X(o2PWcSjz(U;)5!Yn2{_HibpCF&G65G4YGmVE_Ej3jWB6Wj zf$n|3&P6wKalwGPc^$R-iFwE&=ft`R_sn@W@Nl57=)6>N*Epa124~8~YB^z>j}E3@ z@|b;T-Le8)VAhg7bsgbZg?LTPTZd3)G}bGEs(7#X`l_XkVG(MwZ;;P^l+Wk_@-3aD zi6?m})2_m#l3A?O42Pe{!5wCFY@TP$epwd&xb7s!=8NJkmU^}Js#8kKd}*Bqshyp(8k+RnTce~rY9k3kR_$>X_h)skXR@RwGu zEzru_8nJNZnYn4UR%`;Ik?qNQpO;ob&P3w~vlQo_)yhArXrzqSNDli{-`)qi_0GZ4 zHSFJd@cf*30Y(YF(yOaVOp-4m&dW!P;>m(gU4&~pZ@Jl%Igj@)AZEU&Jar`Je9r|~ zPH>m$XVqfne*rDX08S!b>?HYM-E*8}IrZ2^6EDEvg`?bM{dI<1nywegkvmT2($tgK z!8uWX&fsHt4_bLfCthx>+0Q3o_eOfv7qABJAB$Zb$TXTvP1lrz*cRd>!$y<;zb_1C zx#W(tx0iQ$AvhoFBm828 zT*G)bzCSMv!&z(hXJ6XtWf(q&lF=TZlUb$Vu;y$>Mt|SuU#`zW-)p`SMQ)Gs-~ zu@)Ypl8f`nX?)`?`+2|fn{on1-bqxf%RI<+ap76?Xt|o4%v6}Oue1FbeZ)@^(en-Y76YwC!|%A+EUo09 zWybXGgZPWumGhzG5MB*IUM}keo?T4>gP>kQz6kf;ta<^6_aRelADMVp_2@@dL&!>M z15|qa#Qyp&_L}yk>#^0A9L>%A{*Ls=TIN|DzoDU~%O6AMXvNq}D;Z`1C_BUX0Q(oN z+5l+B@j4{O=cm&FXhGI!E%ulEssgZSDrdQ`nSs?h5TkC`OCw$fb``;x@8cl9EI{O2iK+4FD7dq-|{52;&5-@(EJJUZtpi-uau=pJ!MA3?tW{p_pS$Do4iaG5p5 z9p)B;>{ct>i_Zrq* z3j@8--jO|H&L`f__COJ{>#w%8m)mXJVZ56C;SS^zxw@e%^XezObdY~nyWuD1+w7tq zU?#o!JQaviPb$C zv&um%OaHgdpLdVX-YYAav2@$4)hjkF-LPUs+tH)@8tiOlV9=n8fx(YPUmly({_?0a z`0_Zc;g`oo)xSJe<0pN7eZ8-bJ=%WxeQ%2|j}N}SZeYzXzqk1MdFQ|Wdk=oV=l9q6 N`u_iY-hi*4^M8oj_RjzS literal 0 HcmV?d00001 diff --git a/rtdata/dcpprofiles/FUJIFILM X-T4.dcp b/rtdata/dcpprofiles/FUJIFILM X-T4.dcp new file mode 100644 index 0000000000000000000000000000000000000000..d67b45d596560e6908e264243e0350f21ea4232c GIT binary patch literal 65358 zcmZ6z1y~hr7d4C>*p1C&qhezqu2HcYJF&1^I!<>{hwfAw15`lHY*bKDQ7|x26zs%q zzx(;#_q+brpX)l;48xpZ&YpemSZnPwYnH>*ref zuYdl#-?g5Z*{b3OW^7~Dmc3U0cfT{+|N7teZe)M_R@~660Xuep?SC&eH%shgW+q_! zKmNPlN@QmClkGQT=S2TDGyBEP|M!~zzUMc)P8+t(WXC&{{O2AD*?!0W?l=BpW|my? zpY#8H&%Zy@m(HFweb(H0y;lrfGMfGFI^E2y%>XmAv-ke|`FFdO9s76dQTLzU-`f1= z_t575*-rfPpW_eM4g7na)Z#ze>HYt+)&BQ=0YCq9p7G6pwl2f|^Y=0Ty$*i;=lCV| z!T!CD-T%AJ|L^`*vHR)CUjOg@&CEpj_r*P&O!n>6m_Jj9(N_l2_zwy=FA(6yiw>09 zR)L$7eQ@5PA?^Dr$KA2s$Vhp`*W0DQx+z}RaP9`*Yl;#syF9U^-Z?&Vi3)r2Jn$;N zfH!%mF?N6lW{l_gkpUW%Cc0x@->dwOU@go>xa0PQr~KGL9S*&7L*?l|yxnjEO53|5 z?M-u{JH9w^$Q@hPbfEPI{L#k416yU?C_LLAT|0VWuUT(0pYDfpb597edeLip16-$g z!0}B-TGU5}g{e z8Z5(Vy$6g}PV>IU^;_GVDEZR{xsU+*D%KX-`a+n~`9S3g_5Uzj8wpx|a)x$V z0Iymm#zjA8q)KD>2jwE%i*&|TzhnIRog(yj?~M5K7x)HkMVRE~f|C{x_}>SZKX!D* zgT;0H$2G zTOvo&2`@xXcQxgZ5`$!3aC2U18n#-E9{atpTIXu&HB5uttzP)^G23*uMvYFhy-=~W z9>4Fo3eT*(ptc&uZ?96~beIlkq3;ai6Y{#%U<+wXYc z#QO|>MuZf@4j2}=>g06M$*lnlg^%G>cyT}c1+mGO{_Ekb~ z+y&AW&G`imDxA)8hX1&({GroIC^tD{)VoRiO{D_m?#{UWW+%U+iyTicIpdg4$9Kz? zB6P9~(p$#z+kGT>lk0+{NtwKRv=|O8T`{#NjQ^Y{L5T8iJ5N4i&;OY$#7VgjMWv5T z_m{F~Q7b^EQNy;*8+-cM^6srwa1?vv$?)0yr2`6#$@4;^0n_;Jo^ni%_Qc_bJ^3Xya@=$D z!2O~#rth1T=-8wSE*2>cE!&rqfE0}s4!{2D;^Fsn6#w| z^hIg+8b_U7tJIEeO}! z3a~5ZA@*H2qTP4_TMy|N78MB9AOXyV@5GGF0oc<=094n*f#v=v8YRHs)US5toBc3o zo&fcSA1G`*!WTbR3Xq*;ZW^&nkIPF0xVLwnN#&%)=+5k#HLfPVP_}j=d{FkG}mbgrCf;?^tCr-L_+3@#~rIbDgPW4#a-XS;^fm_lLNv0Jjp>aKjfc8?xB+ zblz%i$4Mg+p7>x|=`zluNieqm_Q8~I3%H08A+Q=Fz{>?QxXFV;Az{xh{o+KF5PO%1$_v{pSePud-MXukAtviu@KD3S#|i4gRAJi4FL z!gNE3r&&X>x}64-eS`?Mv4M4l3N6ir$jw`VJMl_1)(Y@5U4l7p6d1^S%(`C;jLyuT zgM2Wi>nS9*P+-zHA6!m8gn#Y4_=PtHh;|`+njG)_eg3ku+0BKVQ@THToDyP0iWlc> z9*C-yLO5yFT%SEg-1;fN@}a(5vkO7^mL)*Tct37dhY^2wCuHkE2$TSms3Qjda{%otc-wsp$KEg&f^yJ4}-a@ z2;VM8vh3O{fQA<9*N*M-j-|LJrIlgi?LrYmix!mAEw=6oDCe!)vNZ! z_M>84?K_f7nrwjYD>3|<59fLY=%DQ^!7zh0x2skInT-Ve^P$}D8EQ10C&9vD)?AOX zO6*=Mf%&pw-1XH87`IC>w#MrJ+PV222__`;=T2^rWA;1oUv^ggPT@+!qp*Rkqwd>I zaa~fPF@f1(=Q^HylpcfnONDs#lsNCOSQe7lT23@^-M7S{qPY;8j^}Y(%;V9Wt+neP zk8vHP@wm}Xh%$?GF0UjW4l9J%lAFMJUysM+C?Ql+BDnX7@%ZqH<=viv+}1JisOl*~ zU67W8EDny$o^(&ftqqFByVW98cN1_E-D2RoO$2d)3-|nTBqpjwD0#n!d-9pBoh)Ym zG21!g+z{B_5#iLt&D_RUMyzQq#@c(1T(kQD&@U3>O{+CrQ9FNBvYH^JY6aK#pf6g! z7vsR3WnAS;JsM4ypvGYdSG-q;=wJy(zjWYozi9BaS^{MY2dN!zkq z=_tj}tBbhY6a^+4rO1-b{=as%Es$bP{~4U$0y(Zul>TMs!v%TVcTEDz!$SOia-Or? znTQQ(LiGQ3g^RIG!ZsHnex5Jmyx%6_!dw>9?p@-}`6Oe-cp?`3~ehI;rKCIRhins*oiT3u4Gdx^Whz1~~SX zAoIaNu4IHBA6R{M-E2P>e^d+qDrVcHJ=_9&4MfaVE3WS1_B~YLd#Dt*y?1iMluFdr zNwGA32e)ao0$I~#P&#b=zjh7|l%ao=BiGZG)q$MsFFQ9|Q^aMurXZX7Sk;`X+>(B& z&=fLXU3`-}$)}>fL5Ph0x425%G<4i9#B-bL+*N%VZn55`i|z^+mX!u`M*@q9wrdJ1R)}DCKZ1Ms z;}8lZ%%2^DIJcx^j6NhnWdnb1=8^;uivut7^j!6g7~Je7#^M=T&c`_t%~p$X+egi9 zv=75(qZqE%Dz3wVVC=dq#-4wa-0ko{)HIbKqNjozJJcT$vnAO3UdD}X>Wf*-Z+nMI zIrPzE{VNF?4wG<=_Gs~LmK1kyh`57y)Hszk|2W9Zy z?Zw@TkYn#n84k7ePcAo80!$Y|Pjy#QUnNoS!fo4|lQn;BtX$H6j~> z^+LoK^4#atEYxE$-+AW=Zq%Dh^kR9xPp3>S?so>JPhc^@Hi>Imla3L)Mevvq#l1*O zL(^Chn!OI@>_(=b_k9*)9Rs*s`;+i%h#2`r1}-H(4*A|<2)<~!<)fovS1LwLt(v?2 zBpg*Nt`==kab0eOp!+5XYUe1q!bU-G%ap)zlY-m4KL9s>Nbp4|=f1MK{oY(Dwj|29 z4)!`B;l>Wppm?&P&H_88z<9?-( zv)jvhc9k5;Spx2KBN?P`<@n)sfXkjLN1{ajmp|`)cZ%yZIR_ShggDmZB3C2L!Svfg zT zYIc4|A@`{Bad@5+qTcW0+#c&=_}Nl~He=E_%PvQ;e=3U)rEy$*RW_Vie5e=_#>Gjq zAS)DMNYg-0el!hVyNIDSGjJVQ&2-p9j1gsOZZ4mIM|Z`@S*zf#b%@1hJJ#zhE?3E=7K^fLnVn5KWFskC@ zTQlF@CBv2Wp4_b0IwW0^VSJoBXJ4nmnqhLJjB?{fbyj1RQI4uBE?n^{B?hp*G{W7P z8+DS|d6NR$&TQv4tyG|}uL7P=cXD>D-WX(~_{+}bJJPtuz4Kw;fYm~2r@6-i^I^qe z_1o|gZhg;u_+$w2<9sQ%^J5;ivpTc-Kq)skArC899KPvX!d>l~hbgOs*c`%h_gzlm zfE%j`Q%`V@gHE!(kHsHZ23JpY0(=V*it6II=MK5(Jx7F9v7y{XvmA5}WH!Iz%T-8^ zV(JSKawe*|!9y}p#Bhg0X;N-ebqXXUVoZMQ!)>{ogp=bXF#UGna(~6)Mw$c;A$vLb zfoLeYOA(f}gHsKPfJP(5k~UjeJsFCsPg1O2u$gN*F9>HHWk~3;k(-|tfO!{WaG1TG zi|72%ZIm3Za@TQle(DhzC5Ld~TJC9;7SEfqp5J^8=kidEQ7#Hhc(jUhXrRKrM+)4# zx{?E@fZswEueU7ZW;6WlZmAM8Pc7!EzRHnyUHO-t8wLe)cLtonaaL2Uf0W9tJaLxw zwIW1|a=9au&SB{e5x!X$aMkAL@R-@8v*l^-(TuY&%VRi8$2{&_>oaJ=a{aSo$GCAm z1k3j#1Q(=o4^m8Uug7fFGM01}>t_C?vl+Zhk8b86An)9o0zO*@$cRH5C8Es98NzpVNO1!W%0M zPR{#-t%Cxwk6{V}EPvpGhSel9w0L3q0(3Iq$}KInHu!`W#ab-cu0z|)?=hL#@7WI> z-Z!knbF~tCeDzp+;Rb}WR9NYtLCCA?I5S6yeOk?5c8(Tw;I>%ZK%!EFZDTm@W~ZB& z+(V4&m20?nFK*!bNiqINcXJzlUPrrS63pG^!X0z1!2Wj<LOOGcL}#ESIUI`` zaeGy#(Z3H{k1t>0pUe~3BUhkDU^%wh9);dM9=Ojh}?7tmBhkAp~Bmn3=e)CiQ+mH5_cUy@5nGTa8yGe*^JJrV5D7Eqw|`T zSe+V(AUh2Xc`rn>Uw(+p)Zm-fEHv;kAgZ?(BOBVIyq6B1fm-xnE@gPi-q%Ej;Dm{| zaz%-?4C^sY>x1pb85Yz{3-?+}9A+3u%|eE=|4%>I=jk5At-poIMi!r+T|RoTiLJ@?;eV=`Aav>sr4JAeyR+`yCZQrO#Bap}?ue7-M5VMbprv+FfH z@{nO^i_YA;^;a;Vi5%@h>vKyElwyrs4$oN?Fx!6~Yd*0&GAIW3#+`$n<&XMh`*5tY z3E8afe4RhelI80>^z2#cB}`B)Jz&NITO(eB@$OWwbRK{AS+WM;gg}@ zg>@2ITBxwS@9)#;Bjd1{Vfr6^mKQ!%L?I|sh0syHg{ptT5yWsY(W|)SykLcZDzdXy9^1 zgQDz@g$)|2;NL@wrt6xT#{W^_Osy8jZJU`q-zpK>QTLafe>O8S-A=fTZ>*+TG;i0W zdHe6+59^_BTL2S>-GRNi1i{z!*guk;QzC)g-Bip>yoCa(6qcWIu|M(#nlNnl``#ni zZdHNrtZw9T!_a^2Ror5=%^ItX=sou`yjm&{arWJ$Z{03pu|fftWmhIX%PL0ETLsz$ zMHTK|#bc(e5~n>on+_bH7Op;y3p~Sxy<{ezHd&ZhPldpvVWz0@sVJVT zg7jXhDZexc4<)RZ@H=U8W3^wwSrxXeKVusCI|?hCsPVkC)U-3ysJ?F^qYj2R4FtCznEuSs z;K&mV+D)l8o$RYZ#b7P;{9}_xPc^K|wD@u3v8lhg3bEh*_UFSMzf36`rY*Gum8))tz$C8e1PrqDV4%^>ytbUPO7}~82UPc8Pj+<|qkyVPx9h5lVEZMZ` zRSCjGO2m!7Vd7R1+Ou_7)BBf6^C=I?4l3*&-I|}(G6yv)RA_p#JO4U43p1lsSiENd zAA2elS&vjmrD43q_+;!Eq{fb3HvI1{@euA;WBQ8;eBHcg(!hdtyu% zZr{e^w=!6GM3@%Mx&_D6a%@|cVHz?0I$Ycpm^P%+)TjI^o^)Yr{DV24+W9hWMY8<$ z-I}*~a~|uOsW9=+Odj2euxz;sQ6cO23UxjlVpMScxtF&V?Y&$oDpVQL8shWY%Dng{siEX7U9c-~>aeP}nx@H1`* z-|FpM9GxY{yq5#{=~HjxcYg(Jiih)aEN)`pI|Wu=n!z_%U5-7WN?1SG$qQ_+;2z6a zeaEVK_qYoPP_pAb*Fgi zeLBQW(8JZ?6raQ5%J(2W8Yi6OPd#LxiS?6-9ZvDznJ-K&X7%@(lYHaLtfv0(x19$Y zZu0ww)u86O2uh~{e!|llxE6|WE%-41XKxLXk4dn5dl=t$=p&rVlp1=>ccc(;OE7`aJ_fVd#uA*cck8J~3eZ3_SB*A<2j zGrYj2kU#R}0$f;bdM>-fmuD8C8;hS+8MpY5@_a}`)VS5=0pBz%2U}mNk+7tOpYlD6 zagQt?y?xA&e3XiRk~CN)e9Gq{8D5RF5U+a1KWPw;Z(CR$mh+6Swv5KO3tCtod&c`4 z!trsi4!3qa;{{v@%zRla`1q7p3^QWfdmX}-J!O2oKZHy5cpCMD|B_;W>7*X{*VzBE z(y>~?fM;K7`P!>2PYMjE>rl%NWSmRdLjyhs)$%QpRp@@qfUZMp`2?*J(ptk`{w%21 zm=bSH<{sYdkU*7q3)9yD~>cH%Z1PIqp1`JE9%je!Y4RpDZ{LpUwIGLTA0Sm zF>PBNALIWJeP=7+Q1OVy-9cTIQrMqB7TP@^{~o9 zm%YrMPb{gdSt=So(BgLEe<)~E5^NXhu=Mm<%)`m*0&c9x#C zqloesxXw753X9=n(7wd0wi4Vg=tmpQzre{+Qt0mYpx{5xpj;)x-g#YU{kA8lFJ%1j zh>lcjQG=tQ3UnFNkybW)0PhGTZfPv&M}s@KdQgRfCoHLA&2?0CSL5YgE1K~93KnLn z(bZ}M^=oqh1*0_BRy~?#vYvebiv#JM#?nkt9vXLH>wV5R`Z@AA?Dfo^mE$O1nTg3j;wa3z{y945A3+~Vj}Fm=uoI0M{O8KaB;t$^{(S+V?iV?ywW2lW-M8a4nvb| z1{AUDf2#|^>KX%{DsAZZs{q8W^F_$#F=XoD2fFQx2~K0^nU5aPOZ*_XF`C*pWwE@> z4}mjB)8P{;Oq=D88KzN`qf+2)5sNkJMpM#ZB^s*yak9r~n(wc`owNRb*?H!rRaAB0 zH5N1%Bdp~-IyU$X8e2=SDSZmPobnnw)=806J%Qehd5HqXf%Q?2p-IgDR~9j@v34W{ zZmq?2hO3xPk0NpM12{fbqI2#zI`s86(N46<~*g2#&|;?E0jdu3DdcD%nAy~GtOCPN2e24An}#n_LgN#F(wy0(V)&AEVZdK@E)RC6t=-=- z{Fc=i6+0-r;vH-m9-ipEp0=KT3p2G8HP=?q!ga40D{BxZ31;aPdg{;fyvtEO-BeqbK za|tB%wYa=*E1fPkA&U9!!6#d(<=vCm&FWJ7M_XxG)KQei>F_jYE6r${!LVqC%lF<& zxs49v8Ou`z#x0~4C1B+=1N6V0XvUTpbSgKXa{#uH^@*Y0@ z#IVVc(JS!>NViDvVxW-x#=OVQV^TCc>_*-$Z&7F_$ElhF^vC@rT&6I+4))WSg-QxN; z9a?O(64B*5g_vGXhe&e~?S6LxD}#0D8zH2d=Z?T*FpHJ-gycRw9W6o}V?R8>9u}LXE7j!O zv>K-msnDURma?u@f|IJ@zCcG|4a+fao(2yd>S#dYOAvL^VpN%qDqYUu4$I{-fsP6v zoJNF;4s$JZw5P=hwCJSA!XsL`{3{zHbM+WMUrVRL)3ART(=5K%(65qYQjO@aS><)pYBI0akMYA^WPLvU%(|KM7=7Jr#9lb!9t|5$=ao#HT3ns!I?;L4VnK#Dp}uIr}SKb7IUFBvSCJuds=cV2~h& zwsrafSrev9dm2GPrw^#yA;*xyF!Hr{1K}wJ7PJl{(YB{(QmaIiB#ch58ZWSx^`aBQ zsijRNb`-PTO%hJ3Vb{<)QiJ#&;S}Gk6m6ZgxVJTovNxW^M_V1_6iUCV3o!2m>$$8$ zDbYF?1B3Nwe>8-CPszqc#{I|43ZX-+2b}rJfJg6w$!kV3tI>Snlo(9m_2UuF@cP3W zf~jB6XdHR&hv)r+X|gsP51DS}#rq)YF)0MC#|Pl_*&rG-)QEu(0+10AL>CwOqnnJ? zc5XrB7H>e+03&ji1tPay! z^ULsOI9T&zhp5fmVocki!HMi-y6(Uud6JfC4w9(z!h8(rszXlCM5;{4MeIi%RxV4R zSy!_0G*gd|v+<=XBJuZ~vPEas{B4Vj;z7**bL*N`3 zONYzE822ayHzJ~G_+%O08(1&&Ke(v9={&V?zK1!(#CTg=L=~H>aMxXeCW8v;M*Dl1 zTPnrxpgf9feH+mhj9>hAf)c~8WB76f!^?8XyY33ExGR~)FNcCX&m+Y{1(o%28dyvi z&+y)1)kkT~@_dXRqd|hj5h|7Cpm7r|oLgj3f;1at_q0gtmqA-R)A24}hqEPV^d|M!Tu@qIMWZ_%(laoDRg780j*fPUL;PT+w7Td z+0JY$Orbd}pUCJIB1PP*`Fa-Z@E-*YhIP`CWl7LyA4Y#q6F- zv9L~t`Xy&5th5Br`zdfMkf=7i2FT3@~OE) zHop91Ywy!Z+J7_^Z!T%DyHPF`6((U|v=)!19wVECICN(Iv~b1|x~7iC_Z3XPVwFu_ z7DZy)3iPl$!x-KX9DXH>SfWF@4-m#!D8>zOtLZ=vG<2Rn%>JK zU1R{PZUx}&olJ@g@`LtBAaWmO632S#YZ@b@Z!&4(4ISET3c}MrnY5H)AxkC%Bd z!!-M=6p`ouwli7XBezT*?-_@Z!QGwd6v~XWZqH zf=hIdak7OU5!mhaz-rgl-Ys$vl#_ZW2JxflXQ<49YVHd7MeeIG^Kx*uv z(`0!s2DAM%xODaut!)&6dh4`U@j8bp9tPvtFda^QJxZx*fjHY-kLx>+&|Now=onU` zh|Q)(mAq zucq0g&C%fD)j+fynoTbE)#y@TM9s=<@^8iPs+&Ow)n(K9sjS|=6O7WLY;yKy_~L!0 z;rpIV3r;9tUlWQBBahH##wEUe8iu~xj?f>*hkLyWXFBF|iajGio9*LJc5?B>h(m?$&ygVR9qm4J{-ku{!j+5cnXeRjR zl8MV_-~WwcB^Lv8yIz^Y4`(aFXExKrqQ`8h4e4cAj#%0rkw<`2Ht;46U8I+&HG;EQ2%)gON zfj#BOkQuOhTsp)lRsJ}3H;r1c&lIsZ0Oo(v zX#5fpw$2a4s?q6`Zzsh4*+z_XO{XJ|d=NP^2=n=LY7^j%c{74x*E)l~%5RlF@mY6v>%4X_`$UwtC7?x3q!|jE%$S zKsi<(FQbh4Q3wlXvkjr8bdo|b(V)bZ>&3LKDiBxps^H*2bm2M6HB;5##^e(eT3ly% zrlRIJr7|t|kxC6JuV>P`00jc#wXi*!LJ5Z$C$pbn<}S%JyBE{y&(fpU#YFO89NL{h zj32$9KnJgiFr|$z5;r8!g;PSj_|CZM!3k9N-3ND``QdxN1Zus)o8eCWs5h0JbKVm* zr2#OxCy?U|5BxF(;A(mt$d`q})*_kWtGy8XG4wA#|KB`VvHM_l{||;4C4Wt-Yci^lOhnkScd1mWwbw-X*D;=aXPP*>_>*+^+pAL z+m#Sjuw1=JiR?y2v}1ukYKJk-%%XrEI~bUDRE=IKIpnBe^)kbb%9~|TJ##h7)fzlu zG0m27^ogsqXwGaRYaoZHAM05*#L#>n#zQjfqOMgGJ+)=e|EeC7jzy5!Krswi2IM^t zryx zIK?=*BfPH>JsU+(mk+Ku&@KpNYa=K_;erol!HlK2Nj3`Z)gxk~BN!m++N z>j!t05qCBmsvc5A*07sYfrSnQyB_ z+=M84v`UUom5k%438gUBCuJn*Ky^Xn70Ix0cRhky8R@oy=|LEFx#4~Qc=v(n-+rE_Ju||P_f-sg!Fei73&Tyu z3EI9drgG-oLGfh5L!A^l~@D<0q@J>{Oe`$Gd@$@XUydBCfAAOahy>DMfG zc#NqEPt|Nyus0lT5QVI(UN~> zJs9rs;kt^vHc9dAybcfQ zG@lQ`i5d~c8Bb6J^VI=NVS_hRx<2WA%hK zlp3)0eUB&_d z4a}FI%0`bL^E`+v7USJ-J$i?@(9wrXqj%nbb&n5F%Vr`R3-pDB*?!u2KmetqA5P@$ zrB2n}csAG{Ht+Y)+!bDk{pydWnmsi3wg(L70+79D4`pv~M>NBZ^0a%%tj-lBOn=aD zt_zhJ-O#6p5$89HC~&AN99aD{;+L34Te)IOZ-xUdQ_}9iF6dqMH@*?+lS1#Cu(f}e z@q_+N+V(7(l9e!o7-gQVAEoK-}?oJid83ELIs~W8a zsPV3sjv^i?k;C+Y!@tPs8N;ZWL}_49izwBeX$)7g{_&?9i3ZAWmSNG(hxgHteo{!- zY>Ca&9dwpyA1WgBu=LnMP7Y!$aAf(Q_a@rl$vC1uzNkxDPZO31G4+`*I^17J=_Vfx z&hSIW#I;m9+8aF%_(ODO4GlcXW~9aju%2)Yy|D2>>5l-sZoYwT@9;p#hX5?@zL~_H z?r`!5MB_9!a?rbCLbeeflMhlhn}_RR$LfGP5~@ve!41~?{BOPC>mE(7mm6`TLWKJh z6KOB=ZQXG(f*Ky8W*38C7sB+|rw>uuPZl3srO2sHrkvzJ3|=6EjVY0;%mUD@H`5*Y z$I4}#xADAjEl2BZot9e3(2XM2=!ULeen4_I&fIP=6L+@ z%5E-&clE)wSAOtlJ%{EPy^xdQkH*txQ!_T-JZVb+PMw%XVIof~M*uc4-r=Ir15@$? z{_^vM1#771Tz7b62H;$(8^s%3v7g!hf9<@jb0Ce+4n(6%BKW>!7}^gbx+k((&Gk`K z@ZN}29|_h5N7DdHBTg-rVw7bxO}-g`qCQODwJDNXF%IV&n~Uxr8%8%{8Gf53$3JGl z)cva-*sZ_{Uw^7w$NIefN^F>_qs%I%n_{?3c|QfcaZ@8SK!tHbh4jc;1?w4VoLF{% z4%Jh_ob~B*4{xENujM#&M1w)s4T=`x#@tUT(AZ{dt5Y9he?ZGKQR z8&9Wv*jy>=-^V^4OI^QvBI24qcC;Ex2Zni}Z&iQ@!eI9yv_!y3)G{< zFa;J3(on%aOygRsK;&!|6G}Ab6~bb1rhvj_YP^`K!jFynsnJRm>{xzWKXNmTvR9%o zO%4CvjF*|J!11*j)P>BW)J1Z%YNN%>RC{`}QwDtztG6fFQJ6uBDrX(e4;V}1PDqg2 zpYg3@M^gVQt7hl5$(%0_-9I0h_Gqpb**yV!& ze?LsM?nm`%y&$slNA=NOG=tfBG1JOuYkJbcAW!srq=WCbKGfu#CkC-vYHw#NT4C)8 zZ%7OTxXxl6ejMrE_I#5n?8RzWDaOpFlO6tpLkeJT& zU~^gC*D;M%2R7TBucYsXRgk%{&o*8`*2mf0^i2tNeU{Q}VsjiLr3m;VV&6X?$3v|Y z8yRO2&FaBswM_dxV;{v$l3{`^!vb73QL$2rt8DI_&Mc)>)e@|HCWG$mOiE<4P#qyh zkKT5)=!6*0g5)qZ8AZ>m#gH=IsExA~$x=m-GJa>)v_8~opa|L!1@N@`#R9jX+BuR`qpThwsd2%H)L#mU5aT%JiIWJX}L1}T2OP&6Yg#* zGK#}` zp=oR`+*$;_+<_i-WAn;Z|Kb8OXkN58s{6B9Du?kjbCfqS|6#TZ9ZYN4tb7!kedB-k zq!oHExO8Q@_lowkZJHO(cVsnx-{$oArzbkL5y5b`9=*)+#N(zSj52-VBX4;kU>}=@ zwR*wtc;^WpR%ibXujZp~cp`197-LP9{Dc4&hp&q9X+b$}Hrx|=LnLV3_A(m&XQo{S*_J&@_>eL;ze1ogr z$UXeGj?uT|4?n+|2U@V1l-jWN^md#Znrvb7DQ|kwp35#+%H~-2$_G&Q0@m;M6~N-+ zU`qLQ5MmD>EXf>74_WVj?S?nw*oIQ49S1R#^TzgLLui%XLF_B^Vj6ENy71>9;+A`% z$*cZkm*gwo*=Ta|td}=}EEWht!n9kEUGxAx&aD(S; zhFAZB=U#ea-zFhGZokQ|>n*@rRx3Asb(Ww1L4a0FOI-Rihd;z-Wma|dVYG101a8av^Q4Azls#VYnB>YhWhfc zBiVOHFkRpO#*JqG1n?z$CAi3Z#?SK@e`5iw=`2KuJ9D15S}THr%?DMBZ}JHP+3XaX zH@V&A0UyR@xEHZ!vAumQKjMQo(mM#z+w%!uIo}&YF9;C#>Iv`j-3wM4Hfx;tn0NW& z1(~A&c{?8Qxih`t#QeMI)_Z*EXKx%93!u4ljgRRhz>ro#{HY>-QIrs$TZu6BVHQ6z zScF&S*bL^Bj%a}uzamA9RXPP$2X^DoFB$~$B@nDnyr<5e@HOy1e?c9Qu3n4 z5{ze`;ZLZ7kNYLY@>({twpq%rWOf+done>bJo(0Q3DVij+Lv!z_}}KtX6(C2{Phd? zW-(H)NbztWpB_yt~rk-PE7%5i4wYk{j&i@~-t}?8ut?L>XR}oPWY(-4$z(N^I#lQkv zvAa-GL{Q>z=QYqwwG^Pk^+lc@_7L-;wWJ1`D#eY~Pmi3=Jp`QU1U ztHPN7jt6u0!frb#-ZS@8dzCMGw}?^Lvu>&1h`-P0mw$o{is$;nkTsH1roFCxR?Gap zhrCvOtQ0R-`QQN0v#!iZR;Xxt<2mc2o!i$c8oqeKnE&6vGv^gizdT^YzfaTQw&L*! z58P&NkyAGxD^h&iSpz4-$FLU)iDx}-yJh$^^rgb`4&x$)G9+|(qG-#{QP$BF2h6T3 z)KuKjGsqRXSLzj6%iYm`njAw%W-B(Axnmf6e+-@Lt59Q(L`55SEZS$P@MC`2;x4Rd zQtzc`wblc_bUpEpLv^i@0dx9hdBOIrO06IJ3|KQ)Tru*>w0;)u7_p1BCrMcbrl;L- zaHlW4_NgL{wLuO%yD$VfoGH@&bT@< z7JVFoaci~Vabk0eJPM5$E_hj_2O+McWrp&u~Km_bK|nnv1@HavTo{#{9C|_;Q`KhQ`6zko5vF zi{;pPA{a}yox~}gYxh6R{27vJRm*&6gywKf11PzSFaDJCx z7-kbaAIL_n;A&lSW zDm4l6je%VE$`LoX8XtL%mp{=BeKRU?f$_`6Q_S7jSB`A%kNtMKyE@(VK}o@U-V&J=D)__80xJncJi$1XUA~d|2|r1t>&L2 z!?9&zKhfOL4Tqw6R@+HOydUcZ-QX;;C%_ngacB^73yq&I-W9Z~i>% z`HiAa%sd84s6F7ROu@;N{HPaHFwenoAr$9dN_q*im9qSPTa3aL30% z>|aqIh0{Dw`E`7(n4=Mi-}>DD44)vL`SCN?<(@i!lK3(u3{pR?`Ik--s=SYS==eah za-1+;7J`Z6dG?$zOxQDiaEQ-LH>>_)$gE)Kh5JM9*+W>}2txG70DP(JDvGxSp_=(c zvs-J556q2SqZNW>>-&nv^E?l)4@Fb$SfR`O&|dsb7S$Vxa^~h+4~&FQ%0`j0f@hK+ zqLA>}M*MS?{ojtpz%W22vNn2R&Bi!bcJ~w)zOtTJibu1K_TpKw2clVXTXN&DaAZv2 z#GiQV?6aFS*B*#Xjz@Iy9^vqfIgPjCF|O@Q5yvy!YdaGE+Rw#B_9Eq54o+Ef-4nP{ zWCdlR>uDKoq)!)R(=sq!RgQuM3)=S|7IuKBK3JKQ@6FGc5uwS}qr(nHQF@CJJ3{?iCKUez;v4gMYufh(AAl zU^yrr^Ub`)A9rtL?@h#-qyRBU!wU}ck}=IINYpdG%Qh$l%`N0&0naGLDwDB5-A!aE z`7YK?!MPLrh539>~#^2B{Lr> z(m?2MF2LQvu843MBy67NLM2L$*f=ere>fYXSU+y^p`-ZOEfc4B-?mwyCX%btkj87f z_-ZF{baM(!pL!vEZFkYWYZ8{S=IhKV9T9vz9$tHWv0~x~F+~xJGUgh!Ga4g`pG9Nr zOMe{Mr7JqJ-qN4>$MHM*i?#zI5xJCkZ;Seft(U_gqM1)v*-xbG4})g2P<*x+CSw1D zpdy+*k`fHW0sCMq_KN@E z^2F=Q>8OcaAjakH@p-qc9VP4qIT}-?1Bp_ z%{q${6H9TB^{s3EWlnT_G0y0)Cj8!Mtm;q*vm?wO5Uh_sln1}b%nSWog2t!W*jDO= znX9VNFh7%dxjvXM_8h`<(s=IXi_0a?(5F)h9{=!zQED@BA|w%$nEx6`EydN{@kojf zgw};-VxlY-al9`>W;Yi`3DF2{8^XV@tr%6voD}8&{EY7=M0q&kE5aDt8ZCBS2!)q# z1TM{8Aj~F&;PJ3%+TF8FJm?VMFaWo9XEC3@*Y_ph#7_3W;_p^|KNjO+LJ?DO9hwWGq5UunO{-Kz@c9VDJ49e-#7L3U z7zVq~QScc!PZ;vqg3~>#t?D;J9CHs$z$$K zR}s;}2g^I;p+$o=R@-rJeIg%UM(sr_3omS&n$KLgAybb(Se{KkNRJ&wqG$vwE!v$1MpmDvSM6i4z@mKKTyLzwLyn6QEbZJ|AM^s z^3pVT=P~zaW70J1b;)pk5sG)yI%2zJBC>{tYb z(Fu;vy>J%=__@izU@PviI#{#jmTiaNypo{-wHfvaAYAjXhzyWT2GWz8uF5yb-@>v^21) z1k>3&b>GV|QcYeV)_wDX&NE%f^Ku@}S8*Nd*jt+0I|mCl@JxS;s+4*-6P3(~{kPLw z#lSyl7(X=>&wf=XdR3;drXdXK`a2Y3C<%8I;W&FwUb|g45nYEzVspkhgIcu&gpK6$ zL9rRFvg3ibaqP?EhaG(WtWcyNG@R?O>2c_DItyt=3HWy$*Fv-NvH5izUU@}getscz zOQWDx8HS9rMet&-%*VIE2xwLeyEtF8WN+Ai9gCoLQ;x4E{V~8g{Yk-J z`_}Zz`&#K1``6tm#D<1WioJ}xABiZ$*Cu1dX!cWS<5&3Cxl#Z7lHx{i0~#2QaD1pO zbvu3x8JoHPoUl;3`kHxnHty&$z+AdhQjI}}JTY&YT$=N$0*mc=ei!U3SvZs;be}Kw zuMU(d78c{@GJhDD2S`7c7QkUpAXK!yrPH!ptmT@lkFJXpaU}~2c89?H<1VReX$DqY z<30Rzo@Cr14Iab8@qW=jsi8{>o-!{yV$>Ifv0V~ow29&~Dp~Q(I1x$xVsLELY{j?y z1dQkUX7TBkiu;Z1QMMulv3HNx_EwL>>`j??ydtSq?`$-lT+W56vsdl$ZjsRYSb)dr zmbF(#hN11{B79a~T^l5Vv9rDyxutVz&AD$L@S_<1Wz%ZE6>^`OT#Q{2`n3fEyy1Gk z2s^h;uU&oI14fSv@$2fsTFnSIm_B5!-K2H3-eInI)UN=!ib};L3s=nUU-Z{Hhg%sk zzS;<dH95O3BuP%I(vkl>9Q(BVrF)y$=V3!67G_vV`?!W|(T;nB3v;E@{z+J8 z5DQiHp_2NxMEEXFfc+dzY3$s1EM@J)#TD(OF)d;-<7GO`y0wtB-J@W1B^z~pn-q)B zg`?%be8BmoLV6d1%;-XdMBG!HXdQ$L`o$TFFfpNxWV*~1Ee`y> z&QpVeq#-_MMQu@&5BFa~>=h)}_lIfKOwBmC-a`#W^T+(qA9CJtMxqnDfS7OK;#$exc zp_3nKSl{7;wflQf_hD7IH^vXOt#s%^Mj4WgxL>Z)G8NOb@}^ zwEi?DC=XvchB2?QCw1tUgN9?_sGQfCR$j`)AL~fQzT4952kCGd7Y#L)AJRmFG(--G zg?Y&nY2t$vu1n*Q-}{<$>0lBbHA{lWjnh(Wbv&+?q@cq&NecfR1C7vhtX@_jX-|v7 z{QX(bxKt>;vBFHZePNjQg`WTcRBvl6rEhWAJx3 zN#}zMC)JAoIyV+{`65+yzRW%lGOQWio=z7vqBK>Gu2Z_xkku#An$P+fHwKbnW*w$> z@WPA{W9ac-1&-=7x3i-@dHEj2j~#yasxgz&K9pl;Kme|p&ZVwVM)%jQv8iox!r_u6hx#+nq0#-A}(`A)x^kyw(U@u(?>5>Tztr+O~^d-9; z>C88eL(S%{6x5K4H7*I5Sh zO@s7sBYVRX6`^ijouqNylR3J@*fFSDT4v^sD^A5wcPo_!^pa!V_G0Ff6i8an89Q%X zjCPtwq&19-j{5TVeol4lN{t<_V#5x`Ij8a7vpTf>E(k0*fRE2V7Gx@Z_h*ij|kWvTtO2?=ivK`C}>(QpuJPGfHyJde|wg zu49|gK|>!@oG65YZj-dUp8X&87U8+|8>xIfdsEdHv4-}Ev_nG<|BFTVp>bF8dCXq0 ziAB(n9!eQaGCYp>dz}@^(d7B(8v5^(;cSl?R66Qak&b$-YlCZoy~Re07q5a##XsOeD|%4f5tDcqgj zoh-pei%^`NDyK88ixA)xjvqPBwA?Qr>YkB!oNY&SD{{GCiN=hEePq8r8~w^+v8?@8 z>JXQSSs&ujy}K!G|C9!$2A>y87L#veGOl+`fma735(^WMubBpm+0$uOpIB_`l!4r@ zlgYY$6!N}j!lU~*I@LKGtB+;lbj)zNH#P+4x8_36dJwJO6NtRCd1wglM|stLi2A|x zbMv0$KiCI5pBCWWk*-vg>xq+rh4^?xor)K@wUT2(KKx-acho_AUHAU;G;POQrV||35nmHN#JcEy&Jn+Wckw!l~ zfuI$vF)(wd7i;U-m(>UBzx&dYsS2b&V=ak$Fb&>+6x}8T!ed!D={2i>jax9ZZiZ9t zvm@*^!M-iWLTTvGVi-OShlXPiEh{R3dAlf{ulbS7!928|5QB#YJZXzV4z}%$L+&dX z`Q>L}%8>-bK6jvpX6#K`l*B!N6-{}PjDV07tTNw4TkR7tYIhp6>Nk?lm{|NClYz}X ztLPtI=f00JvH!RU#i)d1w_P?mSQybf_R)RzBnQKsXV5*9K-?U{dgizKl#%3zxs&sm zgQQ0**#~8G*8=2U8%0OMJ#qLbzlV!;Nj8Nw-NOq}JbWOHWDd)CvqJbE=tqATw=i=o z#GN)eq{-Y*YwN%3=XJ7OR8?^kq4qM^ym#R9@G@RqlB3-rcT(GU7MGZp+}Yos#tc1$ zM%HM*XIq^}!|8I2yZ3LU~(%TsodiFTARO&CJi-kxu1Wm6%i&43+!ow5)X* zTDRo8Z)h6*HY!2Zj0iMLNv7483h}@-3a<0xX=PMCo}7wd&+I5V6PgR(F7are6+(-g zvQfJ@kv+%!>Eexa>>ZtqU;Dgh;ph~s`ILg{19Ik&B)~g04I4H)(TsVqXe%=CdZ8_y z=^TY=b(wfnwU?SPXWVmWHuN*MkxfVD-tNmmS;zHcgg{L6%Z1PL71WP;Og^r8csSC8 z-hB6lg>gQ-ZyM1VxhJgN<)i!CnRHE;^Eh@CpyNIR>io(TcghOTW6NY($1}kmTuc8} zol2!QWmw7Q&wp|LL@QU)alH*AXBoym_NAuhSD<=Zjx!};q*BcF-Y^ds_K2sWt4}kI z!hQ~|(y2}IF$A6R!OB5-WV?fKT!-gakBezsL=A4bG3GX>jN-TsDSaA@`fFtrtX+<< z>0y}TT1vZi9l=@FAQZhUraK>tP{bI8XP*MnFK6G&C9%*_$)?S@>`|T>k4&9Z+S4Nk zZf6pql^jo9XJnvva55(JilWH}Q&2ZC6>7yHWO*Y2YV~PY;OI~HcE+OLqzsG<^dkTM zQMePF3HfU|dGLN7e33EVaOUW;mw4dEY^10jq!8B5Hv61|4%U`*nEAs$xv%kDv77q8 zVLeB19s&xtP%k@ATo}n1h~qly)R*h$?0k%-m6Uwn6?$z7(8Xm5t!HnT4)Y3-gXL6k zQHG}@{$A&wR>9PH#$9Cbym_!zEOlLX4P)4|tHYo)+Vk-|e(SOC*2O%sv2VbA=4n0s zQA+Cyj$`x<##W})&=oT!^ro=S?<3Y8#@FIp3Ufxaj+6b=qv*nXvKOpXX{TR-CWkPz ze{hUGc$C8A6?1>X>nONO37&6^W}h+z&A40$?enoXu&Rn~)#W2wHvtdFvkoym2N}Z{ zZ<>-%327N9yqb)ulQQWRV@1c;vF^w;nd&+wV*1H6$S9UF{bKQ}TLz9CilA?kqfls) z3GJX@vgpLU=DsYb{_>;W{JB0^Wn!( zHQ;YtRIet9T7S8RN^cqZc;-+!{fq6)OB~p6gxm&Rgagly#}?GkXWujE9N>iyEsm3B z(Fxc+^+EW8Mq04D4hI+bL*?v6TAi%G(3(JOeQ||M=U3zUc-Hklyh=4oE8$oYhOmWK zX-j$;R_RAVeadB;H|_|=9*>5)@p(#kUj+LZaj>3#np)p3fOiznZ;sc|B>vvV&6D77 zP(zp6WMbRzWaL(sk(XL3-fd4s{JugmGfL#UB@JH=Wz(99SiI)?yXA*enzt$nJAP)s z>0AQUv*z;U?@YW=k0FQNA)psotm6%*xT%btvj6gnq+m*S_CtwN4zeEj(=uM?F}k^s z_V|$BK2Q9Sa*;UMlNM;Wqxo#^0hlWob=4L1NAu7!Nk)fDn5V=2rc*mPm7S1b{g=GI z&W-d1MRXwH0UQEk7&rDP)pomqiVxfm#@3TR`}(b)#h!;5jdVJ=5ii3T`|EO*er29S z@p~WEs@$ghP4(!$#vj*mAJDiI312Rf1Z-ktO~l%!|>z86G}Z+ zjvS9jT)XgyJ}oW9(Sb3L``x1i^%6v8GA>kcoeo_qMDN!L=y~iSS!Lwnc4QK3u^MRc z?o8DDlLE(tdTPsi`OvadjQ>k?Wx-OpM5YZh0<^ z5aBo?%S7jU8Kg2g1iwtPm{*WOEseNm)y{^>>IB;B>4zrn(`Q7)Q2k49=<n_2hyy6PmzIoVg8$bm`tUHd$!>aT^%C3;%82{V=;tEvu}X+2T~*xhCT^IpX$%lVrMNn*zufcZWE32IEu2~;ZQYhqWC8jD83L0 z$0eW1&9)39oETFxe@E%;8{gt0v*gxh5e9JEdG9)R-H=32YvPm45+8`z2Y!^aynE>YH3qi6z1toYOFT_Jr~9f)pDSvdYJhYqj~BWZXxXH8|2+9z*lp3BDKo2k^t zmhZuxIoLo+)Ulg8o_x=N-urkuaLpA>p1Hv8So*;09MUxpn>=FaBkPrB%*yy{oiD6A zM@`CWxZPid?e+gsx!27^s5w z?&~%no}b6$E{~`;>LFuKB)!O2wB%9ip_%Y%5eC)4&6F4Bu$R}JFr>9?BKg@Q zJa=Rr-#>52hUd@bKf|%0_%X$?w(;`j2rTb$hjxySWDPy*$8e1*max|253jYx1$q?` zj9F77k>cJ!^I9-}-#n824USU><|(+uM55(SqP1Y0Ss4lKM>Pc2BaeI<$y%E#ivRA8 z8m`3)@0XF`|Fo`SqoDJ;gdX>I#gGkAII*;ddb1X3bx0JBwJjhm#`5Pn|E)Wo?(m2@ z+15gjIfBg&ydwXt74Tr}?tsZBDmz;OmwB$}-0deV8dbd-P$P^uH{;SXNYl;t(3l8(>=Ts09~7A%E@Qh zmz8-Q?|*+G)q9MUF5&E)o3H74$4K1R5r}OukLlb-_C7KX#KXyVXyBz_%ry(dmE>y_ zvON&5na5*adx1Q9_`}OM5MON1(6~1~@MS%|W7P?=WIj&8fIvh#)KML4A8)A#BDhdN zOPIITil5DyCDqhoy&SE71Yq#`N^<0LIQ(}23eT6({J}0j$3U!2E1}lhgE#y?-q&Eg z7t}1Z2#IHzTQ1(y(UrOA!8|$*!>_c(JQHyrT@Y*hhvLoCkYd4@UZ0lAt^HG2A1cG! zt*w=YyOQwC!4jx(1bpDR#QX7T%BBYP8?R=MyN>G0x#sa0 zQ|pdhGdd{)hVa~py#Usa?4+!D7KerG7rJ_ensQZX917WIdDF?Z%A;>%kX7#mMW>d^ z;WkkiQ|5)SdOs-WdpN9p*hh5Ad+HI&*om!g2_&sOv6 z6v(s6`8zxjHuVxs|L%hU>Yk{rXr$fjvr$~(fez&v2(3(+0camM<8OI#Ija4*{XCn^}u&4Q_a=O7>acL{hsZW*A0OquQS^Br1 zc|poc8hj)bch)+?NcNt_YwETE03O|0X-*`nBfDfnkx@ zlEqx}t13#ZEfLsN#hkH%Hp-X+#(3{J< z$`y*9=7aOb?9+biEbR^T!oSR;hWaToXvJEM5sp~Zn(xp+cl=Q~40()#N+z&J^+yM& zpFBz%Kf5Bng#-NDE69$yEvqKkW9`LKYQwdhSM)*rNiQKq4zKg@gE;hW0adPKZysKg z|JEC4qMuUpbj}01!kH1@UXphb*Oo@CHwbx0`)&qepob%xc7G<*XZ~o)IE>L&-$`Qs zfM6wOu0{T#2G(kfc;rs$+_uB|Id5s!PwpuU4q!w1Lt-HZy8G-$_l)Zl_M3fHc^3Wh{dv0Q&G|Aa zR&ZH+iXsPjGXK{CCrXsmn>D+$_U=RIt!ip>&W(NI_u}4-a%y@hhsuh5xSLQy>srgP zqH-VV`xMedK8O2vGsnsWd31a_^VV(6v8ZXt=y{?4F@7VN!{NehR$ zpw$Gszt*|@&@BpPzoO8VoF#Gd4pp#c$yOhJrWyBXKl?!3yv$moi;rjzYnn#2wa21W z)48N5f?!DRL;x_OuLVK&)9s(43tyU3tcW&_=Z&m%v=~$u2 zvzhYsFy`1Uw!}YoS||teyLqq50%_-4DwFkCQ#ix|S_RFOJ8HeKzn?j#RDGeaz1|Qr z_QKNn8I8$dE&iB2ye2p3)iN(MTJPq`^En#s!Dq=$&UTZIkp^=ra=w`%?sW}$=Xs+4 zxxHAmvYf6z@W9bs`!Kh-h_ZfguW@r9p8cCk8hp3k9&3)hHJQ|#`M*6J&6(SjM&W(A zhd6GI=`5|yl%e@Q_RtJH zN7{2;(E0NLge<*4hj()p%8C6*e|L$NG&x}>>nM(8Un94RPKa4#iPuiIsBW+`_G*~J z<2pCDd$LbwLp8-B5s4?;`0$6Z5DOEHUXM zug?ijSe97A@>?Le1$$t8t|ffa{iu?8g3qwAdRf8xlLy(jagAYT#aTA2L1X^--KSP)7v@RDy@eqUJk|1D^m6n8xV4U_PuvGJY}=1zig?;^T?WHAYeWxCBBhBd&fKNx**NyWrn(xEmdr35u&)!F><}iO5P0u&+ zd@SAqs#c*i#)~n`epYzy5ZBvsyHG}jt4W*;Im$r(BI){t*?pvyyC(BISgul-!& zl}N|jy|H4b6HeZaq9pD=dNdtIfBjI}8pQniz(c5+6+ka{%W=A$1CD+3roG(PC)={N z-`|4_3VHqS9>9#z8u>Otx=!qMa#UR>Wy zdvkdWz3uQeVl6dvaYNTJ2av9AN{^YB*WvMg1b(OpDqS)Z-_&IS)pETz-zlTh!w9|O)Wrm=I_S7YA(zt%Z$g$vES z?ZtXlzPC=XPXgZ&g##UN&tN@Sy<#r;>qF4LVoXmLv1TX30n-g>^28;g8w(CV=vwY%nnJ$r3%qsfS_H}l7>Z#Fm+F`sU4Wv`upeAI)D^C*lT&B4Q|T@(=Tl~QdipG_5I;Alld4& zig<0ejiY9EGAy64AAX~!(5X_^RbAZ=-9SMPo*b7(Yc10#?Az0O19Hq$Ey zu8XESv1WNbsj%K%SKkqy?vp96l{*r;9Y$UCP+ah-pz%kxM5A3Jn-H-h#?`r`BtzAvh^X;*|dc3k6iR?(nwXV~YPb*J3| z+R>sp9%!YuALk0%kUH0OM~iLnU{pJD{>_~F5>?<6b6bjJ}*pFU#2r?WQyC_YqY6-5)2qaCVi=M6wd8X}n4rK5}n^L)#8O}9&=$F29l07{JGf!f1TtAYz z_``>F@{uLl6f(pg(_V5`X4n2S^t2z8ZDfprYSSDm_M2fH@uF01+St<%OP9(Jtfx)Q zSZ9=ckhQ62`cVh=P5G9qddBn|FWaf*oa@>C00&`VExf^|KDt^Grm2g=*yu0Kd$)Y_B52SgmUH?%vZT6ZNBXQ^M=3IdF)2e)v-V_aX}eId1fegHwNm2Gf( zDAhjYta2l+O^a_yGU*^=%QBGrRcZe=d(H-tAz67r%FMUNwdU+2V|-4Eva!cj)_2&2 zo|C>79K@U{{M}z)kc@-*oCfEQXk3;;QV-zZLe6Pjcv<>|1IXOZd1tLJOO8Kmk)G;` zf!>#-6-RBE>%#sm%`Zt-2l>1IcE#R+i_*&RwwSFe$KBZ%r7FHlSFe!6aqLAYH)cPK zUD-c>=|$<&?EP5BTHL1z7bOe+j@$0>pQjZ`Z3_-zk^bK~k1krR=!d=yl#`vY#G)B> zG_r=-PG@+ge3r%>wnk+L`v6ovlPnI|AVcAdv+g&f&K+%W><#CN`ZY*#t=UJYzYES- zRZDyH?D1#~dpESrmmcjr1lwpAWSS*OpEf&U@og8_{Em?3-f)5s&lEnH1xt#h&RD-w zhFYfpDT}qv_jvF92=tTc1D)Z=`>f`+k2E`i{QwO(=VGn5RPV>XU*?L!^~lSm7h}(B%wo?w?ER#lU)cL>{`;Yl^J&hkU=O2i-Fr&=xDMaT90u>Louws}ayao` zy&+SV4sd-qS&MU>hIf|SE#(-!nK{G?4Qcr>IdVC-rMrQa)b$bbQrJhv%f7obEy@+) zT%%K1PpR)r)|&@#Zeww8Y10iE0vqM1ZtN=!TPMTrUviX6+EVHz7xtTH?d4P*=_vQD zX$Ecxf21P~eddgFTi64qQAbjZcE^6VUaT~ zlBSg6!5QD7oKb$dwY2-78@^xV4BU)23Mq%{jqWZ`Y(CEsB#a-fbwT#AV#N{Qq&u>&$NXcW=69V zi!Zn%qh5~6`c;b4raT+vn#`|pm!i*8)^3}-A;0{9;>0>PgmLa(|7*^QkH>h=^5>rF z<*Eo6EQiKycc{&iE3Danzd%@pwRt)JNLv&}Z zrF0w>8~8q%#-C%NzrAAkJQu`qji|lgfa2m?&bmD3fzgdAih|kBkn^12zx(;vt3itD zE1Z|Ln(r*X^R=d{*b|Yl<&HxZ)W(nWK|ihwL#A%5zBR!I-)Hj7#lEjW#yY)|4X)quK-MOA%(ihhi0$Zs zjpw-c%UWRIHPamdlRc1jYP5mP0XG;$dSLR^Q3l^~_?%$vGn3g3{P?phWN#BU@1+JN z>}hb+$`f7g?KW8A!r!UF6Ma=&3~IOzN^Hh8@lziIiF=a{3)qJ_dtUX0#k~Hb|IX9= z>9_(Zn@I#eNir#uLnK(B%BVsjSmr{>vzyvsC6N@IEvUhwEK% z@YESNg#_YmFV27b!nth`fjDZ*S?#;;V^>rlhA=PZ<@o3L&VT1Cf7bd*Z}G~B{SjIJ zpQQB>UdsX@y2~;erNpu37h9=z0Rz3Ny-so5v$vuw@0SCR&9IT1tcRJ&;Hym8qOOMxoruE-GC;euBLc<2e z`OVntMx%{zE)7Soi=6N5t1jjkhNH)L7o0e$C6>Pp;|vWKtT*i~eq@GW&}a62jnWon zJHr?o=Nyo_0b=KnFyxl=tfbXo(d}U8xBwICq~>0gcWBw zln(19Tv&hnO4A*pTQ_l_)F1sE+~GP(L*$I|!@Sqb>0GKVZkPE$WjlMA$W_JN<($>_ z*aJHo+6uLfoHuC3c*>ks;tczmeEjN(-2+<)BR*4WJiSmd?hjra;b+LXZ+CNkU@q4b z(VU^9@%|f7#`|J8=WM?IhTlpV=Lz~Cz~Be$ukoyp-^1{<=g8{K^=A6tJ}2lsScr~s z%x`D^jnU)8lR0Va%_%(45zE>ueF=9)`X<-0-WvA!o0LvZl`s_fn>d-Kim1&pg7Z z9UvS-f>G`5j;4~SBIbM`mj7XI6Wb|bddmQuU@Yvs$s|!_=m+o5oDZQlL2Tjk?e~69 zXm%JcT6bn& z$hjC!&d5`rFWgI$@V{Pt$GasW_HiOsn7N>8`zrBqAnR`KaR1YFt*G0bfGA_;+^kzK zHsvulS>m5PHi(?(aacE+@%l3x#Bb)SxFqstTDL)@&tlz!I{SKUT`v+g$KZ*R9H-i> z69=uM;r@p4sU2&CyB%{5*SKLv;%d>4^%G7f_^xkQDgH3uUvms=zWyv1)0T(hAnWvo z>{%vO91Vp`)q`^umx^5W=R3;xQJeRRMc2$gwBlUA1Mf{lD(`c%7~ZRDCc@zsXWa~7 z&7+>NDDLBf_k~`loxeyp9`=GSdzmE;Tqt^f_khzC_Bc(OFE)g7o`$6lCVey#+H*Lk zyR$FMX3rIgs&e!x_l1)*TXerK!^m}hu&|ybx+z^y)6yRU3MUB_u5-pSC;Y$nV4dD9 zkuf6^ZF%CBwgf7lmwz-n=*T{@C@rg~Q#pvX{-fwW9NS_B|NLc_PMZ#Z?{lBjJ1M>*X~fSS1k23)z#`ZjG47 zYf#SIhJ_>62&aC&P#$KU$$e9?bB#Cpb@ze0tEuoP_QafW9~i2binlt<31T0fsT)=c z!#p<_|MJE7=vCs=d^v`svDb%krI`7PeSVBt!~A50$Y-2jI{Of2tuPYNW}M$%^LH*@ z--;>X*m2G?;$H8){~U36RW2s=WL(w2L{xOnK}~`S&h1?x;#eD{uPuYgc~eoFnu+Q} z=Bzia69e{ezH=Y$Tk|%EI^A?^jdewb%#A|+AQdaRa~{K+jp9^r3Ol44TG% z06d3l?7UI*c$A2K{%%-5eS_ z?`Vv4^MG&PwIZMM96VT`8=1C7{COINNwtiz&R!#=Lm`OY!2bKq)(FF~LC|Q)xe=F4 zg*s<*&&>43amiF@s`%miA|HI^pG$dfPikU5RlTWbwbBc^?9r)GV=De|UHW?g`_HDB zidW33JNw-aA8ky<2L2w=+5R{@&Q$0Ob;Z230eJRcwHSBS1xJ{_5m>QMD4bX~Q5*2r zer^$?Elx}=K@HdFeVdIIznR;1pXaqLeohwM{uH2$`KFp{ri&Kt`DiB?6SzBD+*8j( zE5=)bKFt&9Q8}<x_#rm7ZVrNVydM%d2x#MCHrjY@S%W}kIE@tlt z=G}8YRd{Z(_}C(q`MvDVlD$~CIwfQAI?k|Ivsm}4v7CHLUL@bR+z?dx_Sd?cX z{8{%sqNOKiY(a7WcdY^w~#uGTysdT%Ty%n8Qya&JUG zG!~WYD}RRlksdxV7B4RPp@uOdiuh9lpC z{#xfprC-<^x&lTi-2Z%UFN%`N@K&GC@P7CM9`__;+&}J{B-X@ZA(~Ob%<;*+snJTOfaSe4i2rCk&im{&$ zM^ijllZ@esjN_MRigP#PQ5Wn7|96@~;U5D(4}XLX(GqF4k?7zUfOqS(gmq9DzV7F` zJV;CA-V8<$_6$&w<^9Wq}WNZ4AX-_9Jo%^g_RN zVFSY@0$GEWZ6O8#aQ(u`V5WWjLREu)kz$$9Eu-F z7*Sr*SNnwbeX7{5pLa#$CKo!^|IMZE~=*i290d z0a&#y2cZYt5zrtIKeBT$iS^s1QsnTLI)m^udb(c+VSB$bILUQxeJvQti_c&kwJRMJ zb&?N{qwt{v;sc6vsLpDf4DDv;;5Ym5pN97~)Ea#XuTR*+rQK`2Mdxf>=7|B)KaN6jRY1YhxX!F?(uUnOX_1{#Cze!fetV*bnoPw%ZZREy3?u0*F=kaDi7-ifUG3>#ttQSn*Q)lFqb-<#h z!MLB*6!Odg+Udn}5cYahQMng$(f%>)iC$3 zVE!IQgp>+4+}&qD&k(YR>pK{(P0PYra^p+fo@c24`#9paxxmIkV>l6>!E8b170qg6 z7}V=1T2rS|=}=X}@Kc9y+>F{$hwu6(%@zmfM}G*# zD`w-4UF55`)d%5_r!V>}_0lJv@y843(BH&UzrCCec^{cMxW`>zbrb)L1nNqC-Sj`J z@Ju3~-}kbs-s7A*-jpHtZnmp_AJ_T9p#WT}@2bDg`Q3y0foT25MPL6EdD!%v;-8ED zH0$F_nL$Wu6{q(vB4dM$wf~;a8Kvi_yb<}BPraXH3{!>IbJ3mkh|TftDrrd$24CiU z=R*rM{_{z!XMc0`=Gw~JUhpfM@8O*CYHw8o22l&@-s+E`S@;R09&y2$(XR|++8jsT zepejJxos$uoQ~hDyFOW8FqpMIf{;je6j+`#xcVH#U7ZKsOg?Tn@;(&{9X+9b9W9;UyPmOzvh*pwi===1VvM2oBY*O#ba*sB#t_gzhwQizM#ht*vUST^W(MbdLW0 z{y#Q|;EC;IPxu9y*PWeqaj`bRM?3%Y#t%^v;@DU!+S6HXYWF1B+Gf#~5Uas!)jyyVy`P$DH zDQ!MIVN}G}7Fa5~&}69E^mC~>%BgH3`dy($e5HkYsgFgWmUG;fGu4+Hls@{B?K?wxRtiQ?j1K!fW+;ma0Vo{n$Jzf3mCSwJggnM2o-y!x?JrF<0dI2EvXUiJGhpKlcoRZTp$(8S@8!T@6Cm z=$UHnBjyTj4#vP0vsJfi)Zn!%em-kDeNfi1WLcIakFn1KWfE0@K{Xt3b;}jCDE=Jo zaYlLJ!dX@F;8|pG?o;)+QjU2!$QaIh_f>{k`T8WD&2Yi@jtAAhIszxMsyxT;Q+tQ% zah3d;DIIpJt*bLplMM7)VR34lO9twNcwqLLD0OGq5%&AZ>`M((9flu7AJ$^iwg#)v z$*FLm2RL(5pmM#CjA5I-G3J!N(wQVu^FZCqem`~gXDlxL@WG#7I%Pzk{hY(T=t!2x zdABfJUBR_A*Qv(z-Ck|Z_grtCGU?CtqrQJuJDsY*`|u4jG@V=P)YmgSpL+#he0!Z5 zKZ$ub4+BuPn@-Iu!CJ>B5dTbcsulH1#sh-Td$>-u=4|Q!&!c}6b!sWk(Plou_&!^w zW^umZ*f#{e9=0@JU#Uz6lSVnK2vDs<0rK<}5I*hFufJHv(s@)sDH_is&mSeh7 z%q}}*8wfX>bk(S_2TF0@mb6Y+U7u6a!hD~p{Mz}FGx~%C<2Jviz;E^KpxxoIW&S33_|qnz>2vz*kqnghpd7kE095(zzt+{dnDy#G;6W+^l;L%yE= zo7!F>3zM38Kv(^vYMF2h3-~s!`R}!=WOfv%Mljzz>$#fJ;t=YQZM((oiJI^-75!)N zehPo2UUb}x`MrFwd)Px25|M}$_J*FAKTziv#o<(eFQ)CguZB2AVLml9S9{)9OW%iK z^=veRZ=3&gcn_msCz z3-iW7aIbn#o#^X<={JH9_peCV{BuQ5|6nxyTBH^}VQ%@@5Y+upq_&aU6InJCSKk#W zW1h99WRbn@a9}1nXNO#@{Kom?=Xx?NjhvqrZfH}rwv;m#o^|e6 z>Q`NMM`mG;l?Tdit|Ap!ONKjm;@7!~f;~s!5~@Yl{pDqw=OLU<@j_}3BZ+84ZrCAj zSWGG>Wv1*!H$NXT-^xn4oJ6=WgX1a6N>$%DjP9?4dR|7hrbfZ2f**B+WklDQwc%Ai zTwYa10xtx^EXE&~2bYm)SpnF%EC8uZ%ZT#>vL3thZC1LB+~&_P;9DR%ye%z15AfVL zL7zrZX_;hB_LN;PW?v~SpX#}x-Ov#HIA2lRC2xe6EWWC7(v+Ic_Mwse=SQW-ZVDd2o0e zncqZ@-2EPyKeDA9SbrQ-saO8!+e}a)9ammysfTYOZGIfWzp~z_Y1~-ChNiI=Wxn~m zMv}39FD%}XUwO76SrCb6cFq@{r!2jft67da}Q8c3FJh+9aOwx*$v`tS^i5wYWDo z7$2p+DDw4JbPU0{WA&wR2REdC4ngkG`qH%=XN=spZ`12bo4=0GIfr5KiTdJHm2=y% z;izQUK>n5DOygzob-r+LvxHnM!XN5|Mm1S3BM;v~d1_A!Zp;&lm}@wk=!iSrr%T(Q zOKAU;wf5x+^4ISIO15!qRT_8`P7A%941EE92^O8!y#ixHRo*1&SR$1pZ>B{ zr-%NF2Rb|Sm8(~d<6tAQo-g#0vgAQu9OQ-NcY8?sio^Ij#~X3`x=XpGX)s>sgI2G) z$wlA2csSM<;gh?`*|NKFs~cx`7rTnzl{ggCU>4D$u9E#N3V!eXaIs=n8MP!F^UwP; zE7@2E)(gS(Jpr)yF_vBQBWmpfF=UysWVY}_gPB3_oM0>=t9?+DId}c31?v4+3vKBT zSeY2h2wM+?ULy;eU)LeybIhJlYCDZ(O$~agwuZsW%vik2&{r}t9BZZ;OPT6?JJcZu z;IFZ4FXM>s`@@U9>lU|g7aP+DNa$ye4kI0;?!!BHzuf@~CvKBc+8Zd9?TGYqYh>5J zD~PE`&U2ELwD?efN|TxGm|!XIc!t~zWPR;EOO{SQgR0aAbRIBO9@aU@+#U~H)lZb1 ze|pRu=!uJ+#z|4XOypQGPtbL=jJ}bMSRXG;I%+09kLmY3$~RWRNIBz?hBlc#$bL9N zYNzc*+FoDWF&QBa?RTS0hz=8yhfCbgIK)3a=bR)Ot9GRI8_lJqbD;$T%1z>*c zFquVPrgOJIY}q_aKD7?S5;6;nXAhHYWY%qc&v);HVKT&>pPTdKjEx&6tAA>-Cn*GJ zQ-;Yo9}j#Z8zjbwqAjKG8FVd72gLH4}} z+#Wq#dX*r{ZbL+|b$&BESo$VE!qma`>?Qd~yUO?Qk@LPU``xA0+FRIo*Ab~3o#gYi zt1#)xTIlsoF*m)4raN75x%F1@NH~X;d9EnEXr0`wo{NT@amGZhkX{idF@+gb10FAt z5i7}@;hDV7Y@yVT%|!Ac&V4d1C1F$sY#%UBu>3rEzW4|-s*>+oey%LplZMl^e6h0Y z9C>lOJLoEu<-;5&X~}0Rt^$e{wiV7X(06 zvygf0rFA&Qp53=u@;~mhhBex)_p_wJWIwE9R$%7WSyCm)2SqEGtys=NOiOuT&-hTh zXksBd{K#wV8iv&V7Sf0LyoalWqrZiPm~%h3CcCM-t%bDt>4=f}5!exDA>)79qx{&tl*q zWZVyO1=s1&vi$~GuwgfZZ1kE3*2|@#@hHzdylUZkDZ3~dgE_mp*k`?*&ksl8By!bT zub1weGnO10gzz@&r9Sg0t21MDKEJ2uVn1|f7J|^p>!o^v4>pk<)O^c&`CgH^$)7{9 zDt5ix4x~QhP8jt%{Bs7oAuBr^LI2jv8_s;b?vCK+WP>bv49-Ab04$^rayGgYX2O&0EI7GY1^OmWY##x(hq%-xg`|#+TH{M-$l3|^a;lvu`>$QO0x5uBtL8+SySO zDhA;`IWo8TJ?+UZzVST>JrbD-rRAIDWiW;+N4Z?y8v|~Wn^)v0zjk}#&)HCH|LZ8r zmT;Ds9)?fNoTTGm&KWrSPaW(e$@J8eB}4r40w)Qj4=ZE~dsvQ6QfVRQPL@&dw6c*v zYEHYR7hh+O21>@?I)_wad)!-;E^iMpQ{IXhnqN~T)Akhh>|(yfa%L2oDpVt9=4D8{ z1b)xNftJkMSQ8~)hthH0!WCOzgvxchLs;nThV#{e{qn(l+3~5@JaV$?v$szIvj%S;t#({p7Oj;5XzqkpiaqCLdjh`cQz0$ zOg-hS5Bqa@WKk{gl=i6JpH#Zdg3Kz2yyXeJd4}Wop__6Qbj_;%ieu1)V7TNMU zJTY{=zc}&E(o+9m@k}Ren}(7F;f0H5eWg!@U_>T)W6uvC@f#M1xGc_$R{BWSEPvFX zKh~;=j~toLef?I4+a-LY5o^JE70BYL8-YOw+@*DhBU)W9zRum^3*>?B z5SCDz9#A_+Mm0=>LpN$T_h(5X_kGwknT&}_N9Ek(J=nXM-o=Wk@~77>BG8$^=NG zARP+-F~_u-pIDD(-b+a@+}Ha`uSs6el<~%zQ$BJfmaK*f%%9-eUg+Y13-l*{(0h|z z=7z70bVv&KmU8smPJ!J!TyN|nbE$dkG?ufZjXpBx zo+Iwf2tvIp^pR0deSjK~ZGC;EPDl17)`!3l>MIMT+2h2{P}VTMlId(m&TtsK$Ll0% z^-g$&g<}G<|H|>bP_TIk<@QfXBM_!yfZ_g;|wKn)o$^f$l7$N3)0`k z$oS8Gc*Hs2wNc^Hx}6T?ce>$fWRR40^1&%PcZ`4NCqJ(+lXr&)eE#`}bkZV$p69(+ zy~H=j0~42PF=&WZIy7^~*Ln15wDpvWxvuCx-5YgQddN~A=4zVtY}9eGO1ED1)~4|=x4j>}Wl z`epeRTzLL~Smp%cOnE1~%TAIBjRLWwhBNAIjg#)}0`RsTy^g=bWii*eeM8P$7m#ts z^YD0GH#i*C$xI_=u~wn}=be|dTjPy`f860sA7bAdTD*ASL9eTuL`?LA`(;nGuj(qU z%!yrnLW`;ooaKM#eOb;>Mm2Pn(o^|a@ujYDx08(MMka=h4^qglYtYCU-B zYcQ{8x(<`}I!R&;N7N@L;^|i>nb?3m2XYwIH2NG_`x=@DkTdKo7-)xGyf-iPc9D1c zY!UZ65D`f((&hCIoP5d5?uN|4>}`!EH-k~9zPnUiXM-{QLok1yr+l8e1Gy7J@w}#w ztWB_n#}no+{MJeh?*FmRir0gtgU`sPfq~fb(hk>KWy$BqfdJE$c2Y%W)N?27b8k60CYkgnrSY>8zcyo|=k<)LtB$Z7T(T=zmY8#^{xetaTN zZN-b{gWYHyywBT;$#Z5-wdd!}W2ZFxPIiuwKl2*wB)BSbrJgXqJJC+MccRw&WB>*> zv6lhiwy=r|#0Q)+?Y5r!ZIg!7iDb9*Ftj)F+2U$v6I7 zvY1gdwjfyUIRyM)R%w?g?pw|}2U2hRn0NFp&MPjA;Ah^!RaVy5!K1Aky6<id0Q zQG&S_;dZi>c`2i=x^uR%Lsl1PQIzPxGkL4D-r$L_&7SaVwpn~SdLWXz+tA4yWzQFC z)Tzf!@3%p^Q`3?3i2FQky$t2g_Q64Kn1`>IQPg=ha^Tr=Z@r8>LgoN91i?!-$W1+a z4xFRZYqC)))9+*SP6wk;8)X3JO<7rfFuJ`-ev~7FPV0|`d7I@k*SwcA$4575(bF2oIQ#zZxsfsI zsA%2dEg-ow*kM!F9xc+jjeEY&R-{z0E z`P<~wPG&GZ4k)(I&5iA4?iS{-j}D^8+(qhN*be(z#n<^7_ibnPx!YtjSJ66AY}jk@ z({cur7cEO95MM3WE9Nznazd`ZRxF+dV8=CT=dzg%-8}$j z_c+64r@izY!@lnpdJt}IlhmGmNY%LFWXJXL_lqywsonA_S|N9K`QQ#`0dESINSZk{ zR@<51eSd+3R`$a6ZXQT^HBXE#dE(>~5A?b;N6K-(yM=O}ub(Zq$lO>rmS@X83u#F1 zSv1)(9T!^2#5K&iO!H#)kcAAUUh9t~*SyF=e%UxF%IS;b#thftsOdr((St0syE>#kUn^~*?C?IFXO6`>@rt&i zp3NUdC9K7}{7zgV_rLaM2f5GO9V7FjBRId^zK%Yrgb?Y* zO#5!^`G@TBlYU27%YJ8nDM>3G?f5=2&;xbGMSeF3#B}PrZg#a7Kc@gh(2L%+@m49J z_s5-TE^w{6M(UmPL;iUeI4rS}U92~$*hjr(Av5dx!2FRLl$tIl zxHql5+;Ka`T-qdRF@xFz>)Dg#?oPfqtwCyzMMvq_unOB`6>8Yo_D8WcqY@cs1Sjk;Cdu*a6;X~ie^6$e=?A8|F z=l?x7N}ddtFt-2<-ED_L&mg%uJ`n5qcHBEnCvSEI!m%R#haWs;J-EB{q)PB`@6YuE!`z*~)wk)@Jk62)Rd{ zZ1*O-BP$OV^P%L(9`?Yy??Yt|XCF^Sd7}5Sp)$2MnH$s<-5oMi?hharlzvyo)kEdg zXjizgPju({P%&OWuY^B6y{m@FR(s}fl0*Bv`Ec^UouGKm-|RI?D%^0wH}(N~?3yG` zx&EeH|CHP2^4!i56U}_lt%QZ#6Zr9Mm6%><&gl|=o@*<`o!Wu2oRR%^orfg* zN&S@pxD#rJL$kf5J^NbL)G?NN>@E%wf%K7+A6?&Bt{MVy%aa_~igr?+dwXy{M?5*T zNvs_BS>gO$7&BeY|>Z!>XRq)$pb$w_7N>J?_>*SWVids=^mW({PaXx z>%P)+Ec-FkIE{(yD+Q~_IpJKgecM5j4rWj<@WSIoLu98V=h|HVg=@yh)$a5KkEe#= z_88ef9e3X`K3MSGTpEsLFVl+e$^V?^Hscq{k!$ua?&nu*owsdtm%5XA#%k@bva*Y8 zrN<6eSR9xSl*}CoscwWywtY}z@`n(s1Y@)W zC6Q-gOTN9gc=eW6ov6o*a>bl$-Q{3yA1tHJx#eGDxlgUQccdGvUv%dDh&ts4?&xaW zN!om+C(Dnso1l);iQHyYp854HI?Btk9&oT>ep2a6?}&0o$vghPU;pEN*)b=~PCPhsZ%N;Tc7U}U;dy(4wPAac zO%ksQL`fZe>vdL3i%WsH*USNne=n9EZ}{Fm;DCEW=Ey3({X*EEiW+M!WwQCMzC{Mg z_A%0z-lXK!PPo;0s5IkUx%ICTvX>5!iKPNC&xyW7?_Sccgg^T6eR6BBvGo7Kdxkyj z7daio^0_Z2^WWU}dK<~R`w>fdoi!p`PWy^!w{G7-Y>HI+#hnJIIa zT%P`wvSi0BZ{I{RI9JcLcZVu!EJOafW5E;Vq~2^S6`JsKFwz4i-5N4}7a1Es5;_bD|GZOqJM5H*I& zO7LtiHBxdC`2H&LM(2~0h-7s{(+0)YdHfM8u_E6lvk5)D1&hR#{-LJy-Wv)nC5`>d z6mq62=q%)IQ=Vr*b~xT?sw|H4!pPHh_;PQY{H)@QrC;qZsKf{v!MnXx2c9#J2FVAV zH>%9G$Nj6lWtG1-Z25*UH8PetWG*fyx1v{eTZuXAg|YN0?KEpHPA1GVrG|J?Mnf4& z?QJIK6H>pf94x7&ABa2w%bL=e*$YeQt6jXkn(WT<;NO!zoUv7;6g2?mtg#FIx{pkx_q6#z z8~py)O(J>jHW_aN-yI#LPXc*mZ<&*B(Mpz%BFoTc2M!lCl9^{+nW?=4Q~K7H!&TjI z>XbF|QY*{L#`IKFLpJN5PmZRd-?U%Geznr=L`Ycwqr}+E#-R36^%x1hpo+ZRkYKUcg1#09(z^I z@8b&RczUp}Tvn@IGZUuAHjJ|@RQGb-Fp4_lk9!N$RPy16?zPAIAJ5bve%;#B2`!rc zP(ygmq-HpyW=%rDo+jS@27FL!;H(0+fvW0E!Dsr+Wy>4+f_}aX(1ogMa@CtOukqwH9b$(1hr{XudrqCJ+W=eksmgX9 zu$yCpe#>{M(7Dt~2iRavO0??G+yk%EY+zk4T;;Kr>B2p*WJjcgOS=^bF5RQS;}!<34qtnq`@) zPCa+@OJ>H;f6jBWtEFTU_rnlotDUdeTO6lRkNiek>^%SPI>*jAs><+PT-9zT4&BdG zo7fY``DcsWYYgga6!k}Twq%Nmx=GL3@(Q*%_C%>Q?U= z0yI}&fzMOHOJo{Hn?uA zQ*GO8vD?uW9c^9JCKt|~8}7u@`Zj76XNhrX%)9ToO7%@6H>okX2Ak(87ke%2%Q-2`*EV0vfKm1`Sr)ZNVSt5+a3R$ zU^Du-^0jftuvRYU*|IZdzC2s#Cvt0BMaCr12eziTA69NoP)ldJ0T*||Q9DPyWvyTn zxf8EGTdC;5%pzX269YWgsJX%JXwh*edX3$v%5&X1eX+%zs+*~uBQNoSEy^csRDb`H z0dBB`?&TWQh%=zI7i}^8zLi=!M+=Y2JMkl9w(4GsGq{aAF{9K36_(+JLF6EOCZ2s8 zJvW2qvS)a{s~R7}x%VmZSXS{$~w4JluKGu$cZWLsL7l&u$rx zkm2dkmi)x8Zw&75yr4SRVf3fphAU6mGwVohOnzyV_MUY_7rwny%BiHf-mvaN=E>D^ zsw%Y@W@E{mDOX0_6ly#-+Trf9-v;Y}KDc?v4&BUN8O#knFsp12&s$dwFHL+gaR>9+ zk7gOH!{~4Q%R6yxf?+4MT_@bwGo0>ec)(oaq17BYmsw({;>z!LaYX-7CWd(xebM$A zwVU^<8op5X(U$Ms@eUXC>l2vkYsL3&U1$Bgn_dVZXQRpdGWsd3>rcnilRGF^pFG?P z<@mWh_)(_M2QY`Iza324K06W8 z${(-Ski&Crntu63YN;ameZP74Gedw2`u&74r`}$ zF}xh5L)CiB5pggv9Br+`C=+{(2pwq1?x=(Fa(jHa+uLBU(82AXJ+zD47=G=izptJH z4)m;SaI58q$Dw2a+`X=EyxtGJ`Z^-zx>kQI)epBHlNt2>W!CRB>SFw;4K6!(Q04+Z zEaSh|;?^?LySX~#?;>|Spun^R8L++hR?Pid8$as!V(oYrw7jIj)^81rqsk&(h#RMb%PtmKW|`7Y>VQUkx5ah}7s-E*r(^h0?e?TZV_^uKC) zgI@lbUC1)KRAjoBJ=*epdH48kG1#{Ef@M!P1UtMiEDzHn&9C@6znGJN_^c3gU1W#( z_1)3gG6Z9}p52FA;gOe&3pva?^~*EU%oYKNCl6&yUPXkm#_2!M8N)xfN6~uL^7KspTQ~uoYO}Vw z-~uzf4Hk^`M*{1OAkJgAPV&QazHe-p^ErNm4n>{Gd|rJ4*T~X-;^v0x!=E9&j}KPd zcEg9!=W&=C>hpJ4pPS!=1^Z0bYPe(bF-p?<`Y`L&9o02wQ0JF7Qs%njK*?#UMi1Oz<SFf3ZkH|pR0I6jHKY_6LhvvzHp zaPIt*{;tijtNGH}QC<Sa1nd+ z_uUYh^%f^b`D4Xe&IT?TX{L1c!)n%qeeTiYR!4^ok<aUSM%qQ{@}V3X4ZJYF1tY!vTr3^K2;>GX&h^clR5=2zBCsS^)9KjRCG z%V^eqj>V6f?{% z$KJ)KKS8*8zy&6Q?jWIZFrFonH}3uzL-T{sDZ&jE+<)L?^&nWUbBB**WzFp>%vCp` zuH|J@&9`s|Cuw z&q3Z8w|tbQ#!Gq)IcHzes=sD0J)G# z*hgwvQ8UkEH%9VaZu7CMrgzLPn9U-ecT^e8gA4KKU6J?8J^m~TV{s(f39(j2n)8RE z@uaRZ@)lOo4EK$MANe_B9#zx)^`I8(fHMZQ;XWw}#cKLleB5hlR@@{ng6~eljVhXV zHX(SxcmGt=3YxrGA-Fe-S)nOGtw-e{z8I|AqDekV-Hn@$ z9O?y{Lf$*k;X0J9v_$je7Io33=qoI5uBo!o56ug7SmQob6Wo#CLk&ak%xanr0rXw{ z2!Pd!SJ+yIx$Vr$`1s8mn@>?2(lQLYpV}aOPas;AEiH{Wm)2}) z#2lyk%(|-b6K%uy!LK3Nnl(P7C_fn)Rmd31_>8=xdzj(QUU}*-v{{(=fBnxP6Uu0c zZZp4tJ+B!Pt7x9~jzt2sVRaAJ)4T|Y!p@H_ushsbb75ixY}(UTGp>bZV99W7<}4(5 zNF&YPEn&F8-f{n!dYXUqrlmD!{oJvkW^A8OET<-6`mENP2O~nTh5cub!rq!bqk_@e zNQ(hJV>PLZg3yd_#L7<=X@*1w;^{wr&U3eE{uBmag_9r7EqB!Pq{h4odx+khoi%^+ z{V?`iAbPf2r-@(bk2tPZRO9uU6IXcGk7f>gg^`--V*(M)ndtdSCYt{A>33ZigtkWu z@%BL&-=bl~_U#yt(MZnohYSCk<(D?-%Aeg%YR3M%pL4?=q1lJS7(~73p0asZbb|Su zYaI~N_XNf_IEW{4BrHrPIu)B8)O)bYTSd8<8@4OzGPeVfK<)QxHd6cFN{R$7L*{XeH zp=Q;gU|js^>;OM&v*VG+`YP1rD`IBFBH$1EnA=Kf&bddU zhRze0EUIX7=m%WI{_^aG%{3;k!ZGoR7P&F~GutF34 zl$yF#eY8fCzd8tM-y+b-e}N|H1#@zOsNa1v zSTpWl2zJ*9M|O4(O^M?nNZc2ONkNxUb`<$JNyYbV(7sk!+s+@i%SOO#c!6o*3i6#E zgd^roHPbkH@2XM%?9#Sy;IE2WG%8bEm#aJ9()4r%L0=zxJZX13t9f4op0(l3K;x)y zWR->8C!FvkDn`Gg3v*ycyP&tHuinKg1Cgic4gB3qf7tN|GXcm7$PO6PeE31UFeUdU zFW2<=id0;0=!u+%{o%29A1qFgC6Z)|iT#o>VvH7_mPX)O%{|CuPt$Xv0ULTI;?^iH zRNeX-b}0$?d)^C2%GJ;`KNOE7gEu-Qb<*Trjfc$^9Xj8GCcn`xr1QM)RybOtAG-@f z7DggHf0SlwVmxjoGlOj35Y49fvB*u0#@vSeG_^`cV|@20v~1N`GqE57SE!ducP_8F z_%0M)+afXZL=l$z(1V{EfnC&tX!OCTG?omb$!l?IND%(VUa@}C1Iw@a|2{eBG2x)e%CH{#Pu$&M|$3NiJ?KpNz{!YM=w3t@IF{zL4J4q{{4mra}2ol z%Lx@4XBu8t%)-577p&4{8Qw)6hcEjlN46g^Jgb#~v3K3^dU>p&{n8_NGnjqV>UM@D zp$8GOgnfs&_J&nisVJl$F#Ktl{#Mx(tb5>vk{|mFn&p=a&xPa+cwRO&UPT}GC2#nB zos4a}6OqiB#lKYM9$D?8W|DQ_g)6vGeHXH(vz{sVjPb9yw!5jrODm;mW0r`vekH3txmFb74@Dty+D-JR7lCG9 z>9zRJJHeyirm5RSe{`^8UiBS&)53?oXm=tKnu^AQwza2U-;H@Wc8#)rPSRrL7v}Jd z)9Q`?F{`&qB)*^b&`~!RnsMvqmQFMv$RzFjgOSX5a?37T>S8R6EoW zW-ieKm{vvgDmaMRg{;8}9~;gTrLwo_gDGwI8mu~|U~6+<=9XF-p7Wlqzjsruu^Xdn`XOY_6VqR(60xZRXX+1((e!R2EN9Xek#B|tr4q5(ED}R& znPawb0@hZFMU!jOaX&H^2hPRez2h_-VpdLexp*uypM<*1_-@fU4zJ8d;l*U?iPka) z{1R}2Z_6?Lx##Wrz)}LRpJ&2<&)dIsS{QEa^T3sv(O7Y%pW%0o8>-N=v8Hg1;c;o! znx&$V(bCp%+}8;YS49=O2j68+Qa@^(#dopCw5m(h;S$V&4I*d5X{)+<`xNGGr!I88 zgZh+^jYi8|G3btqa4{Qz+?BswCWa3q$JyIOO~04{RmKOd z6}PEyYRKQs_GQl9Of_-OLAVXpAtIo!x}i@+{tIffG<8(h9x3Q*&m!zG*o-^ zucn52gLG0*WBnZ>Wt)Ru+x zV^UM-JuF>?wmOOLPu;P$CfTh83gfGh)55;7&0IZnyr;HT)~i>?GVvI`m|%WbSx04{ z{v~?X^W#*|=p(SX;fEfleUw+fgVf-VVRvqu@^nqbR_cGsoS3RIho|5cwPhz(^i?g7 zC1V1;sPkI4RA-v)Mw~D6!ba3o*@k#*oF0mu&5YEYkQm%>35V&kzlPslk<V=&50ocF4-_Im-C`C zQLt@OSvi(;f-iF_|NE}9T|soH)dd)lS>0*;d9`lNIsAS=cC_w>`ZqX_?0RQRY0dt8 z-CTTW@5c&IWS5cpPq`88o}6K z!$niVQ3-Gc_tR0QEb?qtBDUsuF9K0Y!WR4H}?2<*~oo zfNLJzOF5Fo(UW!Z=~l+dl9@Om!{fx@q~im&sWDR0&3>KD=Yi#_(8{iAf{3UGivB6st$GW+E@WRMLT_O7Dz zJ&}il)N3^@tR|nf=8~CBKhmXIGPXeu_FIzcw56`B@ji*__kEBzzpi8*RaiHGyoEQ_ z#V|Ju^Xsv1an?vyJUNDa+X7*<>X$m1d=&R$gOK0*nbMp&ghK~{@wo6Z``!moJC|&h z_b1iApJZOW2*ucP87l5x686*yN6GQ~RoU;mV81*9hgT)4r=z*o?nk2VceDyTABFM@ zn49j-S;@w5)Vdghn3O=ZwqFS9REtCPW;&H$mzvzt@pzD?ReP%Yp+$5&u8nt7N7|FA z&RXm07yeA=lVOt{j|Q`Msug;7ay#PTSZ#}{M_rZHirL}4)~GYj$o(D{i-wh!s+&j1 z2K*I`iX~U8$Q(z!w~Q&apSxvOlgNzA=wFVk#wqkI?!5?$F4TzVnu+o#K=eizxW8*7 zEzQrvn>{YKO`RmRR6cgk^Td#%t`g~)%UPBe8m#Cc3vZvsHb3g^UAoJKf^5A0>4%Nk zon(Ne0cIbm1ANp{+C0vLatgw<04aVhys#0>#5!Pj)*ng*tbSrTP--m{w z>w+K3bWSQ>%ngSMeXVL%WcKm;2-GZipuFCYtrx=g*x?&0tXe!?oQuMQPlf8i(rEN3 zN!@nWJhkzCIE-2{x3ShKwJ$n^-j+BFo}*V!IE#0?9fyE>8R|aumMJ_#2H77{dG@-0npPO^*)W1R~yeW2i6m>H;t9cxAU;m*&FLT$4lAYXUPAj7x?s8xurjaYO(%k zabko};(|SCfw)oMR5FieVd%p- zJ_dtQeyG-bqmP~%OQ!cnRia!d`(JS|N_wTfTnNPNB<551exhb7Kin!C&oi({rQh(u z^49UVaOZ{^PK{)EDSGE#Tv86!9#|L?hq7(Ys~=_D;8-FK=M&GUj)$C4u0t$Ry|R_P zvm;)%jzQ+?bQO7wOrwnA>s)9|Z)2I8@M!M<3&-)2{o)#P+nwMuX1drNxPql`$@6?V zS8hzZ1ke9*I6EvBn}Pyt(`fP4c9|@%#C=}Q2UG7Ym)76TLYt|>u3<}Mr&kVs_6$Jy z&-wD~Yc_J|Q;66(Q;OCYu(VGITpmvl=ej4*<#s62ZHCK&w;7l>A{?tC`%8^qM_^|i zfoXfXOV5M@c(pPT_queHeV_KhayY%O@vUUN^B!Di5RG;(o5)C(3!dRRfSY2dUC^r3w#VV`HGNEG-7A%WH&Z+VeRnH$y_Qj#@h_ceW zD|Ol@;xOw`N%=!R%jS?cnD_pp@;RSsj5wUV_f<_>K##(~Se&`}UU}4VLFpgtV?KGV zR{1j@grA*`JBrktQO-!oEWXaYsmXl4`!+I6IE!twLO$5vL>B$>Riih`_deHArz3U7 zNjt<>U4iB{nL)PpVqfzTDw5Znv%yjJH7-Er4j)LmqhwslM3b(1q8sz z#YPr{oWhqk>_Io#B;H1Xf~TA%*sqYbQCZj%A4X4?r3{>Q9GhxJz~ZI3?CY0~n>`{? zclj9EtUX9ib`*9`A1c3&rXW=xg^oj+jnXj*L)MY`Rk4q3dXs?RO=7UjwVSwq=Vw@4=LOHj3e>N7&13HKU-*|~Gu^3RRtyHAeDV+N@{!B|TyTslk|6c*uTFaep^s2s# z!A6r-a*n@$C$;!GFJ#V?_sjceGMhf|P=85|FTxexqxD{e$hg*b;1)%lTl+{^zwjm| zZKVdNZj8({zebjw7dlLf72VrQ*h4>#RdS3h9$0{w%KrF0EJ}5(#fr2aq!Rt>D7;36U$f}p25#cvjBXvk7dTsNU`oio{wuROqqFf zcAGcglu_AkEscJ0B;9KS!%QozKX%5uzoVA2l>bDF}Q!Mzcigr4I20M+qx!F zzNaf(_@@8w`#EJ+gsgObgo&#hP&6c73Ohf5TV?j;&h3$1o<(TOetQF>6bX#D4clyT z+YhEnxv4iWm-*54Y|^CR;VY<^$c)=5sWPUp5M8bOnTNDbMqfLJ#~%XGn19Z)ce#ih z8G@7J66Ae{(^$4R4Cj-hr1vtxy+#q(*gsg_2V|jP3-(F>UsY!wR%8CZaeKCz?2~;L zGa)-OayJx1DEr!ACKgi~j$w49c6+K;GCk)?FgcQ->s|Pfd}RBj`7*G9i8N zL>bKe&2NvIP*gEq%p&QNRh!V%isL?O5ti&LYSgroM&zOP<+}9W?Yy$qb}@8&z%?fI z3={T9O!{5Cv0lr(&;83X!0u zY3TGa0juT*Ny4_x7&Rvmw}<(Qc_ewTM-yT3yRYOI@^8}KgnQRDvSa9acq}%-`mMJ# zd=iVL^xO{cSuOS#qj2Ml2{~g{O2*&ZXDwr{x5ILA@27_u&u!K&k;WTCFp>9oeOx42 ztdDKqZo!08{-;xIb}@gnrLGx@2+_S~$uiw!ebc|J}}3&2!~%DaRhY4=xDsi(^!Mm9ImF8Py-OU^{naX;wLy}l7&Sag39%{t~Ig4~uaJ|=hu2H&rrr{~; zG#@TR$@zL)aDw}u?)$Aq-H3bcy8H6Bg@z85ShaB z18b!FSu$s`HsJYN4{_E9;ZmP?)Sog_ZsiBytoG}6PAWMmk5$)EoAbJ)*z=OMxfH)> z{m{_uip+Gsf=Sg_ADMYwMiyK|tLPwH9C}movd^OhS@fqr-;lDYXA!h943BPK6X&C+ z$fh&knDZ3@c|JA1jbz?fiA>&b6tHF>!3& zgs2E3f~LjGSTSMa0V6D3P z5#V`2E`6_F;jn&Vgzfe)Y59?yyi$5&b3?=&v z)FJ{)UL?!0w(Ge^O8kS7d;{y+Ka)3r2%{1M+6-IdweO4r^;V8bw zA?BAeVc8%Q%C2|iyIFgv!wJQiH>DDBD4m|}Ff1@XC)HX1y_v&&xch}-O@_>;uAvyX zDo?U=w!#=0g7ZDICANMF+EMQ~xc(j)8X;=GFRSRUb-c$~ z+o<*QmWJYjZxD(HtP{sW!Km3T2n7>j#r0bqR_qIe`R7QfewX^yaY0z!I8qw$`kAgl zxZW&OCimANecRVL2&0yjOLMz@7+0x5jeut&{rBMp_d2Y{yq3C0vT&q7Gb0|qledpD zQEw^p<=v`eO7>pvy)YZN_`OsP+=InAWW3LOE7#P!k-3}sFKmBh>Mm^ZBDc8uQ< z14rpQ?$WDVIvq31XZk&ABavrGQWj>D}>en>u?CTo9UhQfS5Sb1%g z4$LC4enmZPV2Tuwne>=z<0og5rCABzUwV?q+n8j3l^&)TW~>*-OGkTZDVzB)Lw3FN z-VuVzU@bfst&`e)$vm&dd@1i(sUi<^`6>u!3{N zl$GUDcgIF-C?lKn`At!BKe)aVYv>zF*;0QGB-^e+^b6_s3mgnajR8P>Godsgf8OgGEiKX)oCcs#ZhSAIL z@BaByMTNX;OdfkD4X)Zgm+My&@OUoupXc7lPR>u;>|*}ollRhUVj@0#*5Fh|mCP_t zM5aAC687&UHz)xf9^{{wzovgA9=BD@t}d5aQ$?gjN=}_zNu>vJk2Pj zR}Bz5-qSEf!h)!2v|588%gN_7AR`+o+Lb_Dm{z((75O!lTUR;u%eyVYCW+Z#@^M-H|Bm zuR_y<&*X_A^1qt@z?jEUVjl_RDR0c&@<86xzqZQcg@iXZWpG#o4i8npKH#D_Q6p5d zr2>g_PRg@WQSh};Amiad`jn&bTR#QP+)rR&GJgaESnVyL~9cyeNZe4 zeH3U{v`+56jV3o<0bOK_gzz1{AFIIlR#8$qBoeiGzVH+0c;o@*@}AG%kW~_Gz`9^& z8TJd4rt~5=)zTZhC`6jEt~!~|_f6NysoJb({;I%*ra|)LSukdfQ~(J9GJ#Bm!QU(J zyR*MMcoKxTh6;N5{Kayq4!xTy;5Wiw66r_CsmaW|X8v-OW8#WI-e0xz62D9GjN{~O zUo|R^-;mqRder4RmeKEy;Aj|LcUR$Q?R&DHTH>95(0AZ=SCkLJU@Y{euC7cfJ;=B2 z>y0kWugm#C1~fY0h1zD91Dh+j9r^HvH}ApkMKsl#d%`4i8{)z-niB*O9lrrf1sN;M73R7agE-U_qaY!lCS~v*8S;? z&b?!$&tFlvv(p=kJVRyQGHSB;{4wSJ@+Or&yL&wU-cN>Zi9$(9q3>_U+@Gs7nbMytjy2Uo{bXXcT=XkxAo|FLxWPOGn=KS5xIA)5Sy8&xD zD3R*BQ!e%jhr5Lm>A9Q5>UB6Q_`SMR#!E$31Qtzap7N|HIpIpiYK#(VV|CJ?DiXF= zmH2tPRupbgXw*oBXYs4Vof^egtyDNcwu9mpb(<}Cy>NwWER4XmmMXYj`a|xeg=2bW z6^7?6mtyJ^Iu1~wa`rOW8?DEW<5Xyuw^ZylaF1w_3P(RKmVcP0E7q#uHq>2qp9sOT zBo)raEfQh>JTgy(1A`XI&GyW*x~9ShD_40xLkIT{^zW!#rEQ)LX7^PHt8|e!oMZg* zQiV|;T_iG$`Rw<;?w{?}?vY6&sG~fq#@6clB)@?k9lg|8-8x%5$gYoVrN+)~`()tw zFf__lVb!v|(ujLm)7@1_n4B&N^d=Tr{lmUVlL&Y60L=JzaY>P>4Y{{er6emVLE`oq z(4f8wb_Zjn>-=zRvQ}YIzFrpBiGckQey?5uQqLHHjhQOkG*ilOt|QM>Q^RrgQh83@ z+MA(j?9$8^t%}zj)JS!nCw)Fgz~v`3iaX8|*IE%6Gfa(>HRs7T`rV(7RbxTmT#;r5 zY+tCx_Dyq`bxXcwuo@LBe-&rPFtpvHhEqFdY39XjpzCTF3TDZcUF09oFXJ3CQ(khu zF{z~n7xXja4d-*E0VXX5)UG&N>~L6@xW+lQ>;seL0u5(;(p83~9ZC z!`syV4LoNFR~H#J@-Z55wxVK`!` zMyrV_a$q#qN-tEb6PctA*W69ctMG~YKb^>N|Ld3v&CW&3?NmJ+E~=28sh3SQ26B2- z$m|>>t%{iQ)lZGRwR|L;HT{Q5HSFK6l+pA)M4wlqRvlM)+&%&m>8a~fXNHU?J8@7S z4SFn_Ajc+0;5NUPPi-gZQ#%6ndeM)z(n|swi?byHb@!{I6PkuI~98$GyRbwUH1 zEXc4*18U}JFy7x*UQ;JBm-lpQ{j&@Y*3-+YL1O!#rQ}u^=2TEWzsFYc$*#FVUW}8O zt;~q$cj?C5)!~rtwW#YEsYScMVKRkmgIrfFy-qgL_D(Pc25PY+)<%-41Dct}jAkzz zDY&FVNiludbM53|U9!kHPi{EOPAWx5{sG(BZL~DL!fdkEU(cVPEHy}E5y!HIoF^YM zNHqK8w0asCp_e?it!IsYa)LtS7uIoRSE=!-BtQ<(yQKZh4BA~jGO%?R1~y=h-YkXu z;u(h99W+Q@vP>SAhGD2J^L;B8$ns%&^jyTe&d`|>6{m-S{yyVtM@b}Wq5f&+CfnMJ zv9kez)wNKK{7EW@8Bk=c#pk4cGQ6LG96T*5>srfb`Wo8L(Be%kYbnU#{|>L`*6$-0 ze7@6U`upPgNPBXlqusRF&2u;FFl=C3RYxEBCWCu!Y^&y3){-!gzTqNrK08~>RMxdm zK4+Vx^p>pAA^4H?=>CqqrQOwFoEggVUcF`Ol3=u7;Dd?iEp2NBLmSHcswFn!VZn@- zTFEFQ1jIzZ`c~|8g|vqyD-7*Z+MkYWL;yhwr`|KiB$lOt1UpsH^|w Zc&_D_V`hynM;`wB9Mk`f#`a%6{|8~wg9rcs literal 0 HcmV?d00001 diff --git a/rtdata/dcpprofiles/samsung SM-G930V.dcp b/rtdata/dcpprofiles/samsung SM-G930V.dcp new file mode 100644 index 0000000000000000000000000000000000000000..9ae2c66a9af8bbdef0f0ac289c94191737f42a9a GIT binary patch literal 65366 zcmZs@2{cvT|NpO2G-yCHh!B-TlDRxLDrr=j=TTHjDzlV%p67YU5Hb%X+_N`P5sBth z8a2?MdGb5&_xtl->)TrYyVhO%+$%;!a_s%K4*UWN8?DL zGjc*gKK%C2|7}a15)%5wZwvGLWd9Ko`pxhE&pH1&<_~|Kv3y&}_e(bYcMXmF_W1v8 zj~?KUY5H&fe~$U*b!?Z-u@i^)PqkPv+f+|;&ia4)78(f&jh!wel=5_7;Gfp!_kZn` zU;ni;rv3MQ_2BuSR8t0n4?% zgb3|bh&0t@H#+N~c6m7(oVD5Ql?+#nm!j;K7Tep+;aZw0{9Lu!t^@&`UM!`5 zs}6#h#^@w^EIX$bmbQS(H+^O%T#JO}`4Cf_#vXK@!>AZT6elS#``&!KGF$+!;wenE zAqQq34KUVoA~SG51K$9BOfa6r#MYd_)`fZ)KJhEfa*f5qle!rFsE0-$jzZ!x9Sp3x zLwCLp!}@L7*s<|CwLTh(n>kuAv8twD!vYb&&Ext0^ZJi-|La-ox+}vb9XD_T>a41- z9!h(iG34+(_I6Zc^ynbh@C!El!r0bd5P$k)58r3A$D0f4#jOcs7)1Ov3;>v zoT!Z-F2z)MMG%JC=)(ES8EOz509z$poDdJCHhXc9R=j0gO zQjVMH&PWMWWCDu{3~O_MaN2Y>(zgOjOOE4p$1LVDv;xYCNAXNz4x9G63=0R_AYOGI z8*5#PWqMYKFVtZs_lwcpx*LjVdaUk75w`u=ig~wmSj4R&d<)zF<4g_at6B(ogSF_0 zn!#K)okP!vHOL)4mC05V;0(->cWWY(ZOwB*k82=D|m1Ir3LavYIVt;hb!S zPkj<>@x)y8zF7pG%I=#3Mc!{lefc&an@NvXJl$nCx}K(B;F~@{4D%vCA1I zougR2Q8uQVIYRpASaw7$2N!});M^oh*65l89X~sC)=RVdDmfT5;Rx1jn9SBK&PM2@ zgE&wq%Wi%-gL-F6IM~ax2;WR(8190gTY-&m&cNN&Etp<6mGw(zU~tHK=wF_|6x7qv z+hu{CWHHvDn~strYjEp?Fx&kq4SR%FqeA*Oojo`W?Ne9bbL1CVT$6$)4a@Pkx}WN9 zO2!t+rO>wMr{aT?ATrk!K|Y^oV_O1#>+#GlexZlj;&I2=2u@DlY3;Ch+}v)6&TYTw zTKhPRNix9oF$475q&Q3z*86MR9+6L`wW5I#?l(YqV<`R8=7-B4^x>J{N|(;{fk~V` zOsx*nTXNnQ7_X0NNnVz2*i)#w98j|V`&05^x9y}!(Vjr zxp?>(AHakFAr_Pz2hBhG@VRghTVWZCL$h|_?chNyIv@t$MsI~(!8aoSEbx9t1>4{nSDvS(MPGz+miIZ-jTp%4kew5K31X zLcgqndddYs+};3>TdJrt4aAQQUA*zWKueB2C2(#8{G(~SS(99ic|MPh<*A>0jjCwSBK%Y)&!$_0HALDVKI7|Ao7@NRV^ zos-9JOFCdkNdm>@U>q2B0y>Y<=^&F}X!h7)iBT>+s}q6`@wV7W&e6WG5EOs1LAgmW zeYPruzb^++98pY_l7k^Rdp{meI7c_$48rcodywgpO;?Nwz{9UQ;NqG@O?LTVnddgN zuL-3`76ria;uc&LI!*bN6%X7u zS~QC-p@GLkFniV-xOkb+laGR+Ww;75VTA6}41^2e=fXWh8tCVbC&p&jp=?M+-}$1< zVlj>w8qz6tKG1SEf&529S~k%e7upC6#uDoE#uI(Z4YAA8h<3jAK3!bbWMT=La<5!3is#~OK zu1*F{aSq68SEL*6WuSM0J@7%DR%&KqTgY+DT4F#?Ey{%bh+~NLUr5KwW}7-BOx{Yb1X(pzb%K(L1mo zSM%o56`_&vSF;3rIi0!=iNKd*d*Q1sL$$_*L-*Ehn2@n_mvC^uZjFmAJ4fo*OjC8-f1I;HMnL z-6;0NepxdtedEvV*7CyX2J^o-zuev~h$<^a80UuSU!ypU=cUN4b-@NYm&>|Y4%c^1 z@Xp)9IRsZCYKtS(;l+6lKac044zO60#1$A{K>3doC~qz2=FY9ghZ!d@0?pj@+to0# zKaP2`?{YI+DzX3bF~pQU=BEEHMy}&AwD~{fN`3ON`?ejHNj>4_$7bWPh#k(|d%)>w zXJF0nqqyqW$t~NFf~${@U{=Z%?z?Cr*2f&ig#H@NQaKLZb8TQbrics4jfPXrL8#fM zabYJT@kW=QJCWhst(b6JIctSgwH}<(<52jF-Vc#|R@}R#A$YoXAI>aT&Us!9!q~h$ zsMOQoI@Sf^>iu1?J}%AWzVyee?>nIK@wecqn;&Kk*^cJ$Ho?~kzF78a3;r}^3Jz9# z<3!IUtW-H6@Z9SK{gw@A-MWYqbMeB`>h*tdo^ozH8CAoOe8&yl882WJdkJyO6Io;l)%+?AT$T`l<7?f`YI<$~Jlt;m&kfOv3+K;y`DoanO0 z)vW;)^`r z{qU9@g-7SSVcoe8p5l99Hp2_0llEeryHwr51w8+qyZ_?+-6DnL3pye8!3|sX1(WUC zcaSo}6(NaEB-QRdZY4Y8$J2Gh+U+4EH#_0*167i^vKwoTI6~g!8&-8Z#o(_FsQD3( zvo9Y(ZoDJZ4oP77)Z37aa>S9_BDGR?TQPR26Mhd&7CczigmVhcc8`jXa#avsl#Z{CE=caq7PP!iMqeDSOUJkiLfsRf73~CnpIL%a7O^<);E0#+^Xh)? zjl!YD4*0IuYM_2D9PPvG@zlG-P+2(??=Buk_eOQN^5a~~>KKIGJWv%KfDK}HSWsMm z3!Z-93T)A!aSLkUJ~(cA1omHl!YslId+*!eRZt~j8@-`iaqutBdMB=vnA#U;8GaH^ zqXoo}dyV~DU9n2Gn2hr5!?xGX@X|^nT4O#!s@e&&=Y)_6n?57^fg`M3j+1Ea69jIK zm@R5S*6F`SU4bLa7tJAxnvY?r#IK<-Bgx=7x6%602`2ZiV#vfcoN9N*I3ZV^c5jH!yWctKGxk4 z%ZJ-ZcbH6#tkVq3MuVt3!lI08=N`&{(w>v(jM!;-IW7fvQrvLo#em^%u|x!4a)rV^ zGn{6znAFAJmr{QmFNwm6SI$VvDdgu{IL^Oy!pv@~@bl5rlP*9bnch zMywVFU{r@a+Fj(x>EV7@$WEa3@O1JI=ZlfYk!>bT$Sfalo_2q6{vOdo+RDG7R^cSB zKebR2CKf0jc=7gq8+ep3LP1LJ8 z3YFZknO}#`)Z`&xq&ubvm*LyWY&>f?iIpRo@Oo|r=I=U*aNJTBTq)zhGUt(3sg1LiAWKzqaHXzJz+js zEfoawS98z_+y)$6P#j~{>$0j%MtaL77+DVA4pGe_>1%M5pRj=nxUk@;3QgZ z-6uJXBBZ3w6+0EKldobUi1q;&B)x4Uk7th}t@E7mBwRqE?u{Um&77dNs+w>chmefN zj#&4noD?nj4wXztXpJi(X6Ji>07t})%Oz`bpWcep?xx{7S9K93(_u2_7-h`d@` z#?Mt(e14!u{LKrI``Q&$UYmT#I*TJRZfMTXBJnG-a7fJ!Bvyy$lXN61yTQ`RfLyar zM(1!h^kfk-?M*zt4!EN9$6~TCHU@7}UGYn4B?-2VgvCZz^nO}Lo_K~qL&O#0WIM6E z7!377{(64yCPqBxZhjo5ecnfw@Zk#v|#kb_As7_P*KZ{T>MwaOWLzHr1xd<;2e@5I~n9Jx_AjFdic zgq|fOX)*&Cy~hz1w<#GZ)DN3}2i$F>ei`S49dT(!2M(DI*ny z>s(QMX*;RyNyI68SHvdoAXBX4Fy7adS5&*mblGT(2;e!t-b;QAjzHdNS7_B+kyi~N z7<9lDmscGk;5i4&x*{>!mMrEuf4b&^>(4fkxaGd6xaRs7=eRmbwoZ{DH)gs+BEFo| zM@%6*7N3O3rXo^)P>vkp=U3V2Vq)thN8;mLkw3kRXnvC-{tu67T-uZW8Py7KOavF1W(w5vvuApe`Y)JOqv#3>d!Q+X0$%nv9w)uGnyIJ@ILchi|egq}$h#ZM$M1dczeq{CHle6p4L5T_Ib$k@WDK z$zV6UeYuSo@|=}lyF#jL4_U->?&Y69dd@3Jccw2g7rFn%`TNiaVkn_X0##1ork5|7 zKV~*rVSWnFC42~VQ6ux5Pl5Uc5P{@Oa;@|fhA#{wb5do<+pnka;7bgNJR(kpFFcJJ z{S>lGY6Q6&eHvv6S;TMb5R&rdG=%I5h{m7q5HsvFNHvb*2#d=_^QyIyyeU89x z59~WzKq6Hh;ME9EvrJz+o7gLDmUK*3~B{5)<$?AF#| zkCG>3;y06Fx>Z=LIbJ{)m=}#R8uBxlX-nE;sxavMbcy&ix^!mXxJ$bv!9X3Ipl>d_37jV z&-rJb7v5CNCJT7ZQ+mCS;WmX_>Iy*AIuFe1P$82g{V@Cz|J(nMUvypHTr%ax9HMJ? z3QfuiMAt!sJnKFMpSOxcGHfmxwCOZ#mdzmt4Q7$;O{Wp@djV-QmLm3{Cwj+uVb7+8WRh$POh$O&-nQ9fQ&j^Jg}jiy zY9jgGUkd?m-`8(WI`{5kV^9r~xW053m#!pXG-4)1gD;HM`7 zR@Y&`DibxrUMSpFhEr;(m^Ri67Sj1Rq??GUDPEX6f*}*iHNq^~Lj}iO5)W4WS0U*fH7`v+FOR_Mk7ix;3!> zejQdO`C{dh?}i(F&f|EiFH*Or8;&R|Me1Nbyhxd2IBv~3Jk<3=&%u2Qp03NqxTAh} z`gL;cozhH*4}5VfrLb*aLF@Ap)IM`s6Y{f1B2A5=h+CAl>|ZpEOTK;Cfq;+<{0wuxDQmrylWNKijW9(Up&p;Q!~?5h{*6hf*)a)>{+FYK&qE`Efdlm2iPOcQKyyM>H*{#cN?RWMqr6|!3c(0JHa zAY|Q${Kfz%?@bo$-6KH8oIw0uR4j=6cpg;=flye@36>2lgXz#9__kjYJP$kvC)*%6 zNZ%DacFcvvgCN{G@;r?tleu`$No3d}U#NzNbF;3GC0pkE;jaH^Zbh6ZX;SjXpCx0t0lPuO z{*OOa3Z%JaoiF&r+qABxirldF*I4Zm2+>+~PSNc#&QA}*ico#-)5P0wydH#CNhX|3 zNGn!41mm0IGVWk~Bj(72;M%@5obDL`tOOx|>qag_<^uNY3WaaWHg5Z*GMpS72G{+& zxu)QA_?8id6FV%qvDUfxW*m+mjn>?(v`j=i35RO&A@22zRJ5Lsz_nRNIHw;8D4ZIJ zA4`sM^TlE@M-Yigs?wN6v6EXM7;yY$7=+ z{lTPVVh}8o;<$#jUtvBf7;%qNxC;qyVDKRr9#Utx<0HE9wLJtDvvRmLr`vd49*S2E zXSwd?Rw%`UVWVe0XZxZN+m450iPbr7Nr?cBt0HiHW)YVxbpahSBC)Wkmx{g4Y`Hcy+y!d&+Yb3Q0i2u_8{7=Ulos5oPZyxgOqr zx%?{uU!BYT?Vn|p_!sA4eqXt^UQ?oa=QO@;{K~a2SWFtKJaKN_JMQ|sg(TptH{$Su z6E)Q*t89I7K>0C8l2ypHkABEp{(yV`VhXX?834OU_c_Uf5+txX5YD9!xX}S4NT*OR zCbGxej(dYixMm1UtY2{QbH1TqT_{$~ddqE?^%gERVG!H)j%(iCjS$~(DEhtU=AONc z*=Hi)u=xXbva1z^wUHP%<0ChuyAgXkqOfLAKc^5cK*;lGtbX3l(Z2JD`4oc#ZJ)SN zt)+M-6o;7?KXVGo=g>AH9&%YG@J|g@^62HO8Q@%A3c$$V-GJUMRFb}A1+T_rY|L4OT3^RD??57mk<|z zor+VKK)2M)C#!<|aQoPJYU-{^MwkZR_&7;wXdy>l_XOg}Xh~||AW7@M#MD7?Oh_r&3V2PL|Hg$pAZ_3ildW>LZbYCGXOp zI9-l5UyTP<%z#;x9G!b98td0*;{M>NbkMJG%%nU!?Q)$XQI)-cQe%CSz?z z9$wY&r`tZoAxysjMVqYX?PpOizJ8APp;^)8;^9c%Q-n29*7TWuFj_tp<6)!~)!}*0 z=I75slLPdrV<1{s2}Yi`rp`zFL4r#E;`}x|n3|VuB9p&(z-L$x?LEAXeEsf?X?p%t zZU1UgKF%Lb3chr%jtP;y9f<8SeCYj!8sv^{2qbTMQ`4&oq{}Ic*XrIBucZhwB4D=C zhnDq^BJl#`(|{azCKl7>BrBJ~URN7lZiuzGk!!m2Bw71)79q zwchkb%x&15PeGWwH~nefiiERi@ZI7~ry4XuB{~BUtG#I)t-~spGcexaP4oMzuw!dB zCZG1EUil@c*3E@WnKw0lo{##mc^KL6O_v5`h)SDb@;h!0J9mjp+T zBD{L;L(6015VO1ljz+%pqGuFdNtEGssxR#=2t)pza(o%^rN_mBF*>mlH8cGFBMRz! z6X?1p*>z=)%td7-w7y$($srtl|#?gSx*sHyuAu+qdi{-+B9Pwo)bi7QL0Mp5%*w z52ZBh*Lsq}0&mAg?sZu4G#_n}1ynq( z3gUdujoh9B8nwCvjkXu%sK_}-r6#3gyi662DHYO{ zhmzp4;sTO$3TeWKIJmf6gq3O$mFtZJ$*#qb(jq!dEDRG{1xVH{rd@l3VA4+^Q&&t) z-udD4_y$ytETIYI0f-T)$HyflwEMFkq$f7~#ktbIm3~OKBzs!;@!Z)=qet%~7J0r% z+kcrFWNacqyq$G-b|W>8TS8(cgktK@OZ4JsEg~^30=q~9%{!_@G{pEkp7?qyRmXFF z9E)Ag7%iPWns{U-;FA=is|<#c&Yj6{Sw!hU>7SS&nTGfvj`m#a#TG#Zb`0X^rXf$T zcy|`s3j~yA+(z*){#hC#paa`maV;bd(y0O}5N(9`#B=y{OF$Kz>mZd>gmtqy+7(p= z*9oP_O5kWEDZ%rQa&QwU?X}LwDM5Z!SRb6OZ3zAy>u zI(4wJtfv_dVj&mH@%Orcre27|`F@6J$qm$^GZe-vE@6w#CHhr42!qZvp{nf?4J`1( z>~B|4I=+#fu@8XO^~Tz z3g4l3RFZI5p&sE?cc@TpEG)|};hObbdNnc<&y6o*+oXFmJU0~jtyi({@;w^+IS>Ww zuVLY_`}DyHKR7&SL-*20bhIQNTVbv6d+~&-O7MP{^6P(buDkV<28bUa>RY_X~Q z)nZA;T=hfm=1-csS-(d5C|6!et7rjBeV+4dkEp$V_(@Vh@TO*jks?LGAV(mr%e z&BfWBJ#?hq6YQFs595VB^yjbJ_^Dfnorim9OkOKCYLy_hwTE)1yqz+m9Fx|+qVWZF z5SOUJ^KY-{lxp5D`sD&d`CO?l8%oe}qXsVyzoD1x_~*u10SdL>(g#1X;N#5jU{EjJ z{xl7b7hl55YrQmGK8e@sFkGd7a;=_%raNqTgn!85gP~Akcb2r_f=EAki3p3;RgG#|4pf6F1^3#*JcW*d*wLi z_L~;iRO44$74E41p%+WbP+nV&p!a|1Y|nEzai$h4=m0fp$-#gZhkMI~SQY>5@8406 zzG@*R9+HeMtwx-hIf%)>kAsoO75K&uVp2&_@ab&EGU352DIg5uDf}9IWH7U;2*QHB z?U24Rm~~0a5fym7UX#&_~k8_W(;B54|+f^>n>I<5MgbTywS4s&R?7ZwItc; z>WyUZTHcSnUYy;#XHI<2`(Y=>vOEnlQl%0M&$XkOUW^gRP7jBetQdPdcn&e&8jZeD zqgcSzsbt5KI1CjY$)Z2Mb@wV=;gQD!DOFwK^ zXY=tq5#}8F0x}_I5tJ*!&M&=>(RBqlo-V>x?r4WycM(Qj6=Ac2E<^EqDVilkSzi(d z3;y|V%wCkmTVH_22tJqhg(w@`S&FuyHT=97&ZI6CVEm6dTzxd0)$%!(*IrU&?i#`N zeMv_~TLU&c8^Kn{Bx7!A69OzpGW&=){0_Z}l`luKJo6}=w7!Oq`$n;1-hP$Fb^Pfb z#hm?vFk@T?6t{@6OW*u3^zlt7w2QI!IB$H+zk@E5(JW@42j-r*k8J~EnBgfeZ1ubM z7v}>}vg}>>3bM=G3+`z$tn2L}@~+4a^N&qpj-H0(^5kIH?47_q8t4$!;Bd$%OR*8{ zs^pI#8p)>PS?Wnyl3^8(4?`qb^igp#@F@w;Z;3PQt)isTHVtSW$3ABdpyXjDsPH%z zFyaGrkb_aD#oQ%Rhi5-G*XBefV`BhL0sEWji?4p=Y2Y!msl&!!#; zA0*gocU~v%X~dBrNp|645>hO#z+GuP+p{PRnT9R+dT~6H93KTGr8elV;&Xr%!w@QR z13eF=nAD*ln7!!4`2*6-rpFJt^ftUdN;B6eZ~TnEhXwW%*tSC+2s+Y*!fI)@jgMDE z&3o_{=VhyBuoDN3$@%48xMifwE(|pwhjaXp{7sP^dZbCzcwOFEFV8-_R3)X3;V2A| zV>1^i6ZSe9G9^>k(U{4^=6yWUlx0{4pXfI;BN?k3CNat2VPuwJIy@34vTbp{P2FCNPbl+b|eegkM`GuvUXs++ACWfg2N8W8Wnx zg;n6Y^+fjZa2;j|&O=dR66=kv!pWx>v8{0ut6o)t{eSAIqM_c3 z8k=xF3pHOFVP~PlOn4i8`N*qCQc-4+nn`e(cnyial-b26vG^i?9gi+gXV*F+v0bSH z10ge5v``rIrrkpG%9*TrPY{O4-G#cS3Txq?8!A!{Ab(MXZM*1=ks}_VeE%%=Ajbng ze{^I0DHV2_k8#!1J^qXHeJedCJx!IEE%HL~NFCO@REfmJ@cPeg9?PqgCGXz{VSTp- zE8j7Jw3vs(e1$smu@NVu&PU@=m?{ew6C;Xq65vxhlPQ~tl6Wo!CxWIkahE~Fx|i3+ z63VRh+$St;%f@H)4wLsIZb-*AZt?hD@_r?CIyr zIQqU4Hpf+&Ngc&7$7(*;bT;c7e-TN&wIJWrSo-U72rMWp4d<{)YDMrZ;O(+g8my-C zEG~X;f@RHI=F@ow59T-H;yX?Db6Oho9a<4NQH%N2CF0ZBcC66TX88%R7<#J{ek*mD zV;LVS;5DVBTRXebQTVK(DFVf%-89C@P2w12-r^NAG5y`IDN z&v*_+=}cTdt;Sr`9^rjc4zlECv(eY@V$sn8R4LA8qxw3~*IA6w!_`=PN(&BMEyq|3 zb=H`732JftI>(Qzhf@WRG^;`Fy1DGu@AGJTB7ph}P4>m03`?x*G5WX`yUo{9c|2-F z*bi+c#d6VadKDM#b=m6QnMgl#4T2YZ9n+~)Ec$vK!Da?bZ87iTH|m6c%6#^GNi0Tt z-G=@11?;6~Bs{o#FqZ|p%+~@WeeHsg8DYNRK~PcYhPR~=+qcyp_clJmaeHGXZtjCc zUN2$qWWqeGJ@KL7HO?jyCh^n@O~-ov;yjcrWs4d{5T?h+&}B`T(L-Tk$>;mh3KKRl z_z&DK2jS5YKJDdAKO`oGWBIH3?5*f)yg0(^jVL|#RkItm9r3ugN}Kgp-i64j6kIma zWMK&%XnLK2i5KUv$){VPotlFMllf;3Z;v*uFF<>-8uPky31@y3qr^*{O&QLx-=zY_ zbTwG>4!&-y^8%(!(_|OVUf^>@YcXuR7K;ckhYs&j*)W2y#pCCJvgIYj{Lp2)?(#k) zUIVv2(r1tP{5qYO7Obh9&-VOIN0iic+;uTz#ZQxQA)o`})Cr3ih)3-dxC*IEG@zux=chznDd?2txMyXV?&C%HEp!!zJ@2ByKEW zxd-@s(cafk8@!Y)Ip>K5T74KNw}^$^^Te)_*MD(NU%s44tQbJE7H@Z7UBb@J{e)M? z{h;(?A#138g|!#?oM3q)M!Fs$QzRVsw=G~h%WpwM=Zbj5n|w zwvq`9eUP5lhq?NuY;DwOd<}gAt5Q=I@sZCtdhzxz&gSQrF?oqsU>aV0J)kMmD|v|Z zhy0LlW5V_hbV7&Ez5XB$cJoy;vcH5OsY9R1_|~IqQ8bpe@V|FR4ZftrBUnb0na5Q? zWq1m>x9aS3R56^wGBD%#Y}Qj*h@ZUAZE@EuW+Q$MUxpVTM|&3g#%qK3w~7(%G>aMV zancW=6;Se1W!LJ?Kx{@egf!LI1eS)L_&V$|o5O~rBw^`u2A^d9*&82^u2D@e8m+~u z17i>&*^CK(IxN;b5*0#iF#n^+Ub=PDy0BBoQ~fvEA%5v6C!_UfI&Ox|{lkuqaF54r#`VS;!4%^q%O&azj)0soDu2zV`ja`EsEtTXydTa`@aE_emy9Q|AgY z_xRzSx*=0)qL4@rg8yzkHrlinzn_Oev}YcBDs};7bEC2F(Hz!3qXIhq@o?Wao0XT9 zU}j%38WU8Q-~B>F9LPXQ`V6-0VFA91bYEz~#3gvOtsRit+VLksT1+*J6u1eKCC>?>8B)%haeRDi!bJ z=Uja@ztkORHy&b-#eBAJfg{R}KY^c>Aq!PHip`^5fKQEN)wd6zB=HsKZhkJTv4rom zUL0SrkgfT(3%0rMF~8i1O)xu(mv8#eeae_2?=UtOzWu+W46UZK zt%r+IewUBg4OU|Be9mE-c?P!FDKgzf`8fSN8zqkvn8dI=d??O`&p1V<`aKuhQ;OkJ zr^r^V&*5uoD)5F)V;}h1!@TX)cr#3y?SGvPad81O9j7yywJCU$T#r)GnJj5r0>%!y zj6sDe?5J7{au>9~Z>K7Yei@G34cC!5NsSH4;A_MzIw5pNoh{^JNk6piKqp#*{n_k| zOM@REV3j7@d+0PgcpYCUti{AvxnKdWhq_9&S&qzcgo(a{?M7W@ZES-J$*(c>lO9_v zutcs(A8zrio`>y(Xvqg0hXHHLwZ_}tcM$nzz_`bjIK}t>-~5fYS9KVB*#vbZFWA~? zvVlVkmsk6talATHX{yChpCCAXRAE2PT)>b^Vc0uoI?H%ofzHvXx;J$dw zGm~d!dyDYyYBJ2%%dsWd1$4h^S_c~H#U}I*Y7Ckt50DbyuY`7 zT|C;PC$q^Og?J)JhCVQJ7xTgp@Yk{}3LAUE7-R+e?9Io)5z7C#`rd zugEg)_~F!&8?Y@_WHrOQu`TK*#%NDt_g9>TaPuAXS4?9aRxWt`?mpgVD6vYH?Tc&*0A+Z{98)&EEdxG#3d228EIv5~b&8ePY&wB8T#7+GIAJ_ba#sHzK2*uSpm2hSY{DQ2j8Og?XMvvuF!84wYefe9f74b}J0T zW!R~cC-8D^JFF+kFo`ioP+Hu9P&paa)@6lT^0(l&SDMW~aRBa)op`xNnnfPl54Ezt z{ru~af71Pt@zC1lft#9NXaS#B=3natxuy@)DKHAT3ckFLw2uZ2jl|P1e@HKROQrsV zLueGAhiU$Xj@lWH?Xe-K2zx_Ccsr(7D;zFEd+9l8-iONPvp!6JM=vZ5M`J|{=(2vA znHr9Zye9j6>nr7iB48Drgl~g?Q^mCr7@M668#0J(bBo|}S2D0zNcjJe^&Q|?cj5n~ zT~evEwNSlnN`rh3NgD}KX%D5LZF}q$8IjQtQOQhZ9?$n2Dvnn}GcE&evIE$SQ|_=*%!baS z0j$Q?1sm=7*|g697G)*E#_^!jsQ2 zT_B84<9I4}1oORllSwL_o8yM}(>>rLol5&_yP;9q3lC=Bpa;mvn%L|sp(x}I)W z{Np4R9LT1gSBC!tAi-BGU=0GS8*)Vg!%{_NV7H zj3<`ay5LwhUHYcU9oZ}0plZjbKt*n-9qoaVKKgWVr7M1OZ1x!&Bl^0-1?5rR9Fu8A zWAr$`VL9j8jWDN+i#WdNo-b-*j#9SW8QJ6%L_3`5_VLbW_VP!!pPqEkHz&MJ3c$}& zf4aBH3E~@p2y+dk`%9c~`D_qo)?J|DD^BRkHC#3xjpdwuXLOJdq|3(B8;;J984?N- zolGTbo$;|Q3@PJp&?JcyT24i9O^LT_fAd(qhH-1YSH0=ZL`k6 z!DuWUw#@@Wt3o-BVj9IWcl6y64!h+GXz?L;Y5%iTock6D%hrul>yisDKj(KFnXNR~!WpZNMdL8G(>#6`{yH!Qjpw)1OZE;h z$&SU*P21>zR2w`xdZK9P^VhVTzsfyVfp*#%28#XTdI6ZG`bvB$qhj zwRV_BrD60!;28}JNQA1QVoxL=Wt?<4_NyN4ZX;4xV+`}f2HR+SJKX4 zb+|veC*RKX861pl%0bAr*(hnv3WQI3Fzz2ql@wm}M+L{x&1mT&?0xPB3)gTw(3>X6 zTKXce@+_KNHwbDgPeN_b1su$97xo9%L{BOXil5sA(HX8S!0UDv$LRJ@afk1rMAVV5!uIX1aE?pn z_^2_CX^j7Xu*(JF|BqPm|)prLI)IWDn-33YdTHr|?97H@57df5rJ`r5)MS zCkrLUoSS3oNjgkYVVmR*r3=2~J;(U;>*|f~$$sR`p{tm-)E7x6Cpot+1}zT$I62gV zbeYQMK|EJ420M_eLFcfKKM$4;d&v*Oa46)5AwbE1eA#~n!*kAJkI7sz`SEEOU%r4R zJqME+nSq$(8HGsi3Owu|fa68mnM`3ePf74Q?SLWQ^Wd{=s4(-WH5OGD^0`zO zVc)8w7@5oG?jI{9RPi9vuir-Z{^ulRz4jvHMme-YrweJ77FeEMhI#q&!lF5QFp!l0 z73WzgRb*JiEvPp4dj?{jD1oIk=c_3 zG9(D`YhMtNJ;w>&3_)e!6C%?$7BXu&cip0%oa!5e_J`*%&bN|yJDx`w?^Eihj9YvKZR#6r_jtXZ~ycg4e2~z^mmuQ(5G7C#sMG1PzERW zc#UpfIiKTu0TQ)SHB!vo5i_S4lf7PO1QoiV%aPl7<*oqZAx?OdU5-me`%oThhj>2Y z?zNKRKKh?PnQb*}Cp1EO?;(8uUW=Z62N1(@3pDvY#IWx1*ff7XPCTkd*qvf55bfo- zD$XDK&-wXocz4Z3(lvN>&=vER_S0N2sT}7X@ICv&08PbNMR+sQ7vf2>n&sX3O#egx zK8zi#DIJi7_Jm+83YFCqic&Gu1d161!2d#d<3Q_lJWex(7kvI;rSzp z@dl2)UwRwLXNQuj9Iu`Fyc|{whLMasPrP%h!l%m<$VFvvplBxH&n?mI#Ao=d`$&}ZEs&-79R+F< z;_Pz}6QVxwyH*~Vk-rZg9)J8RpF>OKG_3;KF~ZvoRXxXQ?pxG~+fqL0wo5^Ck>w+7 z+u@J;Rg*MzKi@}MQZRfjOwv?O;`p)`;pp~7LDTVMAqL7s@^h8ErnaL1f%hhgW)Ibz zdhjL`R5&){R&UMn$r&)5lLX_4cA~!}6{=Hjfc1SyM7NW0cX$>`=NFL~i{i21ml#)v zr<1Ygu3%UL!{M;2_;w-};&Jpl85^Jo2T8rdJ>i~KK7v1a`(B6G?MOGmXJdwe}4_4scxaj+F83msVI&{cEAfj@c=ToXb{^X2b- z|HhIyzpW+OqmF<){)XEv4a97{B?1e+{}tzj6J<4DoAe+K!`u;nc%-J1-!F{j+^9gy zv6>%OeuOK>HisP>uQ~Y1OB}j=1{sUTX&R|M!Wfrx9J@G5Q~IB3JXDItkz!d*y_hl> zXJ5gT{=GC;M;7qCIuYeXA4v?KOP|U}#mFypM7k;)=M=IKf2@$K+Q_wlI3BV1UV^Xo2+2H@fV~YJs?KskHO^LuYbSBKRWvxGmWJ*uLchxGBNI;zx!ye zSMN^}cuk%~THpJq+J&*(Qg5|0|XYyQ~Kins-_ zc;oq*%-Pk1vc>W6?Au75Pkn$?_3Q9kTtouX?!aFu6E#O}kaOLO5Z)~pUsqoyD`W)d z-OodD-31bVGYh(5#i;roL8_mm;+a}GDxJf~#$Acno^TJtE=Leee&(^8QwQ0oXtK3O z3{HM~gnF7pilr{1;@fkKYtA7rwa&q5>?^o$E+QV0VQ^af0qZhvlkGh?k8ROcc+bB> zF4zX*#lT-&tK~MyxypHJJf75~lq~(?{b%iYxtQw@c>GyUphe`frR$%yP+LGYoOJrL z)>@EHG;;0#tko_jlIOgq`tSECxe!YVHSGSZ|Bdqh#M#^BE_s(akw}z15WB01?D)#} z4;?@3HEAZ#e#w%BbA!1S-ZQfCMnCeS>sf@C*O8dt-N~WkC>WO%6S?yp(9ph$g#9;2 z^1=_W5|Uu^{X8kCd4Z})>9CydOYR?U{L@1?ztD-Obg#xQF~jioV`TW|JDAmc3s1Z) z$=G#8SpM`5zBe2oQV#_jx^)k;dmkljeQu(RG3Wzoq}5b@Y`$k`#CH&)RQk0C_UQ>(4r1fj?>b{D-$qmRvtYE`4+U z^Z7o@oyo8To$H8HTk?YQ<9UF|zfu05I1dXCCOeN!CKq))p!4V=xxRTUQ9s~^qUEtf zZ}2d(+mgpwEt+W94JJ5onsXnOTL+PkT?M$?)gwA<6j^>I8>$@hqjYN$sa=@{k;zL;pFWE?c_tz0 z*=rzV4msFy6(44Q#Mskw$@{EJur&CJz1eff)w~OcGVVa2x-uz#9{wi|7yHg64`zq_ zS?3O!Mm99@{uqys&ble&%yZvA>nX34Nb|hTJP+uqNLH4+|M~oeyAw&D7=9+?ufG{R zk$9wb#&&z^NHXSX=jZ>8^8duSYv~kXI)6G5)_dT}TMZIbIFYarUdtS{$tHzSWK(=F z2E?e52N+DcpFN9ldlkvR?$YG>ZjOyO(1R@6(StPeK7Q-`eC)~i1^LKic-6b&OxZ`& z4dQsM{nK&pYYQURvvPa3hqA0sm&59<1NH3oFAMMZQmuAHgS_TCB1#yy+z_wQJ&_Z7L4$eS^0n zb+DJ;V@|V==oq90?d@0a`|DTSIl2(1*G3~@)GuVkPlvbh`9JXqvKogE7dms>%5ex5 ztop+hCMV_kqDika<~!@UV*SO=nA1b&AdESE0% z?(-HQcf>fES0pJs)Qk*1ds-S(BKbU}k!yu<+~(9GNmOJt3}2UXj!=%BP>gMP4LI;ETQX)s9u71;!Q~NYl7&Zd5Xtj7=kj&Qu<_}zihhkDb*YkPvy$=b z_6Nj=W=PB<`FZEz7vwtTNR%yN;M4dMQOQiQ%Odhm96qTROFGW~;Rln@Y2}iI^UnPF z{14rGl8uvt{;a*X)<}HK|8U}oiA=r3{p}we0`lv1y+l9V^UrIF{YPo&@;NULD$zEx zf-Uc9|GVaY_($hHIK6AVWFu20H(Yp}r%NO^0;iGlEu5#{i%IUNO(Zr-Tr=oHqonKg zktAr|IT(=Mg1A|hd>(xXGAERT&6WMg!kkUrYEPl0R|5A@2ZRd$dKjBmaE#vpVRHCAbW~Jh zblyH;KF8Esd}+V}6$@c7=S{5M`~-fcdxh+hLq@NHE`Y84tJ)NbHlN!uSnQf8wA#!b)hiJ@;q*wvVllD%F|W zqt4k2=bv`gZIa34}8(F5{`YDMOp`+!rpcELWSlejuGWN=j9%P*;aWH>vj%q z8m9%zm2zb4@k@w*9VN{CCPO~Xy9U2Q$-<89y@^tJ3erzz3sUw{Bt|0>DjI^2x#K&I zx#eQYYbxl}zk^qFK6bCCLao|M>`mqv&R2qP`al!XTPrZOUJ!=7u0ilWoJ$`i2-2Yy zh;?tk2M0mW%)bTS8;@a;DF|+k6tfGP@$w)Qtb}aNA8kWMC=-%xId+WC`sYgL3)^E8 zIoJ3zR$nX-LRGIqW7T)mEGQDHCtSkR0lyLO*gMj^)N(<*cq&nd4nbL5tuUbP1R_+O!_VSX9 z2Jrdyqvu_yiGDvK{Bs@sw0h9nT0MwcNG7Ho??oMwf8$b3E_yfiqLV&-#^A5{m}TFK z22OvCE5l2%e_1bTt@a$H2P!%Cu@^lk-2m6hYHVHHi!NPN1-JM0h}+SNO6HbgS$h-e z(|XaG+&pMDKSzREZ`z|Khhwf=G3s@1nsGQC@;`}xso!W z$)q#SEhJ&W`vaZllmF(q-=swX5<2tzzj00;Gk|uCSVC%;2eg7@=yve}GI8%ItWFt3 z%`|5cohKZBwssh8y{1TRjz5n)9eKLw$7tfO5W}@p6zP?zL&=L**Rbo!KXjam3_0q= zpWE0O^z5%*qD$@lkucKq`M>vJ3&_0RrU=3fe`S={()4q(pwm&g( z&0M-}tw-{5Q^$h4X3p)8)jd#sj4p^QnTo2I(Gh3UPVr^vFULQZxPxMs;6IB|1~c z!Gq_~uCRhm(HTdKtYZ*ZrBCfuhZ7Yo-me;9Oy^1uA`7do4$8Y3bDnRi~Q~J%W9WNxMFg$8XXZyBc&Vvfr?J%XQ%^xEw?>^3Y zn9_v`HTZD04mFLYw4LLOW}834CG+*vkYi5%ne+^{V>Zz9f`CtTFR}Rj2D*>W{W4r% z!?AiJ9oO>)+!Q~cN-(3EMv3?+ZpYZzO>`0GcK6o(0ZoU^w5RMPbi4l>1D9-}Rogpj zh~nX;H09j|TtD}l>+a5=_Zm9)%A<28&>wZ3dA@$HG~H|1ndj?t+XM~HZTUC0Nn4_X z?0KDe{@*x%Jh6>VNz^5M-gt0+;tr}{uf@68r!eO`*I1r0j}&j^J(}`^bYtB#l9F>C zhh$GsJQB@&h!+mgb>|`lpJTO@~{~F);z@yc^4WJ!Lax93$*&WP||V}P64lQxw|X1 zO-ln)e2-K+SGwjy5^()9hP`*C$w6^gqxv0J%-razQ+#fa{0k0Bhv_A?7=*3vK#9{9 z`s^U*vmE)2;TyFnY45Bj|IPDE6-8CE%nj|NheFaI~s{~PB8kKO4)>$T)VH&1+; z;Yp|0=@8|&r!Z=q4;>+|M!H3DuZ40y8n9~?G3;{zgY5!oI8`Fyqhp~T7)<-jk|zTm zb6tSKGgK5UM;4l=qRY2Xs?cR1nOVp&Oq0XtY=yq$Z65(gvP0>F%iYQNF@;!T7E0ea z|AgP5QaDWxrD=KZ@VllQA4iAM7YfbD^uLD-s-bih-vj%g7Vegz)UlunfzKa8$PcA9 z`K3s6eS(wI!syz)`M5Fq1)fHR(S1=Io0`yuv7^GN?S>4{dGGj4J)Hh>=lsoVuFcdp zf}R~7k3Mt0A@6tuE$ML?i=#V`XL^bbw!Z@5!4J4i7ttK4OIXzR?>w*mZAO3R@EGj) zjTJxDs1@h%{hPzrtf$dTwa%D_?-)&wPwmY4|Hj$A`#E}B+k^}p>51VF&(l70SCYe{ zc|TDziq7f{a+vcs=FN(wGul+hKSmc|(R7t|yq`k6_Qv8>WjviRc05t~Cjm3=bItbc zBS`+WRQTLaq7%-`lDgj6c$J?-*TzW`SABtNY$6>K(TJ`gHK=Y*q`Pk3N8-$faL`Pm10&0jlJ^*G ziAnV549>4#(~Oi!$u!SEf`N6d=pU0z&wk@r^$l+^bbJbp9Kw4h_dnu%ND5UrlYnBK zuTXKlOe?Gs5$5v+?vpRjyx2Ithkl3ZUVrMdA{O7K{KAR=59;{g5;9kGKt9lt%Hkqc z&isvTD1L%kBnI1kD)bLwDOe} z={hkK4!^~;yZJoQHIj3O<0(BnVmdjO#(C+-@@Zrb1(J6l0e&kA>CsW6$uI6d;Xbs8 zYR?-=_ASfCyX->xbMyeR&09e5=t5ea)Qgze6u>H`fUariLe@_yf${DFYVG(LuZ!+r zy?a_*Fo2yXkR6w<(no#`l0nXnlpfa%!;NsGNn^Ov@^x<+e%J948*+Qz{R)pih z&rvd>h-Uu~I4+vKS~A|s9~upnG_O>LgmJFxkh#_LWy3;p zrG?{&s%zsM9iR2|F;Q6RV8dWAwpu{x+t~65r+r!9J*KDLqH_|0s z2h7+=z?O9n>1^pfqfrx1?h94{xC6!WaCbc?VI!4OA)m71HnA#a&4Q zH9h|XX{HZQ-Txsy>QT#e-0P8k>>-s^uS6m54{mz%korUxO;K6XG1}k4-wQwEWTvGVxL<-rssd zQ(Yg#$@QHTMo2aI!oYbZ;KdkIK<@`>&;?Mpo3@=>+<6IImiMwB?-T3zuIJ@D}x4(68Or%kf3FZT_6?$lBj(;FCd`tLj+J*1e< zDM$ue*p8igsWeS49-`>K^L&lNMY@~!+LxsMfU}}EZPL4hcc=c&^Z&;A(#vo3@i7bH zaFov}e{|4m?i-0J$2sSDbY+qgy2RsIC~ntwV~Z0tNr+V>9t8Gap6gY~E9cATlH8Mh z^_)g>$0Z`is26)YL4gdEd}bSLkHTS)ENlPQe)i4mH7UfioEyO8}3`uuFss?d{(?V4ez$+;wkJz1AI51}E{ z!S7U0c0A`EWEMR_QDslI>f3FcOn-_~a=qC2ssaq0`V#%u_hJ>Q66l7$g7x_BEGb!n zeX7l{oh-!;kIO;K#ultv*+$4uUtxzy5%Znv;qNCqAL!4x?2m ziD-%b0;NEKW}QidEzfhIcM{z{=o%KC_>RcbQ2M<(7Vq*qI9@QA&Kna8^M^nG-6Q!& zXMZE~YHxP8$2Jm@B%zx?tRJP&0L%F*B}-;q8r(_h{EB)Ag1)@8>WvcK>vG#SX28O-1>eC<6jM8W96RX zW&LfW4wq%4$2H)LxB`J|WtsAaD#V??2b_^*$(FZ~Z(qaD*s^SnTLFfeHsGV;V77mZ z1Tr(4@XTo-^Xo>@<7Xq*J(gkdAzZ&i@yTC#o|wdW^mDS{to;&wRUT7Us~cDn^>?1n z%e+IozD!2df_AL+p*l;l_~$;GbBTKu}f^G7}hq3<8!+WhxaQ#}KTdHn3{)In>%rsHDkOXw6d zP?@c%sI>Tmz=Q(&t|<|Do?kF{P(CfnN`%~lFYx6)ILBvP!V7dQ z^SPJS6Mj$MRSILfi7b|L1x_5i1H&QX*kN;i_8xopuRKR-KlWmB7P^-_g0sgnIwJH2 zzJ&js=UU4vsh?B|a%QzdT_%%;u8hYUpKpJ~dFNfuqwl?hbZmCRoW)aFQJp&Zr`Q{0 z+zd8p-yE{Lr$2g1X0fePr;#bGr;(VT%s%ZGDlAs5I|)&_ir8Xh_AKltZd|;EWk;3S z8krA>;B|hho-#`he~EvRld;4=nduE^LY8hS_Zd-UwmLP~_dN}36P4M+36BWIw`V+N5rVSRsxnM&#rXOf$_TvY?%3pwpwK1XTp12 z8rFj?=6OE2%TvTFJfacysR-Kg39m*MQHQUIm~H#zuQ(6TQf7N5su8DfR~S5)!%S`F zka%q`1aoh-C!41eh1d8$v^w+JGL|&t1!E86T*96sh~1Y^%vR7~ zb9W9V9hnh`)zDzM7iCD>=JP15U&P*{H+ktEiID>qvEyI6lAadaTj-!V`&IrGJ2vt2 zXdiW^@aheccgG^UMvb-gZ^k{hD>zc6#tM5i;z4>GzP(ptz0#{u{xu$-r>e8YpXJ=& zBMJMh)tPf)F^VszAoQ*}OYWMFjsZ77XD(t(to$R_(DQ*UvH&u)?#`Lc|SI8dB zJY}=cT2_sfBb#ZQ zB>MZnE@3e%95{~XjXs6tjZ4^C`H|$-yg*FsyOfzY4k2b7Pk(IbQl@4(faKf>foS+r zHhxk+@*s+9R3_^%S<@b*T{#>do-AS4rGBGJSOik$EMZTsenO_~IcN*o?6P$ma=8D~ zOJ{8sul^LH*G3}cm^Ry0RFBM|QONe!X3}5pq4ZTWl1sIj;f*`+sg6N6`6c{kzJ=!% zm+{qM2|MVVhoQAsapCzA=6ix``?Oud{>$2ID$ifLsyM7_&}MrN=i+YtHH^KwnDva4 zAaB_<9L!(Ln06e(YrqDxYOzIp^|Q z-M@(ur}B`>&#t*H8BmCRkEecp7;EAFM|?K%-#FXu(_&{kl*s4-E-2o(gq;{aku)xF zhkW`nw(gWX`N1{sR35BkI*}vDOck!ZyFiyEh7BS5*Z6G9PLDZd4Io#zp6$&LJ@!ST z9|`1`dpRjRRR9rS8;utcleqcjI5oj z*u-lupx+q6amlOLvC&PqJe+IP^j^gjmhe5wA`An@tzyzWs_>yY94cn3*yhD$7-+(| zKsLkC_xc1MxyJd6>QO>T-b3e&Z0xh`7@G>Sgu#);k2A(tLEbTsEfF0%5AoI z|Kxl7RW#}^U^g3bplF`_SDybIIfD6cU0KWOvcKZoJ8v0#eseULyWANCuU4{P#gW7( z)fE{cJ@znPj{F?zfu_d>?EVYxYO%}=Xv{Btd;wxk>kBu?ALP56NcxS!CY_3kgXod>j2jx%TY97DiZ~+6&j5Cy#`EACKug2 zL+~v?pS4R%FhDT`>(cdEThClLS%*Mesmr{aaxu;*1P`C-GT$!zxo`}@akbT~LOmDB z{H(ii$!gaAQ_TCvAy_NDfK^!Kpo_ybe3>?r?KpE2eZ$lLinC(SYG$xrmQ3Xwm?d4; zu(clsl89+s_rBhc9k?Mwu2j3C#M^|0J?TdhH@HK?ZUeiX+M6Vv@<7daGuC@!52B#u ziHAeY*gtYo#DQyI-Ll@m$~OPP!!!>Jxn;^mjA%!!f(O3mny}*wUgLhdJ2JYOu#0Zb zvAwqk!Y$XaJG2os8XnLew2p1RS%V~wQ+eHL%&zcxiU#i`e(Nx1F(!A=Kfn`t+Ur=` ztzvYjc|kpG9h-5I_xz>2aY)OAEe@t|eBzDO4^7yLIx$vN`#{>mn2n5)psOCov(*~2 zXO&`1yXAv9_J-^Y*A07R?}K|+3|ZMNF}h}RjdVW)7BDXt!M#r6VvGSxE)??`e-iCK z^qD-zrp@EJR6f1duy+MwY|Q8Ug_**8aYblt$Tas?beE`oo~2G;Y87(aS(9z~7`Qy(nB z*y|!Z7-!0SPl_@1y9lqQ8naQ$a`AJz6Ee0Kvt&@k;oEE%@I! zAAYaTW?6j4?$?gU9bv>C-~55b(ISkyVah~1f1q-$2p8vVV#OKX@Yz;`o-*6m&2Q~6 z*e^ni;|@09=tssy3N2 zpCz}@Xtocc3{!SUwE*KkTi~P7dd7Be4TEY6ELGgVT=OJQ;#|r-(i@r0axt>j?ZdKB zChVAbE;I)3gE-WL-B%MMN_`*lmm9PA7h)WcvV^9mF)Lmv#<3BWc)!$$-Qe16PPRwT zvdf5h8j2C@eFTXI4A~D4F*FoT@Mpk~1#J>TGW`U4Tv^MU?ZtSIZ3CC2wM>bh!y^Qn zzv{+gHC&NL$|W( z3okjJ)fyYF?O+9|%}|LrfnLTtS^DT_aMwEuozvS`$@0gDS#c1(JQm z>)E8V`^dN4$uTh|tm8)ojyi2a%i?ux#Go>aZ`+JZON`k+dBungHG^}S5p#H7i0soF z5EyO5W{C39x5X5DdmFQqbqwo6O(2vRGp(Hh_X}HxRrlAis&MYp^uZVdf10psZ*s81 z)fiWF4cW!VV$_~n4~1q!Rx2gO9OLzv{o0TX@)M(R$QIx9uTsW`A)CKC1ZOSB(GxAb*gd5)&>s84cLULYOLXYN#jkxuuv*+*#<>I!x3N2|53uOhUbJd#VJ|hRaiiN#%+g=aLc83B zh5ja(X&bQsj_+zKH^FXG19tD?Ei}0pVoNW5Cc0R_{WJAZxJ;K7=j1_kx-Qp5UCp`= zW~h>^M123%Y!BD|+^N4DRJ5AyTPA^Wy$-(G>9VRx{O-J68}ik9?BqN#mc7%2ndusq z;*%4cTjm@g#3MnoA8?`dBd(>2@SuG-O$tV)TAz4z)N# zwriFc%lZ1h=Q{I~VB(eca8S)2R@=0h?%jJx)U|xwCUI1ZN}J$6F#F1md^ zjQDv*ta@k#Zs{Dr%2%c=yZar?ea^q9&PJ9lxs7%GIJbQDdX_i53`1s{VFCa78ys#! z&Ci729dwzIq?r2_8o@ezIWyl~groZn5HeVYX;~Jaxj_$$PcLQz)ABH9_iC6=*J9Jh z^S;E}6;LeEWG*QJmRc;sa&;}n_DXQMb_uqwTFkW?axq$KF=kP1*0NuWSxE$|x9G5K z;v5{FrhzOsJ>FO0y^}jj5u~oqTC;LcG;Aq)95G;ds$%qQ(C2tD12(&n`)8fi$Hum` z%y^m@=HpDTQsWRgbN)#rcM?Zl^Ui%Ua_@f3gareG8W*%=8bXz=7cfkhf zW-o+u6TBd+V~hOEx5B#?FQmrU;-1A9K~>)y^$E7P>)j!=S$f0ffGyX;?LzG*aNk~4 zTljA4LhEmH{_X%dJNYfRjrW2=nGO1R{1%>apJ<(A8)%LDEzETG zL}-W&6f=Jb@$-4NQDlSMb-#p(A3bp5fDQNB`z7>D@qn<&1_L9m3&9*0n$5i_TPGw4 zVWuKja8EA3unWTZc@8KVW%pN{r+hgtq^~lE_fkh}{pc%bW$Z-T4hK~C770=tci{eh zd(QjX!|^;j5p~cGJ0BSfvi7^+c+3`ATFZro;pPbO=Khu4HH8n~_h4L(HNN{m=sSEL zWJg7J(kZ;iboMtlb)O_5=%# zJl;kRY;cEN6uMrw!;kB>a61_<3=}({Y^xob+tY*vUmRhZZwI5^xk3;TVHx*F>$5ap zxVKt_U?1+GHl;{#R2AVW_bJmdDiT;P5u&-@S>f|S!7|PfDcnb_PeP$^TE`JZJbzZZ z7YgRh4vwnV zjVKT<>)WHl-4;C$SqoEsIbg{&`@iD+YvVw{vSB}bcR3w0jml#;B+++lQ98y3 z@zNh9ef;e)z8lX^J2@fklLLyo+TmitOkvq$N9_J+2jd29;q5qn4o$Vk_Z7xMTwf8U zDmcJv?hYZ;+7WUKIS=#j0ii6JdxUm#fGGZm(0jfE-iYn-W5!XTAJ4ZHe)brpb3`y( z>j3*reBYmWM9?yKz)=-@XyS+v=;#1>X?qm%^~obk>bQa{a`s$8j%QH%B+|sU=Db)n{^4EAqJEDJ~ zH1RBO#BxPP$kt3GE{wltkONx$RmsWzBAB&v&-#)jq|XKs{MOpz=JPe=B^BXBGWQVt zyq;93JHdnJxqQ(U@}bBH(?zy0sM+PPmYh{{$sYh?zMGbZIK(?M0U_O6=R!;JN6{mL(bh5gUk5c^tA(; zw)}$~oOgasMg&&_s$oCH18+`=@I+r#qdCGI$KQ*zJiaS=u+hYHl5ORI4 z2YPUyV%1yzq=5Gb%^Ypv^TCB!>3ZT`7w$tEw2L@Zdtz{#9kzB^Lb@7wVa7lQoT^nM zjuJ0;m^wnyx-Y36<&BekAF9=Bg;pWoH+wjtX$tS@^F1^z+6mb?$+&CGxyh5AG2vAt z{@LY$*&fcg?hy)QGj{|?oT1Hi4-f0QVO>4XiD4mJBhnQq&z&J@3Wclzzx%#$<{E`( zarXe{j5qVwufNDWA)T<8uXo>w;r%}mjeRF`+qR~{~PCy!>**6|NK82 z9r1Nx04Z1bkC=ZUh<4j628m6Uzu{S2Pxmje??1ou`L zInx2NEUyzC3oq;}wTH1x8qv-0!nb|)=wXyjKKJv+m*MuX9+Xag?cyBmYCDbtNG0Cf zd(Ax24&$dJk=DsRc$H#@8OLJDn3F!}``ZpfhJ_JPn-8p0?BNmPMHXqDL|h8@;XQbi zWcZ)NvuBR5m|#lQ?mUT-b0U0p(IU>5e2`+`gws=IlE-(vQPam6ncc>cy4PN~o#TuR zQ)J14E}Yl4-Gysg^da@X_}S*I3-`?H&Uq8=sL*r80<~^L^M)IWy}8$+RCkiebp`q- zyF#v8PqOlW3w{@IjnLfQ#AvfKM%8e=iQ0bTJFhur+{4aG>K!C$PI!>;_q}^gw+K?v z;LG*w9XWp~mi#>Ii(3tjI58@j6cJy%i+6;j8Rv`5^2NHtj@UOzOl;@-V)<-GEV@R? zBm=I)&7a@Z9r^Ibh?MBBBw;`*!;r5c9Q&?0DjfHGCg(+g(JajOD&XgB{?a zR6sN~`QdgC2fQp1$cl4*m@>)%ck;4GXssXCZ+F1m%p_9CdwBESI3RjOGF)wLgH=Q>+Y2waw%Y0;ge;8pgeT`yDIHZM6a6{HP}U7)&u5Z2u9M(#-VON=rjffk zZWz;td+T~lBU^^K;)gN+eSDlwoL)KOd4M~lj?5yDOPnxTa7Rsn5()a@1QDMD@?`$s ze8%xBWYv~HY?l^c8%-sS&jV20kMA9ea>ygD{bJFL=gC7xF4zP>iP!e$y>AhPeE~=- zb%grcQeu4|04i4`-(YNQ?5uT1{m|j5^1qX1iPe+8?RFGAv0jOTjYrbVUq4xqH zW#Wi|&u)`9?VOvq*Aae^w@9yHfv^pC#IZw+^id8(z&l4wU!F~BwF9BQP=tF2lF83i zfhagFg2LHY!nSg+ZD}WL(>X`9UYvqls1xQdIZZOR`XO(IGfGQ*$aAhid$x@0~|pZ9;d$=i_UBs${ z?;4T`%iItU=??qt`a~Gb{Wd3gpzEvEWC+(fGCapU7FAXghuco*%KM7ho0gHee4p*l zYtw(@eDrz((R|2fAR|SH5@nK!x*_nKEJD>WflT@s3^G%M5uSylCL&TdG4PZ z7>xORE!umBjCKgd(OF!R#ifFrJQj@4e0_6&C5h(i3v)z}C{z-C+h8~?5}`V*oTR#N z-8+89ot1r?eBjHCc*F9VE3PecC+~R;ujTow9Oy(A=6E3B8Q)ii+L8;q-SLl;JL*;* zCELfkVb(|w{JwR7BsB4!F~{Vq`s^jm{0yVG&=cpqb`v!lCz#}VBJkrTQZDBVjs1VP zEB~9%=S0`Ym9-Jv$3et(jnc`z_;8%p7Gd}qF*(G2;@bHB60ed++FpcVk_GSM=@gN| zYhiG(5uu`636T?V4OcG_3Oq`Q`xZX;h!9~yV=3`j9)^!eBAE9rC0*u+!JQWeIdNSDN=EkLI$^p_Si_&A?{7lU8sG%oZ)xQ9olv+vaYAx? z5?QhC3<6d;qeUf-++7jOF{;kkE|3e;0#1wpl8HP~66Q%-r+Q-T1$U@uyOAocBXNmy zDs9&}6S-M#*j3;G#Vd~FbeRi$_@1hL#Fm_~c82V8?u9CCMTRRoVZ5am?;}}|qrbVQ zF4uegZ$9_%k0M@q7a+s$PP$SFyNIwMEQ`>-T=OPcgrG&@ z|3}qTMn$=GVX*~Ku?xEuY*7)OV>cF9*a|iVqBPUPFvA2fbb~08f`r7pN5$^$?(U9n z-}~dP&mVWKxh`TjbKZ0Ie)bdWN^t_DRL}JfGOXR*BKI9x7~VBXFQma-xS&H77Gc0HMyHHw0Lo)mEd;+YqZKoI%R-mHjX zr<7s%YLcNaBAlg@HvRWBIldgxG4lml*xrz1q^pM6)4iF$R)M@pDmFwF0{gGzPoz|^ zjpTJxp-@t`yNtc0Ia1peRO{Rqvzh*Knm-3)<*Oj}iE@3t2T&ao=g+#5SN!1$^2#~s z!))7&kv5Td0=^rV=#>~D?f=yU{kNYR_=d9|{n8OMR)l3%iEPibG@PQn>Nz8Wjmb#G zzC9w$nw!PMol>##nh4L*bC_ij>DlXw(Mp`hwk$}&pdn%;x6Ef>EmF|ZO^h|NJa+X+ zGNiF$7)Y;uOqGn+m&E8jZ4bNYl#ImI68K!rWS-5FVO%M}%*-@4{%R6rw4NhwC9>_& zNyut0Ma|{0jGZFCf29;Jh8UT{D9UcCFN1IAFc!Ky8XI*ogbdKK^L>m+X-Cig<`A~+ za5yIJA#bd=3U-t3i$)F#s!OG8(o7xPNMl*iR?H6Chobp1B~F(Huq>!?nK<@77kt2lJC>6zt?$ONC4}m-$fp8B8)3lvC-O0nqi9Ys;+^}KDHCL&eJ{k zCXxmBCjOWuc~#YnA^m3tQYMMv9Tv;J56Hj=8P)2SW7*`B>4-ig#-*<@Z0{D*BT!BC z(>j{nv?k3Ec}0C*9m%epN<&dP)tui9tW^+Y#Q&1u!RJu6s(%`=M2f;374z7Uiuhwv zeE%b7Jq{${_7oY)Jtb@rJr~9ca#oJ9JM4 z@3ktJhA&{pe=0HHy9!AS=dnOr@(l|KLDoPQHq(pz_1ma1E^!VkKO;fpE;Vwd&So>I zM|(6(gDxHuS$;#RuP^?q1^RD4&pb1k4SSW1s>LGwxwMS!KfDK9a%skNdlPdfKI+S_ zB23QnVT*cXkt-PD(4G=xb{DaWjd$Ue zrv$qf`?IO(nXo@0AusstOp8ps?JdPtm(A?u&7E-7Nzv}s8rIKuCp;-%TXbeQQzfQD zv4dv8F|KT^ECt8SD5qq%3yWWyh-n5nR@I%!T5O;@rJDlXDk%>tJQ_dB6kxZ;vjKM_ zF<_PwbGMCVezU@1PuO2qjRUJkUcXz!G-vENl5L3AVrCo4j2>&pR;|?_IG?hl&kbRh zUC5(oLI|>}2eC7*!N|NBf>BKdGCv;$61S)^IHN!7PId9yIvT|J+Ok2P=x>eDKpSjB zUL0ba>PPkN{Z7oguLM2D{HuBUZ=GEe>ap}qC8(b+Lj4&XSnkncR8OZFSz$l+ViSOI}<`1oi028Z@Fz#XCxLXwrqv z7VXAyMKHXkTeFL$8R$vpq5Fx}?3Pt3`d(KdP~V&t#w8+0M!CruO_i)t$J)^F7Zu@ZFb38kBobvnBi8F4J!!69i0|k zBWkeGZfcw*P2ZR{ztO`^g>A2O*b@2!OK6776ZJ^(`i6`?a^#aHx!<8Lctdxuof&yN zZTyUNRBt#Hk`F?gJJ>LRGCqdKvVJT#hT?Qbs_(DS8S*ETJobGsMXp9^ zm=+0z+fZ*N`4)E9;lcjR=xnDXZwVdl`fY^WaN@^J)uX|~b?7lmijKGSu(`hmwMB%3 zZ86}E;DX7EB*=RA_d4^8Csp^AWoSS(Sni`&m4~ZJk+D(?*Xpwlt528U2-VyT_xL#$ z94W@z^Ab$yo$a`yhiGoFLIp*vaL3LrE5PEz++~};i z1Rvf#^_=Ms$`Ikwh#}0coV0m3 z+e8K4*HSoseh?O06^9Vtv57FUPcrTeQxkq_B?$TP z(9&74Qqxoz;1PqlHX4+KH4|ztH6lA*gMq=#g=ys5|GZ5oj<0SZSf8LAMbg9TZCeVZ zw3fr^+?ai%rLc=QHTj#!d)cFvaDY6Np5E3X<4G%_?`kF0;X2Hj+*+7LeyisDbts5v zEj)IYQjV}5+fTF>u7^;MWzggEigv;xFA03bf3I_QrA}CQxB^WD5$ru=LiAPQ<|zno zI_4uhKS0@YP7-wPxJme9EW_wFQe4ul7Oa+*;s^QNZFX8AwCGX-9pR+L<4c55V4Fi-ff7A~YC7XT@??;TZX2>^CPI;L$>%*4(`~c3z1`9~TNCjs;j58;rGXu0p-G z`53W`@>ZX^3O9yjCx7StabCT5_Sg z9-i*21kqZmJ+JC1D{7U{UPWgB`2r8>xLT;#E`fKGe|5V%2O$9tC$d9oaKgd3QBOckt+`|))k-F=4>g>G}oFs~M2FO_k^IdjtJT_mhL zEJpA>P>cf^a-=nm78V5V!}#qA#92lOO~w>q!~`Ye9!6oNRUzek2E)CRQBb}sAZ#-j zXl4}dB;{i%)mO{A8HFuL*?2KK1chUb!WbX&mVZI#!zLrmCDSp9I9ffkj6&0F9A@l?x~q(G77q)Lew5-p%_q8# zIwaWdDnaLqa%9XsAe7E8#^XH-RDKhL$yWO?l>9xE7J|_Bav`i224j)TBy7&xiz`&K zt)FQUoO>5wEqQF(Pc{j!EOJn~I|Nten}pe<^{6vR4VwUy(B(urHr!R?(>{}s@;w}vFVn-inhW>oz3&}qfXyu~OrmV_ zN#zFkzoze9BgLJOVTk(1g>h7GD9KaxbB}|K}rCRs|f~q;PckEVQ0e4*fXFh1~L9u>3?C?rwx< z`MeRF$Oj^)7I~+Rd?j48FTut83bc%PAuN2p4?0d~#n$ISUS<)VB@qsD>Y4D;n>5OS z^!Lb~2~&#-P-jjE-g-V0LcMcvp@teKM9+lI{deO#VfXQA&xGqOGBA0phWe>zLiZ6V z786P?{DYhDNw4-pRJV!&AO3!y4lNm^mrx8W~@ z&$P}RR)t|g@(V#s>(Tu=`PF8=5C-`WPO~W-*ABlFEH_Ay(l`7s9I5HRu6)~M4t|9& zwCMJH(Rktsmx$qfyA>bV#Dqz)5*(V;oI99^OBN)Bh17~KUs6G5lnfTGjrp@r`>~kr z;EFs;?yM=pESgcNNXx&VXDQwimiW=%g6E$sMq9IBNN=0-BjSBH{Wus?rRIFlgd%)D zp@PRkbAEc{UR+EM!Kaz#yzku{yqQP7$8*j35b16lHKV)C-JBmc z;O2PRw~^-DbTonTwL)Q&XUTkz*cR5<>|fYY`XygRM)gupNy9csas zy2-KEg1qKNTJX+`rRW+Rj&7qY_^^#M!|fUYO|=CNT}9`{t-sgV)!d%X-+BO7Zi!IY zY6!2lk>mJ5F{U=@&p!_mU`g|4`(b@~%5~zj$CA(a;9h+1=1SZOmO*}{JOBNw93DI5 zs9Uoe&sFWG%umW9O6)>FXBnD1)BG>FGtb^fIqjo^(c^n3ZbrI z2*?e^nv_nw@Dt@N%+kWIv=c87#p3r{E!v&w#E*=NLZ()SQ4i_o(9C{CA3eH%>BJf3 zC~iEYhkL!w+^txP?~4pL(!4Ww>94_nj|QM)XC6eKfB%p$Jm}Gx7b%sLTSXrDeLM3m zbPqn;8;*6ho%sY8;^vQ!z)^brkmjycS0Yfcw=*BLP=a;Ze|;kUJ2xgyox`0H58~$o z5t@FR$`{2PKVkGwpEyp&hlZ(cT;J2IZM@uc`fR7l?d!&})IdOd|b#}Zn>BUNk8{}_m$9LV@ zN10I}$g5??$B!(;X*!2rei_DRXXL`It_Gpshw*t`vJgr2Cfgqo>q3e z&&?D(Zb`LoKRce+k^HvFJFDgxJAO1ZmVA<^2AgNcyDy7E{|0(|UuVbH&W=F)J$m%^ zx8s^^2CSP(*>fRw{0rA&%5%!LiL~Q7!h!A*u6j4Yj_*0G!sKp*{iWG)OIqi66X_9l z+VQK4*guy??=s=;8N#hY9 ztMK@g9Ce<~;(^8rl%7yv?Bbc+rZHu&991H8`V78ISB6T$cK;+h@y9JoF^*={FC3is z)wE&^FD2~8%85&}3NbTQjS01#xW%_z^5W2-a~&t{u`&yWR-q_t?8LJg@5J+yd}@t@ef;~kRs7TvDJy6S`q=Fj{#il z#9R0qh~r^EY^W2rs@6igJq*2!PFy{d{Mg%uBP-5{A33JN%F1x~B|356KqdMujlfrW zT|QHekAET{N^s)e9i%v#6p3}QPW;VSs_Pt$5L(XQgCPOl{JqXuQVDPIryASdiV*k8 zpF90Igtjll82xcOA56SW*B69|Oxwyk%_5HRYbnwbJb1TL0>*!oVSf2~{$r#GUBAnz zS6Rz9q*Ws6j{=_WS95F10ccR0=4H3sc~`&vctU;jSX*}<`KlDJ>V?4Rs2kU>DuD&% z^srbrE;K8GjAq;2Lfp99#5_zc)Sy7+#%;(OZ3^9Sha=p$1UtcOwb-BOMh{vl{2pmx zUFF6HEKbC^7#(abx^dO{SX?0dA@hkFZ!e3&lOK90zqs+=>&f3c%K&{XcYaW2p#2_( z4;Jn`?3fm{YK5bloRPV6K1_n>n5u(CbpUtq zOvIBqlyP<~fS25lMawEZEfgbewH_b^tzlp$~-vNBbIwh(TY2HcSyLYG@YFgU`U+Cwz zmtyueBR0Gb;I8dxMnry9({9t((791MBI>VtW9ZO$Zn6F-y8jZv<4_c@_Bw)YbtM?- z6TuAw4x_Av6w!|iJbwQn45F;D^jkVE?RF4hj&k&#s^#2=V}!E;%{zwjMh8u}vPOx= zlQn!6X==Ruf)QD!=A$PP4_U3kibZN3Pj}_H=n%ZbdIAT@7aV8AuyJ*NT#--{6OB8|7zmcxwZF1>Zh+~~g_TR+mg z<52?dZC{2jKc%>QD2~gomLQ!x2bC>jxzmzjTx&|0=gDYZaG?l8td+QNHHup~Qr2sC z%E{_WpB-TuK7CdAwb#hKYf&ztZ3w!oH1Z>Ba&gsGO)~-`e|9As9SE1$)YizC*z7@6 zPwJQ38~LMvOdS4AJd*B4KB|=Px>NL=_c!tb?UHdKN{6zcMxIp|kF=$FTpK~(OLJj$ zcLVO*8~L$7BQ8BN5I@k!UuT7*fY#ZHUZ1OBfTKq^TG7`eQVnRZr92_}-Un?psCX5D z3B!$CbXA2jdm>RV%*YSzB^+su5v}NV4b7x_qgxcjgN;0%cx$!qMv;3E9^WVAg;%WguJt7|yo``UDRt|5LmWQ|3#Q5=OH-CE|7vnEb{oE^) zKQ1Is=Ce|qdy~#-7 zNqp@wdRfPydAy)j8V2u`Agy^0ztSxgH`Aqf zRGr0dbWI^o2pO*3+r{VBONK-*$Bl)VJn;f$O4DpEzS~ajqDi2953276W$^t&R^AqX&wKo$MF_e$dIU5~*0x2Zg$ zZZPT=Mq)kvoSyp>s70Bb6(3W%%tKDOmr-c*C6zZCBtz1OXv#iF;8%BuksTU^jZO)C zqqP|2l*L7x`M>?#=S&%|S34RC>bv*Y@8gpWMxlPL7jp+-CYUEx}E&jMgu%8 zgV92f!Grqg(f&PgfKI1#?L(@mE~u~p>HKy=DBA1|f%T;{9=KG4=~^|`YSZ`xTKgv? z?nrS<`zbQSL&&7fw1G6^tl+C2V?RNEh74+ai4)o+`6tq&CY4Oaz5n@ zmecQRm&T_nQMgAHM!zjyLSQWcIglH<2S2Je&}49~Ze9WJEt%~?uZBh2}bUn-ZzC~z`YiBIk+ zJbt?zdQ~vW{FC{z$;6K(EHrR`61TIFV!+T4JnxvqRW>wRs;h=;b|PO*+}H%dg)J8) z@_s`_SWbQSv>u6EqYcFJZJ`+OJAt3M?vGF7={&iUz;h<~5qC(3tH%@gx+6Zwc%#G1 zss!F`mNza_PUW|<1pe;+b|~VhC)}UFd--`m=Sg!t`kJGyx8cT=a11`2!26eP#lkKT zn0zLIe^|Z+HNVsSc#XW#8g9m^bCC#skig~T9w^#vM5E~my#6;|%yKg#bYTi#KQI7m z41ce4fK?7(&_Ir-<@7gv*u}3*rmSR%n6yh7yoQ+)MKdG_nv%vFQ7%$hXDM{uQutMx z>DBxqh3)ht?n*UJ&(kv8C`#aWJ1J32xM;^2@w^4i*|6k-wczJnd72`y7enC*uR~IV==cVj_9%CjQt=c^*dJNM1-<6BnBC%~>7E z*Yx&5owqtfEso^nhj!5Os>f*8NPgUXI}TEvCtecCeHwYeFgpw<-6DC*a!=?xgyZt2 zNIqZ#=@ck?PVN`U{W@2M_^pDXzo+wg>B?XK2ej*n?~=zG>5;} zdBNONzOIz`Pz54nStjw6Uviw-AclKbJilD2KZ0-7cqvo6YDN$`H|aVwAe?T>L@MWLp4#X zhZ<9>L;1nRB0MDAr^fnFe#MLQ3->kf=^e^P6Ic2I;rZWxX!wQget5Jet1Kg!|wmA<(-%kOQy?^ zc|DY`Zm&d16FKf3)9^dgf2UlKVmjiHxc%n<4W!&AJv;~ys5z|Y?kJjqY!5 z@eRLD2!_qaK;D$_*YG#QXZz~UUFmn;id12cgCB24bOK0u%O`%9=bdL{%5JSFl^^P>iWaNI~1E7xAQioz8Ks|i>D2? z^HE!UaER&_$ty3OG1wb%G*>Nt;Kc`1HqFkqdc1q$#rq%i!i|G^@&)qcyUuxG@?AYv z&JN(l&)aaGILgz#f_eRmTVZ7t4q2jtJIwP$(Sg5l{-L`?e8_cLGXrT?G(r6LAUPKG z6XWxYK;E*E0`{lHh@TL^dl0v!In85QIQjE^A8Ag~QHtuBetc{PI-gHT@!sB-SJAoA z*Pn82e|YoC4+?DRE5|0U9lSh|_!HL%=L+}Y4%WoWmJyeDt|zzll*6u%k~~8<^Gd@1 zex9I=fE^y(cvXs7>w-}_WCORO+3y^}MkWqk$9vKJ_=)Cr)d6extYwr-Xdi;Gma93B zr!~J6g5TfV_~q&#eA}eP!;WtJ0ddvW&}{2xz$%{JBmjPygk77j;?~FfU_Oq{mi;UF zE7IhBxEqQ-s+D}Dvk%%3HU*EB+_jrGHqbfqVbx0Bu*f9_`SJY_lJ&U{C^~V&d6(?HE;)X0gWPH;= zAb9gt>1l=~HS}Mnxza^f_ zT&);8(_Q%VS^w-|2?`d^x$x?98F1Y*xAh;_PR01>L#VCMwW){tVuVIP(`TD)4gtG~P!h z!?YzzoRm)HW>r$8Jfd3X>jb|2hXjS|sXjS0j?X3RvGY61J9|Ec3pCSTK$!Ln_tE?W z%`1|A(Chw;-?0;+xj2M=7x>TtL8zo!u|VX=+x-ZDmNYPxA07Dl)Bf;lszF1Y18+ua z?iH;e4UhwWul9vkhfo}B3X#MN@&fqsz zdgCee@ZpMue8sFCG_UxZkCa_|Bv-VPV*VBpw%#7a*XU(9NIdX6Bf+1`i67@dys^Hc z`MCiKIDI0mUGW(HBU6E=L8M2xIhN}`D`2#gqRKdqdv+#nW`Y!ZFOTE@=*xm_iHj&6 z$D1@%Vj6LhU%8Iu4qO2d&AFQYVtfhpG)b4_=zGe6AJWj8&m+EvcqA7QckI+`;KR25r#gdJKxCPZDJFgKJblV_a zs|RtrmdW6$8_2iO-VPvLQh5FT+}uM!ng+`ERrTf5NGG^}&hY);dh+C!a=e;O+P~Cp zJde0eM@e7fp4ORfDV0J+9Q&K~I&x(bDU4~9#eB9s-$1>aE%k&^pWE`Ebe`;x1w+53 z4L>we4EaZztq*I>2ks)RC2_f0k8H*FwGrV5^`VhlTkb~+s;O2t2BY2P#yqfvKjJs3@bc|wex$1p zem(xzqyImABl-JTq3DJu8rPs+edisalc<{E7@f^=J{M4m0B;zXamfLJ@An)#8hqkPd)!q2E{?zAHq8ZQ&v`u2+}uCoJ$u zz6irI>+p>o#dvp;xT*2Ac-^j~<9H~dpId{weHT%`D1wmwRaijWs10>UKh@=(Fh@)p zj;3@+jC?LM97FG=gBUB@JQNnz7GYs;(zG7EEgUffK`~g2uk5;@BM#^v;(VuXzARiN zt>M}6V)PqxL6|&=-Y4;mJ0_hKWcLFQ>>@_Dt*3>tq5ya<5~JR(lfvT80XVcmjHUxl z2&ZTbWoyK!ep@B%P78!DX|fb#3bb=xAU@urXRQ7iVZ?OOLt4QcibyptY0#0Xgga(-bxV#_$?+)%1ZgmL6UPAyr zbVwFXcn9Jz>H3>=i4`sv|D){=MA7{S;o6Nre02(heu-Wf^MZVpl;pFd)CgHm1F@tm z5d9{p1lg59+;~7=qfrQN_6Oo--5@-GOvsE3M0^+0eb0~x^++$Su?s@29FfqTwD^wX zWzeI!T!^xuy+hB>PiL7h>T(bcDWq7MC=+VaJ^PdR@E9W#Hc}10l1C9%I~PDxvd{0^+nix!%TSQMt%UapKE?@Ew~R4z{6T1JU!W0Sa2f%4L*?e+}&Qt zC0+lJD?!K~J4xvDHW2P5L8ucoTNvdRgc(sm@OD}#46jFflKy{c)1^X+vj}Uc#(Kz> z3AUsq+Px+S9eXSmdQq=YA`U{0&HvAx3ykbK#JN_V@(S z20v;fxDu97vW>p(MFU|X?eP%eTqPye5gN7;BaE~jmG{hq?@y^Fd?LmJyI-au#UhNQ zxzeizErb)Kk-^mOs{}2jB6L`hW@>6BMXXMQ7U%O#DYjBLB#O}0rOfn^_}F_1KQY=> zm@W{uYI};jwoaCso~BCijsAwz>3OEAqf#{NMfJ?$6q60rhDr3y8pat+bx2F0p>Z?-XwIzY40x1`J7*veEIF2&rD zbYC{9ZOU>b9x?Tq{mwqBs!4ObJ12@7m5Z)|R{uHpwv4xWd$EEphPaF7feMYMMdsMND^kKr@x8 z!e0V^%FX=$b7T3Sd$>D^YBom^PHJ-?P<`8j)-XLufdv@~M9`k`wV4T!p04P!2#qdx zL~1x`aH+;#c;JI$XTm`0k`KVPQ)P}JYY4+|CSLmzy<>l>(Ov|Jac`@KW6?AP1`>vQ zwB{1W62b!;Jta=blFg2}^zZ%q(C4(y;5d~&{{h}q6K54Wx==5({~YZlultUxoE4A{ zk>b~zdT^%q*^=tUR)?%{#FpM$J?il<4#cxM3d;YKA?yBF)I2T6(M!a6=-`as!E&%+ zl(YME1)N97Ns}nYr=6RDdonbCM!MHRs-q>O^BASTyPk5CcOX9jwF1d=)M!y6#ilC? zw9t%$57kW_3ltC^pMo;i@r=4_#ct znvf2lKFt8e`^;t^Yv^$AKAj<6W7w%g^4hZp>((z6Wp^Y9i0#h)@hl7+FU83jJy;ag_`66`xz(x{OS-8>6ya8K zmp*I)VLzK`{#84%AG=1{yLkHBGQw<`xtSW%a!6OzXaE~}n)2vr4bQe3$P95I2&bBA z{@H=-?a~m$6OYrldJqH6S%!89Mnr?bEIV6;ueqdixjdNNA5QB*|E+#Age}`240GZN zbo3m?>JJV^3SlGNcMNAws0QCr5`y8i?3sBZ^6sGdP1`1p?D$sl`kZsq(zQbW7tz`mbOKKH{PTHsOZ3Krz*%>i98-PjaVZmdiK@-=8FAS*J*>L z?9OK5j%h{6`L%^D92<^7bT9L<6V#~j~q2GhngZ^-I}x;*YDS z2ia7zn7y2ab+!AsgV6lgGk>cEP72aa<jc>i+_%TG|^$>&hyJs-!)N|cbD3Z))qJR7H0;?7%|L4F*@rt7U7{Y&^_5t4M8tX%U;ekC#QY^Dkc|EIfJQ&_n^cZJY%+9?C1|yB!grFr%Sw?)=33^CrkM-Y2+QVLd<4BJ$E1B2S zcz7QYkw(jpnQp{kpPcUZYaVO}>3m(sktYANJL~Bmi;jd*uC-jr{v^jBuY$OvV^=bt zoM@b)8nV{F)$CVV6y^;kKL0ik=J3yapJs*k=6bVt%OY_;kFe2$V)k-G1ZI;CVaj6# z3+_R<_^4o*S%ol17KU_7(g}(~*a*D=BcG5Ta$6O<_(zY~heL4so`U@*4D2mE%NfgL z?AueqEJYf;JtJnC**au6hf>`e$nF%8FGOeJzUX{ewxt$n&$PJ1yqVkFP;AN8Vb64W zKWYs;))7D7$(Q}3Ygt2lk0pixww`7P;yVTuT@$g!?^P&>AzVx77*jGF?odB= zc?}Z=CgX9r7>#Q!Vz;(ZcCC@Pj~kqsk0B8)Hda~5k5mVk@oYjg7MY<8dY@9R5L zznnOq#XH1dC2{TQ_^)8^p2uJ^;cpgCH?i*0Xq4oU=2slVwl}5cC6s#A{z^7_ZzO6{ zuR46Rn%$3#K9jnW)D7b1GJ|9`Q6sXb^Ks$<*{*Xo)}bc%huNB7cvR zCR%h`D`6Avk?!)N7C$EivMz&Ye_f)P)Gu!~*oQE)y)^Hhyo06Cd9^*5_+CA{SzJXZ zrY{P^+=D*s{6!612ZiHmSAV7>exJ-d0_B&3nD$2qc9Dj8gKjIcpjp{7{|KC@+Qw>p z2*K#55!g6z4g30)^c?XKC1>?bv6RuKiaVL+th!5|C?X;=!q+vVV8lQ-$YQj zPh^d>>9C};qV@cdY(+sDX;?`^dv*}(kxx99J5tmcI)HW2rl1woPCn}gv87X!G5UlY z4%!h+{x}hw?)u2Q@$Bo81f-QJQL$w%n^zi#$9cinIBgvZsu7FBnJV%V3}8yvXk?{? zPzIZXwP_Otw^TLSluOym21a<$T>HT{Df?AB5}h(a(N!m9b?QanbD|cGT_volRXApZ z>o9w3AX_ko_K}>P(;?fLKXDW<`xu~$+{!{p!)L!b3>`DJFoCf74bI_sf6s%JUD2X? zY6O=4+`uM(4@KjNk=W-WEVuw>Y7W;>n}L`|&n*=mP!S^+@O1*Oz?_q&2Tk{Lklptl8uU z+^9*qh9TbU^|)}%{$s$=lUteN+%P!T2q!Pi^=y&UfP;-9u%*)ywv1*?mIEWvE5w<- z@2*F@vk^5#vzd%=`m&9b{a0fyo6wf<`+#V?f8ffte9+*wG6o|9rn3oj#$VhMje8Gf zuz943dDENT>z&#xYjFq~o{Pm=>no_aUWHC?<50=1P~=TDWY*v7oI36qq=R#@o^ZL) zy5(p!KL?C@La$v3@S<$_nKUbTAFsj7I(uMSDMPyus&P_xqv>lox*3+ZR5Hgs-I>v<&<3m2=fN}GuKs>P1|{HR|k{d=9)oO3|&2g-PwLVk0HiXBH> z+6$)$3Bo<@IOIRcM=+fgrYh^o9V7GLN^{eIGu4$%OLK6~m%IXErIq(BvQc=w8HwGSoU25@s4}2Ta|%d!>P`j z-I(p`pN<_HNSkxF4|9G;oLjvf4x7fZKYLQ}E0s9md*-vfE0eJ%BMg)7tzzQpMC?oo zN7rF9*y^qEn0PV*dFT7GH+5riwv7=%`i88ckg`DCqpxJQX znjeGc?!Qs>g!p#{VlmOS7F$hc`=(QIXq{Y-6%zlq^W}JqPbd9usTws0$KxUO!NKG| z^I-txKC6ozl^#kQT9t^~-?WZ@h(nQmHxXu2B%`kPmErWdf3rFNJ2!F+@2V177K0O> zf8_9d)7j63ut_9899NBLex1GO_eP4<-;+(HL-H}5I4(Wz?J+$K$fay^^23^*W2$*8 z8#iB*_j}KD)8UzW@M3}rwOfRmZrs=n%ft}U$&N9dRP4e^(pg8WTvO%il8HnI@(B1^ z?Kpfe@ob5g7_r6|X%-oTN9oZ2GRNzyX$ZSbdrtHl%J@|L`as&8$kr@-ehNl>55v%s z9_)2?61IK`hd9ofpe6tNSsZ?Wi&E{(HyUI!r$xs0Jlsphn8T$9P(G6T30Y5 zZO%3Fe~|dK6ppkn#Jb;7OjLFjGRGGnah@F2F1-X7MIIsx6&TX5uOPpkL)q`axL4F$ zSj8v@XNwANHgyr2?9W2(xe(kx(M0Gthw@l$HL$pL!xY1#PoD31XJ9HYSgbmgZkBa(fh(5%kEs{5tksNO+d z26wud`n}ep-nJMBtrnR2&(I=oO)Q!@`7Qu`1d+j>{km# zYs=tDGlki)Q9?J;S4QraAofd=@SE~;a@xtrOCdvWaVf-P^3%B1E=$M?F2L@m3iJ%f z7UE9lA<3CMa6V@X)4Jzk+d&nIFJuWaZ8qWt6F;&}x}a;m2R~Ct%XHKr;2@?+1{JqYG zD<#6v!2PHu-pPS`2ZeqUOR@8y1i33u3U3{XkxyC)L401A>s*BRaPor8yezzz>_s_o z92Y#jDpXP);(O0v4Xi8*ndjwa`RQUJy>Cac~|dcud)e_sVc+;`<6O zH>IQA&Ip_x(?PHtmx30whppXO3mxkw!o}AJ_f~C$-dAJcLwdH+^*ajY)zqI(j>ZS~ zUPABl#Bm-%d~}Dw!UfV{=XN3<_B{uojJWDa=5c5;YNGJ)f(BBm&B87^3D38NVA#2M zEK7D4yy$t|kevVxiE;kXE_g}k4vupbJZWCpn9hfsNsEOGg#E1Ql8pSsB?4gVo zI)Cc@NU+hBqqCbBC$_v3eoQZelx7FK`FG*Zs1i&e+nM7=~i4ZiaWzZ!jQGRQr;JjUeha1U5p_NfMypg!C zb^gvz8F8Tj&xx;q2l*WSud4Hmi|XpSIEV#%MX_Ox1r)KyzBKkOVvP;E(WnSa15tW) z=pAN&5v3>~AcCSW+pfVDW3WUe(b$b8_7dKe_WLpb-|bI;j(t^cy>*h~)6 zBj5Kb`z7wJWYv%oY#Z;31)4T;jhu}UC4Ts3L|dt~@c{1FQLC}9tyJe0U?c00Ic}D6 ztVupb*#*PmpH_08*@MTpmP@m5A|4~iiW#QGk4tLHsb)EtbvP6Ux4bkSdA}FK2XjtN zx^y8)T#KRp`y9y!L>mAlb&1GV1^GK|eV47ju; z770_*jgz{jplU)Ko_p^yZumV37B=zl)TSGk9*akHlLVZ8w8to?W8m~E0h`-o8*N@i z!kWH<&xRc10D8Mu98AImyL{v6Le_X=k`du`!01TN=q@K6x;hmbJADac#;zW#o*XiM zx#*9-+o$0AU!}&UW#qd&Nx_6|M~xp&vqw>qijO#SA9gnqmlip& zRD?6f$W-1x+KZn!CpWnK!dNdU8*}DG;kW!hjOE?3P@Wcz;se)>$9?vo?U5L=&&cy{ zu?x-i$Ks>=W#g4B<}fG5A>QMXvBC0W4DpP|(fXH-AIX6{y($5nN`E%a92Seu6B6On z@2atMIqSeZlCZwXHRAw!WUK2WL)-MG(T4j$`6C&XpKlrOWQQQ=h>i^3D&sQh4*rPL zb0ap=(kwuE(FopIiDNaZoB=Ub$~Hwe(?zBr~wi-7>nfFVn}P<~VPEKTPyF zW%z9?drygDBy0Q;Jo(cbH%unT)V7C_v(y)3awmyb`x5lO;fLD=lV!{JgJ`-W0J&9@ zQu1+DeTY|CZ8%Pp8R&%REkdZq?oY(BfU3z&ATlbOQ#?ymI-o>m} zou!U-F7$l&rEh302_N?%eNZG`{@hqPC+tOgJ?CUqJ^86&HikZ-H^<9N3_UW?+B6p1 zEKTKN+Ahp_8%rHnwecsLRLo}1_#*p%jJcJ`P@IiNlaPOm<=F{b4=0dmRc*YwI~Fa& z6LI{SiL^Kq#rGjOkF{&blco`PJu?|OQ_N(Odnl@`b%+nIEjn}7SIo$uJX=RL7X=~p zx*okA)|ERu$X(c*g7x?7i5XcOrEaOHE;E-_WXl9kOvBX@6M01r_@(Tc<6Qj992t{e zj%tM$W~DEZsY8#_D?=S!t!1*otP}-5u>ZK(Q7)Js!jQ-0#=dkE*FMD<>co2Yg5}bd z{DGUFSjU*PSX!AJfPQB%bV+k%bXEb@bRm~nIZX`8d>k#&;`xa&V!3EP9+Hiidwejx za(O7dAC4w@Hd0q9&k~^htF?3_C$l?i5pN3G zh)o}QV+)cndatD{bc#Udh-8c}Z!2D0dyLwo!{wXpWc|vWSTa#heSCX)!rt7-4k?Iu z-$6c-g>&Su6r8``QL?BL{Of2cJdavRyFSzlDO1t@I}3SK?MppQ&2e_M`%xo~8X14@5OmZe+3(QE$>t@{uxHe}iAr)eA4J=h z>`&Blmf#Nu(1a}7X&X0)Hn$L~$I>%($Wd1M6yU-wEu8+ECo9+HW4U`6N(W98|FQc~ zt91kv1!LvtyIj;VMB+#P;c|R!4qREA>oH`ooGaN2^@14K)*m39XJz6dJs`y&`-wg~ z9lp!s;9h1c)}7LjJv*LU9b0Kus$-^70x~+-N{Lq@OutFQ-!8Ut%b9CDt}7O_>L*ur zMq|{oB-sAhPu8A~APXcJFD~23$N^zklC49pbN$8S5bGGeyoY6gxUfg|@%t2P$QdZg zZh@F;n~L)RgT%tjAFKXJ#k+hv`Ky%uWv(?p759}Ek@R7kr`71EY&7$cWqE>j+o^kq z@s~F(%8~xX8)I?;CH>qH=sn5j2?~;N#}8wpIW>zmL6Y;j1UF&=(9fIs?B5roXYU{+ z`uNJKmqmCj!SI{uDcAQOz%u%#7P>1%f(ud0gnGZ6jZ$}G0j8yeVf@S$q8*lx!J{Iu zM6*!Le$9jBiAelbZZG!V=3*2*eJSUsOX2!`aB+{}`gV#qR%YUKP%Kj3Op>KNcEjKw z2gizu@=YXtcHHYV95qpf^weYd2C}GnOceWviO8Lohz1)c%B5f8P{jJ+-j~!LK8{9a z*JOmHPm+qBk?^gpL*>@VvMwkLws&&8^19i1kn>;ndlBtQQCG%2CJ_3Y(TW+P1(hJ+x0c+GK6q7R})_Ayw{`_t)slsJ7X zNB=rL*n25PR%IS#<^y$&F0s-(r4$*h{pqWWp$G5~)@1}BLl-5JCzPNy`*g?nJ&q3! zV&#os>_`leg1jQ$w>$CoGJol|^8jX$V_wI^OIofigvYTkOlY8%&fUmcBm3gp6I-Nz z)_%xs&d=+9khUgyST!-49`M!TQ#%K%<6_XE5g}=8c**2Rl(l2^prNoi(oV`00*uF~c z#QWnHbsBuLR*5J5W$&7$VZP~VDQ4~Gs$0!*jtkU@so^+kk?}Qtc$&<-ZA5e<9}Mh9 zzod5=y2p~4=12b>a|{=B_s5|P^fn$i3~Sc#jn`9Tv+W_gw`c$CU6MH7EXJ0X!D!o# zo|o){(2xz)t~^2}2NdD(h*0Ei*(tgO2hjZvwb_{g5@A}%zIp^Ij{1lN=kO1&BcUqs z6rU4$h$P3MM^6u#5uby~+!$QfyNTg?7ThHklisUkNy|M5;XY*LCzTXzF(6ywnV+kY zHShHpS;BhzMwN8QOM*joBC1kUQWzPJ4P+cw)>F%sRPH0W*BcY5mRr9@!tMvI-}-CB ziuJm;(^$K>u950I`ax|{Fx1CQn#|YJ>8`~8M>LbxqcIOx%az2P8FtMr6d3Q ztpK?0O2M{VcbUzaMBVx|=jSO_du3AG3ET~$w(>@X0UvNe*1?2}2Y591c~uE(Ech~xPZ*wtfZVue8#8;Wr(XD2ci z>txopgZN=yD4KVUm!o5faQ+?n*8x%V1r(xANCcGU!ek{1;Ab9%vyXR5uK#{Sx&G@> z4VD|-aZ6m-jNJd z-5@D=K{m$CCLm{_M$xO zroT7!TDl~qd!Y#-A8EoV$qDD0%AT5{A5Y0ceHNZ@-)>R+ zq)dB}iN*KX`|f>AUb}^h?tB;2X_eLl>QNR`0|q_Q<*{ z)kzT7s(akR;Sj46-;zK$KW5*Ze%thq^ffPJU9o$jJiWwq!HaNQ9hE4qZ^>_95B>k^ zH>CKKIG;$v@zvBTZa*hYILFUA&Fq8O6;k;}3jUzR*vhR!cC$awi`vb%ZGMuQ16X5! z!wj9NXC$2G`yIWJKI4QOU&=k`C2wqYE0_A|WRi~~hkWE=u0!|^p%y>Gq)3j~rD9PZ zUpRK&FP&zmGS87->zjK;KQR?9Qn6~LA4W&-maaeX{~?iHxXZibZZAEI zRpiwc8RXmRNodFS#jj=t8RX0N9Ftr2? zsWWTgYLMOw1M!|(okYDs8sDNHf#Y7%NiUrv0x*s&<-CDTTADZ2T=2*`1ij(dUQ^NQ#4#EqMqJ4vK|+JVuQ4g!XB^JboIF z3*$YRE14s2S94C~`R&py8FwgwY+_GbJ-$cmUL;_AZ)R0Ux||!507H9byaw%(v2JlV z-DHm;nv74TOv{Prq;4X7&r1!*cDXX79=R`7D%L2nBT`0bX(zi_UdqJ-yMgS-umLf;Jvc(h8DR|li;Ce9VDPU_`EX(UXSxMH4(Uc3V$ zplRlcMoBt(HYOaY`(4o2MJMe(gyJS#VCJNghun`I6KDMHsS`^-_Wp-CqYXdb%P|D? zv$vvE3FnGw!Em+Mif31JGMxRlQyxxmc&d{T_JKHiZwsDQ>tq+TkrSqG!K=o4xkf$Y z;Dei)iIXHF=nZ-KM1up3lB5SY5{3#*jd7lS@UZw!*nz4zYTRd*Nx=pW45A07|&#Y6Ucrd*A7vy+ATD##$S)Sxj%fG5n4fho}Vyp3DjYkD*>uk}jp*A>NiTU5}kp|p*20l<= z-Ef1r-=HtePl4gh^wOana~M`Au(A!`9ppZBSg(M>BUTLNs4pO>9o>cMI}x6R{Rj86}MvQ!0DgAHC8L7ZRkC6*b2{K zTA5!$pLN@jDQjw<&wSw3wG&$*-Wb($QkUzcqyoE}@H3n%Qe1gm zZ2cs$fMaW^K*bn8Sysf{t0Gs-9`7dxYIaO!k`q6|Pju94UA*Ulk3Ib)scsOyW3F^# zevi`#`axT`p!B(~6mKIdX`eIfFZ#->vt;#6bH+2Ruhi;JrnSZyK9L(ndPm5M6c5as zsDaIiFxhHFUsyLabK`&Y_9&)x<^MS(Zn%O^yCP>vtwpto}aXM!hKV7 zC2TtRh~sl=A-XHMzxI@iMn1m_l&GuokbGwMR7CMJPHwU~Hk27mN)!!Hi<0;G$D2y* zAEOedi(zPbMF|u7$KP3m;YA_6z8_fo>K}@i?!3MlwM^z4DrSHZ?ar&kb>>dAyraPV zXKGozCWQ4W1x)X%<)J@y^)`I&O4QQl05$NJTv3PrcF{BX_!X{XcB^I7fI#f*;EK;T zRig3^z_U{>xD~9D5Uw|xD_xM>LM6}G_xPOb0*}9x^58ao0IoIXjleh`8St5ztJk+< zl7+8K`IFwLAP=eab;B|1ZP4`b5!FLCR9tdn4xqOjblC=Htp*lKPYL{GJ34Gt zLp|L?T;DJ+C|HF~3pKL-4E-9sx8F=q$mnyvI21t7`Q)u~`ldhnZdSreyGb%{2J-pl zSdH2s!*YW0sDhtyUng;+cA^eFU0c_$5rZ!o14~ud-)Xh%^$x`ZUlp>Ru9Euyuz%{U zf>-8hX}dNQ`X5v<_g^Dl612=;RbgBIwPGkE6PkI=<=VA!jJn*P_we_ot(8vALa=S2 z5{(KcSkwQ}vA2E!Y< zT=fkV#>6g`W7oV;!h1X9@IvWw)&~pjD3NG2Uk*`MzVw0;U#>VvH`a1beNf{2C-!n^ zPY|X~SE0ylw&d|$8M#k|KFPDB!@t^FQ#Fb<&5}3dI=mR7Mq;Pg@|1O{f?;Z8F0hx% z94&hEP{Ye}j!dW4Y111Ou1#=|Wd+22#4?Q#cc zUyI(5$4X|wI!ML>X8vR=F>c=+(H;z>wq40=ra7{gUV$J!kM?AH?hYf<^@9QzBJ9Pi zegJ+vr9hjW_M(~*0Bb%kMb)z`H3)h$T6$`?qqDUd zZ7+?K1bW0)hp2GA%Lut~&KsRM=Jj6=6H|J(iX03eY4RrKaQDhEy(>T9wqJn^|L=!!g}T? z8O!x^!9PkQTaS|Ht^x4pwfq13!A?nb;`h!CF7&8-9Z*z@57RbNlNm)l}_@^JtpL1-ht>gnW62VStyyACStqnqa zwHi%Eca;eC4V>LIShB3UJP8d!{22{2zxI%Q-NlI~c7=o;2+^ay; z=imRKpS75|2cmE@-#a&Y%ZLWd7n?@bkG8kyQ#iJL)Nq*HTQY~Uch^kKtgM03dkwXm zp(^B#9w_m)0odrFsxi*9FSQV#k=$EY?m$HrlCyOCOBy zZ+K!m$Mf4OUyR<5y)m>A$MB%3sOtKmwHu%JbG4=82kxQUYLI`go@6Ek^10JsO09L8|Du>6l&0Tu7x};4Mc}14Xhek zh{@tWG*W7iajKP!ttLZji3X!~wvyTOYz^ibVEKwx5;rdZZ3bx2dTeiT+7y7+R%*QO z+FPvXZ8tVm|8JcCy{kQWPVUAE)!g-KoL4xlS<`vkI6D)|P9`SJdYYJ|n|(b#ul4ol z+w$x2QH%fmoZs;8=lJ9Qj-yP!9zR=sJ^Hu%dbFzZ^;oa&*P~^_ugBs4`}xuT{W~81 P`yT$9|BgL7e?9&mYc(mB literal 0 HcmV?d00001 From 4f6273a2bd29181981ce51534a2054914a8e112d Mon Sep 17 00:00:00 2001 From: GiMo84 <62561915+GiMo84@users.noreply.github.com> Date: Sun, 21 Aug 2022 07:04:14 +0200 Subject: [PATCH 088/170] Fixes reading Dual ISO (Magic Lantern) DNG (#5658) (#6505) --- rtengine/dcraw.cc | 20 ++++++++++++++++---- rtengine/dcraw.h | 9 +++++++++ 2 files changed, 25 insertions(+), 4 deletions(-) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index e8202ea02..e4dbcbf94 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6109,7 +6109,8 @@ get2_256: { fseek(ifp, offsetChannelBlackLevel, SEEK_SET); FORC4 - bls += (cblack/*imCanon.ChannelBlackLevel*/[c ^ (c >> 1)] = get2()); + bls += (RT_canon_levels_data.cblack/*imCanon.ChannelBlackLevel*/[c ^ (c >> 1)] = get2()); + RT_canon_levels_data.black_ok = true; imCanon.AverageBlackLevel = bls / 4; // RT_blacklevel_from_constant = ThreeValBool::F; } @@ -6121,7 +6122,8 @@ get2_256: imCanon.SpecularWhiteLevel = get2(); // FORC4 // imgdata.color.linear_max[c] = imCanon.SpecularWhiteLevel; - maximum = imCanon.SpecularWhiteLevel; + RT_canon_levels_data.white = imCanon.SpecularWhiteLevel; + RT_canon_levels_data.white_ok = true; // RT_whitelevel_from_constant = ThreeValBool::F; } @@ -6129,7 +6131,8 @@ get2_256: { fseek(ifp, offsetChannelBlackLevel2, SEEK_SET); FORC4 - bls += (cblack/*imCanon.ChannelBlackLevel*/[c ^ (c >> 1)] = get2()); + bls += (RT_canon_levels_data.cblack/*imCanon.ChannelBlackLevel*/[c ^ (c >> 1)] = get2()); + RT_canon_levels_data.black_ok = true; imCanon.AverageBlackLevel = bls / 4; // RT_blacklevel_from_constant = ThreeValBool::F; } @@ -9864,7 +9867,8 @@ void CLASS identify() filters = 0; tiff_samples = colors = 3; load_raw = &CLASS canon_sraw_load_raw; - FORC4 cblack[c] = 0; // ALB + //FORC4 cblack[c] = 0; // ALB + RT_canon_levels_data.black_ok = RT_canon_levels_data.white_ok = false; } else if (!strcmp(model,"PowerShot 600")) { height = 613; width = 854; @@ -10530,6 +10534,14 @@ bw: colors = 1; } } dng_skip: + if (!dng_version && is_raw) { + if (RT_canon_levels_data.black_ok) { + FORC4 cblack[c] = RT_canon_levels_data.cblack[c]; + } + if (RT_canon_levels_data.white_ok) { + maximum = RT_canon_levels_data.white; + } + } if ((use_camera_matrix & (use_camera_wb || dng_version)) && cmatrix[0][0] > 0.125 && strncmp(RT_software.c_str(), "Adobe DNG Converter", 19) != 0 diff --git a/rtengine/dcraw.h b/rtengine/dcraw.h index 7b103ea93..849012cb7 100644 --- a/rtengine/dcraw.h +++ b/rtengine/dcraw.h @@ -193,8 +193,17 @@ public: int crx_track_selected; short CR3_CTMDtag; }; + struct CanonLevelsData { + unsigned cblack[4]; + unsigned white; + bool black_ok; + bool white_ok; + CanonLevelsData(): cblack{0}, white{0}, black_ok(false), white_ok(false) {} + }; protected: CanonCR3Data RT_canon_CR3_data; + + CanonLevelsData RT_canon_levels_data; float cam_mul[4], pre_mul[4], cmatrix[3][4], rgb_cam[3][4]; From 9d67d1594272187632115cfeff1ff7ba69a55d7d Mon Sep 17 00:00:00 2001 From: Andrew Dodd Date: Sun, 21 Aug 2022 07:58:11 -0400 Subject: [PATCH 089/170] Add script to find orphaned strings that are not referenced in the source code (#6458) --- tools/findorphans.py | 46 ++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 46 insertions(+) create mode 100755 tools/findorphans.py diff --git a/tools/findorphans.py b/tools/findorphans.py new file mode 100755 index 000000000..4933f4b2e --- /dev/null +++ b/tools/findorphans.py @@ -0,0 +1,46 @@ +#!/usr/bin/env python3 + +import clang.cindex +import subprocess +import sys + +index = clang.cindex.Index.create() +procevents = index.parse('rtengine/procevents.h',args=['-x', 'c++']) + +if(1): + for chld in procevents.cursor.get_children(): + if(chld.displayname == 'rtengine'): + for c in chld.get_children(): + if(c.displayname == 'ProcEventCode'): + for pec in c.get_children(): + #print(pec.kind, pec.displayname, pec.enum_value) + #print(pec.displayname, file=sys.stderr) + grp1 = subprocess.Popen(('grep', '-ro', '--exclude=procevents.h', '--exclude-dir=.git', pec.displayname), stdout=subprocess.PIPE) + wcr1 = subprocess.check_output(('wc', '-l'), stdin=grp1.stdout) + grp1.wait() + grp2 = subprocess.Popen(('grep', '-ro', '--exclude=procevents.h', '--exclude=refreshmap.cc', '--exclude-dir=.git', pec.displayname), stdout=subprocess.PIPE) + wcr2 = subprocess.check_output(('wc', '-l'), stdin=grp2.stdout) + grp2.wait() + print(pec.enum_value, pec.displayname,int(wcr1), int(wcr2)) + +with open('rtdata/languages/default', 'r') as deflang: + for line in deflang: + if(line[0] == '#'): + continue + if(line[0:2] == '//'): + continue + if(line[0:2] == '/*'): + #our language files support comment blocks????????????????????????????? + #or is this commented block bogus? + continue + if(line[0:2] == '*/'): + continue + else: + stringid = line.split(';')[0] + if(stringid.startswith('HISTORY_MSG')): + continue + #print(stringid, file=sys.stderr) + grp1 = subprocess.Popen(('grep', '-ro', '--exclude-dir=languages', '--exclude-dir=.git', stringid), stdout=subprocess.PIPE) + wcr1 = subprocess.check_output(('wc', '-l'), stdin=grp1.stdout) + grp1.wait() + print(stringid, int(wcr1)) From eaba9657f1c740f54663dbeec7b7d1dfe6f3008c Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 22 Aug 2022 11:44:49 -0700 Subject: [PATCH 090/170] Fix AppImage theme (#6555) Patch the app run hook from linuxdeploy-plugin-gtk so that the theme is not explicitly set. --- .github/workflows/appimage.yml | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index 105f2c840..7f66f9c8c 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -101,7 +101,9 @@ jobs: echo "Downloading linuxdeploy." curl --location 'https://github.com/linuxdeploy/linuxdeploy/releases/download/continuous/linuxdeploy-x86_64.AppImage' > linuxdeploy-x86_64.AppImage echo "Downloading GTK plugin for linuxdeploy." - curl --location 'https://raw.githubusercontent.com/linuxdeploy/linuxdeploy-plugin-gtk/master/linuxdeploy-plugin-gtk.sh' > linuxdeploy-plugin-gtk.sh + curl --location 'https://raw.githubusercontent.com/linuxdeploy/linuxdeploy-plugin-gtk/master/linuxdeploy-plugin-gtk.sh' \ + | sed 's/^\(export GTK_THEME\)/#\1/' \ + > linuxdeploy-plugin-gtk.sh echo "Setting execute bit on all AppImage tools." chmod u+x linuxdeploy-* From 93dfb09eafab8f955bf5506464b463a2916b72e9 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Mon, 22 Aug 2022 20:45:03 +0200 Subject: [PATCH 091/170] Remove the HISTOGRAM_TOOLTIP_RAW from all language files (#6554) It was a leftover from https://github.com/Beep6581/RawTherapee/pull/5887/commits/c03efe4878e132a05b27abb3f92c0b79c9e06db0 where new strings were introduced to toggle the histogram types. --- rtdata/languages/Catala | 1 - rtdata/languages/Chinese (Simplified) | 1 - rtdata/languages/Czech | 1 - rtdata/languages/Deutsch | 1 - rtdata/languages/English (UK) | 1 - rtdata/languages/English (US) | 1 - rtdata/languages/Espanol | 1 - rtdata/languages/Francais | 1 - rtdata/languages/Italiano | 1 - rtdata/languages/Japanese | 1 - rtdata/languages/Magyar | 1 - rtdata/languages/Nederlands | 1 - rtdata/languages/Polish | 1 - rtdata/languages/Portugues | 1 - rtdata/languages/Portugues (Brasil) | 1 - rtdata/languages/Russian | 1 - rtdata/languages/Serbian (Cyrilic Characters) | 1 - rtdata/languages/Slovenian | 1 - rtdata/languages/Swedish | 1 - rtdata/languages/default | 1 - 20 files changed, 20 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index 78e4359e4..b688095a7 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -162,7 +162,6 @@ HISTOGRAM_TOOLTIP_BAR;Mostra/amaga la barra indicadora RGB\nClic botó dret a la HISTOGRAM_TOOLTIP_G;Mostra/amaga l'histograma VERD HISTOGRAM_TOOLTIP_L;Mostra/amaga l'histograma de luminància CIELAB HISTOGRAM_TOOLTIP_R;Mostra/amaga l'histograma VERMELL -HISTOGRAM_TOOLTIP_RAW;Mostra/Amaga l'histograma RAW HISTORY_CHANGED;Canviat HISTORY_CUSTOMCURVE;Corba particular HISTORY_FROMCLIPBOARD;Del portapapers diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 91eb9dc17..187db8a39 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -251,7 +251,6 @@ HISTOGRAM_TOOLTIP_G;显示/隐藏 绿色直方图 HISTOGRAM_TOOLTIP_L;显示/隐藏 CIELAB 亮度直方图 HISTOGRAM_TOOLTIP_MODE;将直方图显示模式切换为线性/对数线性/双对数 HISTOGRAM_TOOLTIP_R;显示/隐藏 红色直方图 -HISTOGRAM_TOOLTIP_RAW;显示/隐藏Raw直方图 HISTORY_CHANGED;已更改 HISTORY_CUSTOMCURVE;自定义曲线 HISTORY_FROMCLIPBOARD;从剪贴板 diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index a2f36a860..72c696923 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -291,7 +291,6 @@ HISTOGRAM_TOOLTIP_G;Skrýt/Zobrazit histogram zelené. HISTOGRAM_TOOLTIP_L;Skrýt/Zobrazit CIELab histogram jasu. HISTOGRAM_TOOLTIP_MODE;Přepíná mezi lineárním, log-lineárním a log-log škálováním histogramu. HISTOGRAM_TOOLTIP_R;Skrýt/Zobrazit histogram červené. -HISTOGRAM_TOOLTIP_RAW;Skrýt/Zobrazit raw histogram. HISTORY_CHANGED;Změněno HISTORY_CUSTOMCURVE;Vlastní křivka HISTORY_FROMCLIPBOARD;Ze schránky diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 7f7bbfd9c..dbda9c6a8 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -329,7 +329,6 @@ HISTOGRAM_TOOLTIP_G;Grün-Histogramm ein-/ausblenden. HISTOGRAM_TOOLTIP_L;CIELab-Luminanz-Histogramm ein-/ausblenden. HISTOGRAM_TOOLTIP_MODE;Schaltet zwischen linearer, logarithmischer-linearer und\nlogarithmischer-logarithmischer Skalierung um. HISTOGRAM_TOOLTIP_R;Rot-Histogramm ein-/ausblenden. -HISTOGRAM_TOOLTIP_RAW;Zwischen normalen Histogrammen und\nRAW-Histogrammen umschalten. HISTORY_CHANGED;Geändert HISTORY_CUSTOMCURVE;Benutzerdefiniert HISTORY_FROMCLIPBOARD;Aus der Zwischenablage diff --git a/rtdata/languages/English (UK) b/rtdata/languages/English (UK) index 45e4dc161..4e8136885 100644 --- a/rtdata/languages/English (UK) +++ b/rtdata/languages/English (UK) @@ -362,7 +362,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTOGRAM_TOOLTIP_L;Show/Hide CIELab luminance histogram. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. !HISTOGRAM_TOOLTIP_R;Show/Hide red histogram. -!HISTOGRAM_TOOLTIP_RAW;Show/Hide raw histogram. !HISTORY_CHANGED;Changed !HISTORY_CUSTOMCURVE;Custom curve !HISTORY_FROMCLIPBOARD;From clipboard diff --git a/rtdata/languages/English (US) b/rtdata/languages/English (US) index 7c3a75e4c..dea4c423d 100644 --- a/rtdata/languages/English (US) +++ b/rtdata/languages/English (US) @@ -248,7 +248,6 @@ !HISTOGRAM_TOOLTIP_L;Show/Hide CIELab luminance histogram. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. !HISTOGRAM_TOOLTIP_R;Show/Hide red histogram. -!HISTOGRAM_TOOLTIP_RAW;Show/Hide raw histogram. !HISTORY_CHANGED;Changed !HISTORY_CUSTOMCURVE;Custom curve !HISTORY_FROMCLIPBOARD;From clipboard diff --git a/rtdata/languages/Espanol b/rtdata/languages/Espanol index 5082d0d24..56f408f9e 100644 --- a/rtdata/languages/Espanol +++ b/rtdata/languages/Espanol @@ -297,7 +297,6 @@ HISTOGRAM_TOOLTIP_G;Mostrar/Ocultar Histograma Verde HISTOGRAM_TOOLTIP_L;Mostrar/Ocultar Histograma de Luminancia CIELAB HISTOGRAM_TOOLTIP_MODE;Alterne entre la escala lineal, log-linear y log-log del histograma. HISTOGRAM_TOOLTIP_R;Mostrar/Ocultar Histograma Rojo -HISTOGRAM_TOOLTIP_RAW;Mostrar/ocultar Histograma Raw HISTORY_CHANGED;Cambiado HISTORY_CUSTOMCURVE;Curva a medida HISTORY_FROMCLIPBOARD;Desde el portapapeles diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index 786929f9c..252b77d67 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -236,7 +236,6 @@ HISTOGRAM_TOOLTIP_G;Montrer/cacher l'histogramme VERT HISTOGRAM_TOOLTIP_L;Montrer/cacher l'histogramme Luminance CIELAB HISTOGRAM_TOOLTIP_MODE;Bascule entre une échelle linéaire, linéaire-log et log-log de l'histogramme. HISTOGRAM_TOOLTIP_R;Montrer/cacher l'histogramme ROUGE -HISTOGRAM_TOOLTIP_RAW;Montrer/Cacher l'histogramme des données RAW HISTORY_CHANGED;Changé HISTORY_CUSTOMCURVE;Courbe personnelle HISTORY_FROMCLIPBOARD;Du presse-papier diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index 6ac9c02b0..51b536cde 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -191,7 +191,6 @@ HISTOGRAM_TOOLTIP_CHRO;Mostra/Nascondi l'istogramma di cromaticità. HISTOGRAM_TOOLTIP_G;Mostra/Nascondi l'istogramma del Verde. HISTOGRAM_TOOLTIP_L;Mostra/Nascondi l'istogramma di Luminanza CIELAB. HISTOGRAM_TOOLTIP_R;Mostra/Nascondi l'istogramma del Rosso. -HISTOGRAM_TOOLTIP_RAW;Mostra/Nascondi l'istogramma del raw. HISTORY_CHANGED;Modificato HISTORY_CUSTOMCURVE;Curva personalizzata HISTORY_FROMCLIPBOARD;Dagli appunti diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index f851ff8d0..06e57e8bf 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -255,7 +255,6 @@ HISTOGRAM_TOOLTIP_G;グリーン・ヒストグラム 表示/非表示 HISTOGRAM_TOOLTIP_L;CIEL*a*b* 輝度・ヒストグラム 表示/非表示 HISTOGRAM_TOOLTIP_MODE;ヒストグラムの尺度を線形、対数-線形、対数-対数でトグルします HISTOGRAM_TOOLTIP_R;レッド・ヒストグラム 表示/非表示 -HISTOGRAM_TOOLTIP_RAW;rawヒストグラム 表示/非表示 HISTORY_CHANGED;変更されました HISTORY_CUSTOMCURVE;カスタムカーブ HISTORY_FROMCLIPBOARD;クリップボードから diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index 4f0b0aaad..de072e25a 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -156,7 +156,6 @@ HISTOGRAM_TOOLTIP_BAR;RGB jelzősáv megjelenítése/elrejtése.\nKattints jobb HISTOGRAM_TOOLTIP_G;Zöld csatorna hisztogrammja (mutat/elrejt) HISTOGRAM_TOOLTIP_L;CIELAB Luminancia hisztogramm (mutat/elrejt) HISTOGRAM_TOOLTIP_R;Piros csatorna hisztogrammja (mutat/elrejt) -HISTOGRAM_TOOLTIP_RAW;Raw hisztogram megjelenítése/elrejtése HISTORY_CHANGED;Változott HISTORY_CUSTOMCURVE;Saját görbe HISTORY_FROMCLIPBOARD;Vágólapról diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index 3b058ce5b..cc40e7941 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -235,7 +235,6 @@ HISTOGRAM_TOOLTIP_CHRO;Toon/Verberg Chromaticiteit histogram HISTOGRAM_TOOLTIP_G;Toon/verberg groen histogram HISTOGRAM_TOOLTIP_L;Toon/verberg CIELAB-luminantiehistogram HISTOGRAM_TOOLTIP_R;Toon/verberg rood histogram -HISTOGRAM_TOOLTIP_RAW;Toon/verberg RAW-histogram HISTORY_CHANGED;Veranderd HISTORY_CUSTOMCURVE;Handmatig HISTORY_FROMCLIPBOARD;Van klembord diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index 6821ae287..2558178c0 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -238,7 +238,6 @@ HISTOGRAM_TOOLTIP_CHRO;Pokaż/Ukryj histogram chromatyczności. HISTOGRAM_TOOLTIP_G;Pokaż/Ukryj histogram zieleni. HISTOGRAM_TOOLTIP_L;Pokaż/Ukryj histogram luminancji CIELab. HISTOGRAM_TOOLTIP_R;Pokaż/Ukryj histogram czerwieni. -HISTOGRAM_TOOLTIP_RAW;Pokaż/Ukryj histogram raw. HISTORY_CHANGED;Zmieniono HISTORY_CUSTOMCURVE;Krzywa własna HISTORY_FROMCLIPBOARD;Ze schowka diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index 1d201b40e..4e8ac2d49 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -237,7 +237,6 @@ HISTOGRAM_TOOLTIP_G;Mostrar histograma verde. HISTOGRAM_TOOLTIP_L;Mostrar histograma de luminância CIELab. HISTOGRAM_TOOLTIP_MODE;Alternar entre redimensionar linear, log-linear e log-log do histograma. HISTOGRAM_TOOLTIP_R;Mostrar histograma vermelho. -HISTOGRAM_TOOLTIP_RAW;Mostrar histograma raw. HISTORY_CHANGED;Alterado HISTORY_CUSTOMCURVE;Curva personalizada HISTORY_FROMCLIPBOARD;Da área de transferência diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index 3923c16f5..464734481 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -244,7 +244,6 @@ HISTOGRAM_TOOLTIP_G;Mostrar/Ocultar histograma verde. HISTOGRAM_TOOLTIP_L;Mostrar/Ocultar histograma de luminância CIELab. HISTOGRAM_TOOLTIP_MODE;Alternar entre o modo de escala linear, log-linear e log-log para o histograma. HISTOGRAM_TOOLTIP_R;Mostrar/Ocultar histograma vermelho. -HISTOGRAM_TOOLTIP_RAW;Mostrar/Ocultar histograma raw. HISTORY_CHANGED;Alterado HISTORY_CUSTOMCURVE;Curva personalizada HISTORY_FROMCLIPBOARD;Da área de transferência diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index 3f86f4edf..fbfd086a3 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -225,7 +225,6 @@ HISTOGRAM_TOOLTIP_CHRO;Показать/скрыть хроматическую HISTOGRAM_TOOLTIP_G;Показать/скрыть зелёный канал гистограммы HISTOGRAM_TOOLTIP_L;Показать/скрыть CIELAB гистограмму HISTOGRAM_TOOLTIP_R;Показать/скрыть красный канал гистограммы -HISTOGRAM_TOOLTIP_RAW;Показать/скрыть Raw гистограмму HISTORY_CHANGED;Изменено HISTORY_CUSTOMCURVE;Пользовательская кривая HISTORY_FROMCLIPBOARD;Из буфера обмена diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index dac0b0ea2..fcbbf9206 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -171,7 +171,6 @@ HISTOGRAM_TOOLTIP_CHRO;Прикажи/сакриј хистограм хроми HISTOGRAM_TOOLTIP_G;Приказује зелени хистограм HISTOGRAM_TOOLTIP_L;Приказује ЦиеЛаб хитограм HISTOGRAM_TOOLTIP_R;Приказује црвени хистограм -HISTOGRAM_TOOLTIP_RAW;Приказује/скрива RAW хистограм HISTORY_CHANGED;Измењено HISTORY_CUSTOMCURVE;Произвољна крива HISTORY_FROMCLIPBOARD;Из оставе diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index cae78a3ae..69594ffd8 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -247,7 +247,6 @@ HISTOGRAM_TOOLTIP_G;Prikaži/Skrij histogram za zeleno. HISTOGRAM_TOOLTIP_L;Prikaži/Skrij histogram CIELab svetlosti. HISTOGRAM_TOOLTIP_MODE;Preklopi med linearno, log-linearno in log-log merilom histograma. HISTOGRAM_TOOLTIP_R;Prikaži/Skrij histogram za rdečo. -HISTOGRAM_TOOLTIP_RAW;Prikaži/Skrij surovi histogram. HISTORY_CHANGED;Spremenjeno HISTORY_CUSTOMCURVE;Prilagojena krivulja HISTORY_FROMCLIPBOARD;Iz odložišča diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index 11478a912..f5f4e9d2f 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -204,7 +204,6 @@ HISTOGRAM_TOOLTIP_CHRO;Visa/Dölj kromananshistogrammet HISTOGRAM_TOOLTIP_G;Visa/dölj grönt histogram HISTOGRAM_TOOLTIP_L;Visa/dölj CIELAB histogram för luminans HISTOGRAM_TOOLTIP_R;Visa/dölj rött histogram -HISTOGRAM_TOOLTIP_RAW;Visa/dölj råbildens histogram HISTORY_CHANGED;Ändrad HISTORY_CUSTOMCURVE;Egen kurva HISTORY_FROMCLIPBOARD;Från klippbordet diff --git a/rtdata/languages/default b/rtdata/languages/default index 243930c93..d7d9c5a55 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -251,7 +251,6 @@ HISTOGRAM_TOOLTIP_G;Show/Hide green histogram. HISTOGRAM_TOOLTIP_L;Show/Hide CIELab luminance histogram. HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. HISTOGRAM_TOOLTIP_R;Show/Hide red histogram. -HISTOGRAM_TOOLTIP_RAW;Show/Hide raw histogram. HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram From 0951a00e4831d5f66e13354b4b1fafeb2b62431b Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Tue, 23 Aug 2022 21:50:26 -0700 Subject: [PATCH 092/170] Increment AppImage tools cache key (#6558) --- .github/workflows/appimage.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index 7f66f9c8c..4a853a5f6 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -89,7 +89,7 @@ jobs: id: appimage-tools-cache uses: actions/cache@v2 with: - key: appimage-tools + key: appimage-tools-1 path: | ./build/linuxdeploy-x86_64.AppImage ./build/linuxdeploy-plugin-gtk.sh From 1b3b0cf85f4626ea73aba8e49dcdfc2c69f91e44 Mon Sep 17 00:00:00 2001 From: Desmis Date: Wed, 24 Aug 2022 06:52:28 +0200 Subject: [PATCH 093/170] French for Perspective - Film negative - Cam16 and Jz (#6557) * French for Perspective - Film negative - Cam16 and Jz * Some forgotten tooltips * Clean code and add others tooltip --- rtdata/languages/Francais | 171 +++++++++++++++++++++++++++++++++++--- 1 file changed, 160 insertions(+), 11 deletions(-) diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index 252b77d67..2f891953f 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -1403,7 +1403,7 @@ TP_COLORAPP_HUE;Teinte (h) TP_COLORAPP_HUE_TOOLTIP;Teinte (h) - angle entre 0° et 360° TP_COLORAPP_LABEL;Apparence de la Couleur (CIECAM02) TP_COLORAPP_LABEL_CAM02;Édition de l'image avec CIE-CAM 2002 -TP_COLORAPP_LABEL_SCENE;Conditions de la scène +TP_COLORAPP_LABEL_SCENE;Conditions de visionnage TP_COLORAPP_LABEL_VIEWING;Conditions de visionnage TP_COLORAPP_LIGHT;Luminosité (J) TP_COLORAPP_LIGHT_TOOLTIP;Luminosité dans CIECAM02 est différent de celui de Lab et RVB @@ -1433,6 +1433,7 @@ TP_COLORAPP_TONECIE;Compression Tonale utilisant CIECAM02 TP_COLORAPP_TONECIE_TOOLTIP;Si cette option est désactivée, la compression tonale est faite dans l'espace Lab.\nSi cette options est activée, la compression tonale est faite en utilisant CIECAM02.\nL'outil Compression Tonale doit être activé pour que ce réglage prenne effet TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Luminance absolue de l'environnement de visionnage\n(souvent 16cd/m²) TP_COLORAPP_YBOUT_TOOLTIP;Yb est la luminance relative de l'arrière plan, exprimée e % de gris. Un gris à 18% correspond à une luminance exprimée en CIE L de 50%.\nCette donnée prend en compte la luminance moyenne de l'image. +TP_COLORAPP_YBSCEN_TOOLTIP;Yb est la luminance relative du fond, exprimée en % de gris. 18 % de gris correspondent à une luminance de fond de 50 % exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image TP_COLORAPP_WBCAM;BB [RT+CAT02] + [sortie] TP_COLORAPP_WBRT;BB [RT] + [sortie] TP_COLORTONING_AB;o C/L @@ -1806,6 +1807,15 @@ TP_LOCALLAB_BUTTON_DEL;Effacer TP_LOCALLAB_BUTTON_DUPL;Dupliquer TP_LOCALLAB_BUTTON_REN;Renommer TP_LOCALLAB_BUTTON_VIS;Montrer/Cacher +TP_LOCALLAB_BWFORCE;Utilise Black Ev & White Ev +TP_LOCALLAB_CAM16_FRA;Cam16 Adjustements Image +TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Pic Luminance) +TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapté au CAM16. Vous permet de modifier la fonction PQ interne (généralement 10 000 cd/m2 - 100 cd/m2 par défaut - désactivée pour 100 cd/m2).\nPeut être utilisé pour s'adapter à différents appareils et images. +TP_LOCALLAB_CAMMODE;CAM modèle +TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz TP_LOCALLAB_CBDL;Contr. par niveaux détail TP_LOCALLAB_CBDLCLARI_TOOLTIP;Ajuste les tons moyens et les réhausse. TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Agit comme un outil ondelettes.\nLe premier niveau (0) agit sur des détails de 2x2.\nLe dernier niveau (5) agit sur des détails de 64x64. @@ -1823,6 +1833,23 @@ TP_LOCALLAB_CHROMALEV;Niveaux de Chroma TP_LOCALLAB_CHROMASKCOL;Chroma TP_LOCALLAB_CHROMASK_TOOLTIP;Vous pouvez utiliser ce curseur pour désaturer l'arrière plan (inverse masque - courbe proche de 0).\nEgalement pour atténier ou accroître l'action du masque sur la chroma TP_LOCALLAB_CHRRT;Chroma +TP_LOCALLAB_CIE_TOOLNAME;Apparance de couleurs (Cam16 & JzCzHz) +TP_LOCALLAB_CIE;Apparance de couleurs(Cam16 & JzCzHz) +TP_LOCALLAB_CIEC;Utilise les paramètres de CIECAM +TP_LOCALLAB_CIECAMLOG_TOOLTIP;Ce module est basé sur le modèle d'apparence des couleurs CIECAM qui a été conçu pour mieux simuler la façon dont la vision humaine perçoit les couleurs dans différentes conditions d'éclairage. le moment de la prise de vue.\nLe deuxième processus Ciecam "Réglages d'image" est simplifié et n'utilise que 3 variables (contraste local, contraste J, saturation s).\nLe troisième processus Ciecam "Conditions de visualisation" adapte la sortie aux conditions de visualisation souhaitées ( moniteur, téléviseur, projecteur, imprimante, etc.) afin que l'aspect chromatique et le contraste soient préservés dans l'environnement d'affichage. +TP_LOCALLAB_CIEMODE;Change position outils +TP_LOCALLAB_CIEMODE_COM;Défaut +TP_LOCALLAB_CIEMODE_DR;Dynamic Range +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +TP_LOCALLAB_CIEMODE_WAV;Ondelettes +TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +TP_LOCALLAB_CIEMODE_TOOLTIP;En Mode par défaut, Ciecam est ajouté en fin de processus. "Masque et modifications" et "Recovery based on luminance mask" sont disponibles pour "Cam16 et JzCzHz" à votre disposition.\nVous pouvez également intégrer Ciecam dans d'autres outils si vous le souhaitez (TM, Wavelet, Dynamic Range, Log Encoding). Les résultats pour ces outils seront différents de ceux sans Ciecam. Dans ce mode, vous pouvez également utiliser "Masque et modifications" et "Récupération basée sur le masque de luminance" +TP_LOCALLAB_CIETOOLEXP;Courbes +TP_LOCALLAB_CIECOLORFRA;Couleur +TP_LOCALLAB_CIECONTFRA;Contraste +TP_LOCALLAB_CIELIGHTFRA;Eclaicir +TP_LOCALLAB_CIELIGHTCONTFRA;Eclaircir & Contraste TP_LOCALLAB_CIRCRADIUS;Taille Spot TP_LOCALLAB_CIRCRAD_TOOLTIP;Contient les références du RT-spot, utile pour la détection de forme (couleur, luma, chroma, Sobel).\nLes faibles valeurs peuvent être utiles pour les feuillages.\nLes valeurs élevées peuvent être utile pour la peau TP_LOCALLAB_CLARICRES;Fusion Chroma @@ -2009,6 +2036,82 @@ TP_LOCALLAB_INVERS_TOOLTIP;Si sélectionné (inverse) moins de possibilités.\n\ TP_LOCALLAB_INVBL_TOOLTIP;Alternative\nPremier Spot:\n image entière - delimiteurs en dehors de la prévisualisation\n RT-spot forme sélection : rectangle. Transition 100\n\nDeuxième spot : Spot Exclusion TP_LOCALLAB_INVMASK;Algorithme inverse TP_LOCALLAB_ISOGR;Plus gros (ISO) +TP_LOCALLAB_JAB;Utilise Black Ev & White Ev +TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +TP_LOCALLAB_JZ100;Jz référence 100cd/m2 +TP_LOCALLAB_JZCLARILRES;Mélange Jz +TP_LOCALLAB_JZCLARICRES;Mélange chroma Cz +TP_LOCALLAB_JZFORCE;Force max Jz à 1 +TP_LOCALLAB_JZFORCE_TOOLTIP;Vous permet de forcer la valeur Jz maximale à 1 pour une meilleure réponse du curseur et de la courbe +TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (uniquement en mode 'Avancé'). Opérationnel uniquement si le périphérique de sortie (moniteur) est HDR (luminance crête supérieure à 100 cd/m2 - idéalement entre 4000 et 10000 cd/m2. Luminance du point noir inférieure à 0,005 cd/m2). Cela suppose a) que l'ICC-PCS pour l'écran utilise Jzazbz (ou XYZ), b) fonctionne en précision réelle, c) que le moniteur soit calibré (si possible avec un gamut DCI-P3 ou Rec-2020), d) que le gamma habituel (sRGB ou BT709) est remplacé par une fonction Perceptual Quantiser (PQ). +TP_LOCALLAB_JZPQFRA;Jz remappage +TP_LOCALLAB_JZPQFRA_TOOLTIP;Permet d'adapter l'algorithme Jz à un environnement SDR ou aux caractéristiques (performances) d'un environnement HDR comme suit :\n a) pour des valeurs de luminance comprises entre 0 et 100 cd/m2, le système se comporte comme s'il était dans un environnement SDR .\n b) pour des valeurs de luminance comprises entre 100 et 10000 cd/m2, vous pouvez adapter l'algorithme aux caractéristiques HDR de l'image et du moniteur.\n\nSi "PQ - Peak luminance" est réglé sur 10000, "Jz remappping" se comporte de la même manière que l'algorithme original de Jzazbz. +TP_LOCALLAB_JZPQREMAP;PQ - Pic luminance +TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - vous permet de modifier la fonction PQ interne (généralement 10000 cd/m2 - par défaut 120 cd/m2).\nPeut être utilisé pour s'adapter à différentes images, processus et appareils. +TP_LOCALLAB_JZ100_TOOLTIP;Ajuste automatiquement le niveau de référence Jz 100 cd/m2 (signal d'image).\nModifie le niveau de saturation et l'action de "l'adaptation PU" (adaptation uniforme perceptuelle). +TP_LOCALLAB_JZADAP;PU adaptation +TP_LOCALLAB_JZFRA;Jz Cz Hz Adjustments Images +TP_LOCALLAB_JZLIGHT;Brightness +TP_LOCALLAB_JZCONT;Contraste +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma +TP_LOCALLAB_JZHFRA;Courbes Hz +TP_LOCALLAB_JZHJZFRA;Courbe Jz(Hz) +TP_LOCALLAB_JZHUECIE;Rotation de teinte +TP_LOCALLAB_JZLOGWB_TOOLTIP;Si Auto est activé, il calculera et ajustera les niveaux Ev et la 'luminance moyenne Yb%' pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Jz, y compris "Log Encoding Jz".\nCalcule également la luminance absolue au moment de la prise de vue. +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Les réglages Black Ev et White Ev peuvent être différents selon que l'encodage Log ou Sigmoid est utilisé.\nPour Sigmoid, un changement (augmentation dans la plupart des cas) de White Ev peut être nécessaire pour obtenir un meilleur rendu des hautes lumières, du contraste et de la saturation. +TP_LOCALLAB_JZSAT;Saturation +TP_LOCALLAB_JZSHFRA;Ombres/Lumières Jz +TP_LOCALLAB_JZSOFTCIE;Rayon adoucir (GuidedFilter) +TP_LOCALLAB_JZTARGET_EV;Luminance moyenne (Yb%) +TP_LOCALLAB_JZSTRSOFTCIE;GuidedFilter Force +TP_LOCALLAB_JZQTOJ;Luminance relative +TP_LOCALLAB_JZQTOJ_TOOLTIP;Vous permet d'utiliser "Luminance relative" au lieu de "Luminance absolue" - La luminosité devient Brightness.\nLes changements affectent : le curseur Luminosité, le curseur Contraste et la courbe Jz(Jz). +TP_LOCALLAB_JZTHRHCIE;Seuik Chroma pour Jz(Hz) +TP_LOCALLAB_JZWAVEXP;Ondelettes Jz +TP_LOCALLAB_JZLOG;Log encoding Jz +TP_LOCALLAB_LOG;Log Encoding +TP_LOCALLAB_LOG1FRA;CAM16 Adjustment Images +TP_LOCALLAB_LOG2FRA;Conditions de visionnage +TP_LOCALLAB_LOGAUTO;Automatique +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène lorsque le bouton « Automatique » dans les niveaux d'exposition relatifs est enfoncé. +TP_LOCALLAB_LOGAUTO_TOOLTIP;Appuyez sur ce bouton pour calculer la plage dynamique et la « Luminance moyenne » pour les conditions de la scène si la « Luminance moyenne automatique (Yb %) » est cochée).\nCalcule également la luminance absolue au moment de la prise de vue.\nAppuyez à nouveau sur le bouton pour ajuster les valeurs calculées automatiquement. +TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées du dynamic range entre Black Ev et White Ev +TP_LOCALLAB_LOGCATAD_TOOLTIP;L'adaptation chromatique permet d'interpréter une couleur en fonction de son environnement spatio-temporel.\nUtile lorsque la balance des blancs s'écarte sensiblement de la référence D50.\nAdapte les couleurs à l'illuminant du périphérique de sortie. +TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +TP_LOCALLAB_LOGCIE;Log encoding au lieu de Sigmoid +TP_LOCALLAB_LOGCIE_TOOLTIP;Vous permet d'utiliser Black Ev, White Ev, Scene Mean luminance (Yb%) et Viewing Mean luminance (Yb%) pour le mappage des tons à l'aide de l'encodage Log Q. +TP_LOCALLAB_LOGCONQL;Contraste (Q) +TP_LOCALLAB_LOGCONTL;Contraste (J) +TP_LOCALLAB_LOGCOLORF_TOOLTIP;Quantité de teinte perçue par rapport au gris.\nIndicateur qu'un stimulus apparaît plus ou moins coloré. +TP_LOCALLAB_LOGCONTL_TOOLTIP;Le contraste (J) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminance +TP_LOCALLAB_LOGCONTQ_TOOLTIP;Le contraste (Q) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminosité (brightness). +TP_LOCALLAB_LOGCONTHRES;Contrast seuil (J & Q) +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Ajuste la plage de contraste des tons moyens (J et Q).\nLes valeurs positives réduisent progressivement l'effet des curseurs Contraste (J et Q). Les valeurs négatives augmentent progressivement l'effet des curseurs Contraste. +TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +TP_LOCALLAB_LOGDETAIL_TOOLTIP;Agit principalement sur les hautes frequences. +TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUtile pour les images sous-exposées ou les images avec une plage dynamique élevée.\n\nProcessus en deux étapes : 1) Calcul de la plage dynamique 2) Réglage manuel +TP_LOCALLAB_LOGEXP;Tous les outils +TP_LOCALLAB_LOGFRA;Scene Conditions +TP_LOCALLAB_LOGFRAME_TOOLTIP;Vous permet de calculer et d'ajuster les niveaux Ev et la 'luminance moyenne Yb%' (point gris source) pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Lab et la plupart des opérations RVB du pipeline.\nCalcule également la luminance absolue au moment de la prise de vue. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Prend en compte les variables Ciecam correspondantes : c'est-à-dire le contraste (J) et la saturation (s), ainsi que le contraste (Q), la luminosité (Q), la luminosité (J) et la couleur (M) (en mode avancé) +TP_LOCALLAB_LOGLIGHTL;Lightness (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Proche de lightness (L*a*b*). Prend en compte l'augmentation de la coloration perçue +TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Quantité de lumière perçue émanant d'un stimulus.\nIndicateur qu'un stimulus semble être plus ou moins brillant, clair. +TP_LOCALLAB_LOGLIN;Logarithm mode +TP_LOCALLAB_LOGPFRA;Niveaux Exposition relatifs +TP_LOCALLAB_LOGREPART;Force Globale +TP_LOCALLAB_LOGREPART_TOOLTIP;Vous permet d'ajuster la force relative de l'image encodée en journal par rapport à l'image d'origine.\nN'affecte pas le composant Ciecam. +TP_LOCALLAB_LOGSATURL_TOOLTIP;La saturation(s) dans CIECAM16 correspond à la couleur d'un stimulus par rapport à sa propre luminosité.\nAgit principalement sur les tons moyens et sur les hautes lumières. +TP_LOCALLAB_LOGSCENE_TOOLTIP;Correspond aux conditions de prise de vue. +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Modifie les tonalités et les couleurs pour prendre en compte les conditions de la scène.\n\nMoyen : conditions d'éclairage moyennes (standard). L'image ne changera pas.\n\nDim : conditions de luminosité. L'image deviendra légèrement plus lumineuse.\n\nSombre : conditions sombres. L'image deviendra plus lumineuse. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Correspond au support sur lequel sera visualisée l'image finale (moniteur, TV, projecteur, imprimante...), ainsi qu'aux conditions environnantes. +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb est la luminance relative du fond, exprimée en pourcentage de gris. 18 % de gris correspond à une luminance d'arrière-plan de 50 % lorsqu'elle est exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image.\nLorsqu'elle est utilisée avec Log Encoding, la luminance moyenne est utilisée pour déterminer la quantité de gain nécessaire à appliquer au signal avant le codage logarithmique. Des valeurs inférieures de luminance moyenne se traduiront par un gain accru. +TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LABBLURM;Masque Flouter TP_LOCALLAB_LABEL;Ajustements Locaux TP_LOCALLAB_LABGRID;Grille correction couleurs @@ -2044,7 +2147,7 @@ TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramide 2: TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contr. par niveaux/TM/Cont.Dir. TP_LOCALLAB_LOC_CONTRASTPYRLAB; Filtre Gradué/Netteté bords/Flou TP_LOCALLAB_LOC_RESIDPYR;Image Residuelle -TP_LOCALLAB_LOG;Codage log +TP_LOCALLAB_LOG;Codage logbwforce TP_LOCALLAB_LOG1FRA;Ajustements Image TP_LOCALLAB_LOG2FRA;Conditions de visionnage TP_LOCALLAB_LOGAUTO;Automatique @@ -2279,6 +2382,7 @@ TP_LOCALLAB_REWEI;Repondération iterations TP_LOCALLAB_RGB;RGB Courbe de tonalité TP_LOCALLAB_ROW_NVIS;Pas visible TP_LOCALLAB_ROW_VIS;Visible +TP_LOCALLAB_RSTPROTECT_TOOLTIP;La protection des rouges et des tons chair affecte les curseurs Saturation, Chroma et Colorfulness. TP_LOCALLAB_SATUR;Saturation TP_LOCALLAB_SAVREST;Sauve - Récupère Image Courante TP_LOCALLAB_SCALEGR;Echelle @@ -2353,6 +2457,13 @@ TP_LOCALLAB_SHRESFRA;Ombres/Lumières TP_LOCALLAB_SHTRC_TOOLTIP;Modifie les tons de l'image en agissant sur la TRC (Tone Response Curve).\nGamma agit principalement sur les tons lumineux.\nSlope (pente) agit principalement sur les tons sombres. TP_LOCALLAB_SH_TOOLNAME;Ombres/lumières & Egaliseur tonal - 5 TP_LOCALLAB_SIGMAWAV;Atténuation Réponse +TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +TP_LOCALLAB_SIGMOIDLAMBDA;Contraste +TP_LOCALLAB_SIGMOIDTH;Seuil (Gray point) +TP_LOCALLAB_SIGMOIDBL;Mélange +TP_LOCALLAB_SIGMOIDQJ;Utilise Black Ev & White Ev +TP_LOCALLAB_SIGMOID_TOOLTIP;Permet de simuler une apparence de Tone-mapping en utilisant à la fois la fonction 'Ciecam' (ou 'Jz') et 'Sigmoïde'.\nTrois curseurs : a) Le contraste agit sur la forme de la courbe sigmoïde et par conséquent sur la force ; b) Seuil (Point gris) distribue l'action en fonction de la luminance ; c)Blend agit sur l'aspect final de l'image, le contraste et la luminance. TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Pente (slope) TP_LOCALLAB_SLOMASK_TOOLTIP;Gamma et Pente (Slope) autorise une transformation du masque en douceur et sans artefacts en modifiant progressivement "L" pour éviter les discontinuité. @@ -2504,6 +2615,30 @@ TP_PCVIGNETTE_STRENGTH_TOOLTIP;Force du filtre en EV (maximum dans les coins) TP_PERSPECTIVE_HORIZONTAL;Horizontale TP_PERSPECTIVE_LABEL;Perspective TP_PERSPECTIVE_VERTICAL;Verticale +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Au moins deux lignes de contrôle horizontales ou deux verticales requises. +TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Facteur de réduction (crop) +TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Longueur focale +TP_PERSPECTIVE_CAMERA_FRAME;Correction +TP_PERSPECTIVE_CAMERA_PITCH;Vertical +TP_PERSPECTIVE_CAMERA_ROLL;Rotation +TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Décalage Horizontal +TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Décalage Vertical +TP_PERSPECTIVE_CAMERA_YAW;Horizontal +TP_PERSPECTIVE_CONTROL_LINES;Lignes de contrôle +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+faire glisser : dessiner une nouvelle ligne\nClic droit : supprimer la ligne +TP_PERSPECTIVE_HORIZONTAL;Horizontal +TP_PERSPECTIVE_LABEL;Perspective +TP_PERSPECTIVE_METHOD;Méthode +TP_PERSPECTIVE_METHOD_CAMERA_BASED;Basé sur Camera +TP_PERSPECTIVE_METHOD_SIMPLE;Simple +TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Ajustement post-correction +TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Décalage Horizontal +TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Décalage Vertical +TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +TP_PERSPECTIVE_RECOVERY_FRAME;Récupération +TP_PERSPECTIVE_VERTICAL;Vertical TP_PFCURVE_CURVEEDITOR_CH;Teinte TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Contrôle la force du défrangeage en fonction de la couleur. En haut = action maxi, en bas = pas d'action sur la couleur. TP_PREPROCESS_DEADPIXFILT;Filtrer les pixels morts @@ -3018,8 +3153,11 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !GENERAL_HELP;Help !HISTORY_MSG_494;Capture Sharpening !HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only -!HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative -!HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values +HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negatif +HISTORY_MSG_FILMNEGATIVE_VALUES;Film negatif valeurs +HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Réference Sortie +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negativf Espace couleur +HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Référence entrée !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations @@ -3029,7 +3167,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost !HISTORY_MSG_TRANS_METHOD;Geometry - Method !MAIN_FRAME_PLACES_DEL;Remove -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film Negatif !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... !PROGRESSBAR_HLREC;Highlight reconstruction... @@ -3039,12 +3177,23 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !QUEUE_LOCATION_TITLE;Output Location !TP_CROP_PPI;PPI !TP_DEHAZE_LUMINANCE;Luminance only -!TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. -!TP_FILMNEGATIVE_LABEL;Film Negative -!TP_FILMNEGATIVE_PICK;Pick neutral spots -!TP_FILMNEGATIVE_RED;Red ratio +TP_FILMNEGATIVE_BLUE;Ratio bleu +TP_FILMNEGATIVE_BLUEBALANCE;Froid/Chaud +TP_FILMNEGATIVE_COLORSPACE;Inversion espace couleur: +TP_FILMNEGATIVE_COLORSPACE_INPUT;Espace couleur -entrée +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Sélectionnez l'espace colorimétrique utilisé pour effectuer l'inversion négative :\nEspace colorimétrique d'entrée : effectuez l'inversion avant l'application du profil d'entrée, comme dans les versions précédentes de RT.\nEspace colorimétrique de travail< /b> : effectue l'inversion après le profil d'entrée, en utilisant le profil de travail actuellement sélectionné. +TP_FILMNEGATIVE_COLORSPACE_WORKING;Espace couleur de travail +TP_FILMNEGATIVE_REF_LABEL;Entrée RGB: %1 +TP_FILMNEGATIVE_REF_PICK;Choisissez le point de la balance des blancs +TP_FILMNEGATIVE_REF_TOOLTIP;Choisissez un patch gris pour équilibrer les blancs de la sortie, image positive. +TP_FILMNEGATIVE_GREEN;Exposant de référence +TP_FILMNEGATIVE_GREENBALANCE;Magenta/Vert +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. +TP_FILMNEGATIVE_LABEL;Film Negatif +TP_FILMNEGATIVE_OUT_LEVEL;Niveau de sortie +TP_FILMNEGATIVE_PICK;Choix des endroits neutres +TP_FILMNEGATIVE_RED;Ratio Rouge +TP_FILMNEGATIVE_GUESS_TOOLTIP;Définissez automatiquement les ratios rouge et bleu en choisissant deux patchs qui avaient une teinte neutre (pas de couleur) dans la scène d'origine. Les patchs doivent différer en luminosité. !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatically selected From 0a554282054c061fb06422ebae1f218fec8003e2 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Wed, 24 Aug 2022 11:23:09 -0700 Subject: [PATCH 094/170] Clean up missing language keys (#6556) * Clean up some unused code * Use grid for abstract profile primaries * Remove blank line from default --- rtdata/languages/default | 57 +++++-------- rtengine/ipwavelet.cc | 23 +++--- rtengine/procevents.h | 15 +--- rtengine/procparams.cc | 86 +++++++++---------- rtengine/procparams.h | 4 +- rtgui/blackwhite.cc | 1 - rtgui/controlspotpanel.cc | 168 +++++++++++++++++++------------------- rtgui/controlspotpanel.h | 16 ++-- rtgui/icmpanel.cc | 108 ++++++++---------------- rtgui/icmpanel.h | 22 +++-- rtgui/locallab.cc | 28 +++---- rtgui/locallab.h | 4 +- rtgui/locallabtools.h | 6 +- rtgui/locallabtools2.cc | 64 +++++++-------- rtgui/paramsedited.cc | 20 ++--- rtgui/paramsedited.h | 4 +- rtgui/perspective.cc | 2 +- rtgui/toolpanelcoord.cc | 2 +- rtgui/wavelet.cc | 148 ++++++++++++++++----------------- rtgui/wavelet.h | 12 +-- 20 files changed, 361 insertions(+), 429 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index d7d9c5a55..53911e1c3 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -662,7 +662,7 @@ HISTORY_MSG_421;Retinex - Gamma HISTORY_MSG_422;Retinex - Gamma HISTORY_MSG_423;Retinex - Gamma slope HISTORY_MSG_424;Retinex - HL threshold -HISTORY_MSG_425;Retinex - Log base +HISTORY_MSG_425;--unused-- HISTORY_MSG_426;Retinex - Hue equalizer HISTORY_MSG_427;Output rendering intent HISTORY_MSG_428;Monitor rendering intent @@ -683,31 +683,31 @@ HISTORY_MSG_442;Retinex - Scale HISTORY_MSG_443;Output black point compensation HISTORY_MSG_444;WB - Temp bias HISTORY_MSG_445;Raw Sub-Image -HISTORY_MSG_446;EvPixelShiftMotion -HISTORY_MSG_447;EvPixelShiftMotionCorrection -HISTORY_MSG_448;EvPixelShiftStddevFactorGreen +HISTORY_MSG_446;--unused-- +HISTORY_MSG_447;--unused-- +HISTORY_MSG_448;--unused-- HISTORY_MSG_449;PS ISO adaption -HISTORY_MSG_450;EvPixelShiftNreadIso -HISTORY_MSG_451;EvPixelShiftPrnu +HISTORY_MSG_450;--unused-- +HISTORY_MSG_451;--unused-- HISTORY_MSG_452;PS Show motion HISTORY_MSG_453;PS Show mask only -HISTORY_MSG_454;EvPixelShiftAutomatic -HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal -HISTORY_MSG_456;EvPixelShiftNonGreenVertical +HISTORY_MSG_454;--unused-- +HISTORY_MSG_455;--unused-- +HISTORY_MSG_456;--unused-- HISTORY_MSG_457;PS Check red/blue -HISTORY_MSG_458;EvPixelShiftStddevFactorRed -HISTORY_MSG_459;EvPixelShiftStddevFactorBlue -HISTORY_MSG_460;EvPixelShiftGreenAmaze -HISTORY_MSG_461;EvPixelShiftNonGreenAmaze +HISTORY_MSG_458;--unused-- +HISTORY_MSG_459;--unused-- +HISTORY_MSG_460;--unused-- +HISTORY_MSG_461;--unused-- HISTORY_MSG_462;PS Check green -HISTORY_MSG_463;EvPixelShiftRedBlueWeight +HISTORY_MSG_463;--unused-- HISTORY_MSG_464;PS Blur motion mask HISTORY_MSG_465;PS Blur radius -HISTORY_MSG_466;EvPixelShiftSum -HISTORY_MSG_467;EvPixelShiftExp0 +HISTORY_MSG_466;--unused-- +HISTORY_MSG_467;--unused-- HISTORY_MSG_468;PS Fill holes HISTORY_MSG_469;PS Median -HISTORY_MSG_470;EvPixelShiftMedian3 +HISTORY_MSG_470;--unused-- HISTORY_MSG_471;PS Motion correction HISTORY_MSG_472;PS Smooth transitions HISTORY_MSG_474;PS Equalize @@ -815,7 +815,7 @@ HISTORY_MSG_576;Local - cbdl mult HISTORY_MSG_577;Local - cbdl chroma HISTORY_MSG_578;Local - cbdl threshold HISTORY_MSG_579;Local - cbdl scope -HISTORY_MSG_580;Local - Denoise +HISTORY_MSG_580;--unused-- HISTORY_MSG_581;Local - deNoise lum f 1 HISTORY_MSG_582;Local - deNoise lum c HISTORY_MSG_583;Local - deNoise lum detail @@ -898,7 +898,7 @@ HISTORY_MSG_660;Local - cbdl clarity HISTORY_MSG_661;Local - cbdl contrast residual HISTORY_MSG_662;Local - deNoise lum f 0 HISTORY_MSG_663;Local - deNoise lum f 2 -HISTORY_MSG_664;Local - cbdl Blur +HISTORY_MSG_664;--unused-- HISTORY_MSG_665;Local - cbdl mask Blend HISTORY_MSG_666;Local - cbdl mask radius HISTORY_MSG_667;Local - cbdl mask chroma @@ -1146,7 +1146,7 @@ HISTORY_MSG_920;Local - Wavelet sigma LC HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 HISTORY_MSG_922;Local - changes In Black and White HISTORY_MSG_923;Local - Tool complexity mode -HISTORY_MSG_924;Local - Tool complexity mode +HISTORY_MSG_924;--unused-- HISTORY_MSG_925;Local - Scope color tools HISTORY_MSG_926;Local - Show mask type HISTORY_MSG_927;Local - Shadow @@ -1323,7 +1323,6 @@ HISTORY_MSG_1095;Local - Jz highligths thr HISTORY_MSG_1096;Local - Jz shadows HISTORY_MSG_1097;Local - Jz shadows thr HISTORY_MSG_1098;Local - Jz radius SH -//HISTORY_MSG_1099;Local - Hz(Hz) Curve HISTORY_MSG_1099;Local - Cz(Hz) Curve HISTORY_MSG_1100;Local - Jz reference 100 HISTORY_MSG_1101;Local - Jz PQ remap @@ -1494,7 +1493,6 @@ HISTORY_MSG_WAVCHROMFI;Chroma fine HISTORY_MSG_WAVCHR;Blur levels - blur chroma HISTORY_MSG_WAVCLARI;Clarity HISTORY_MSG_WAVDENLH;Level 5 -HISTORY_MSG_WAVDENMET;Local equalizer HISTORY_MSG_WAVDENOISE;Local contrast HISTORY_MSG_WAVDENOISEH;High levels Local contrast HISTORY_MSG_WAVDETEND;Details soft @@ -2651,7 +2649,6 @@ TP_LOCALCONTRAST_RADIUS;Radius TP_LOCALLAB_ACTIV;Luminance only TP_LOCALLAB_ACTIVSPOT;Enable Spot TP_LOCALLAB_ADJ;Equalizer Color -TP_LOCALLAB_ALL;All rubrics TP_LOCALLAB_AMOUNT;Amount TP_LOCALLAB_ARTIF;Shape detection TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. @@ -2769,8 +2766,6 @@ TP_LOCALLAB_COLOR_TOOLNAME;Color & Light TP_LOCALLAB_COL_NAME;Name TP_LOCALLAB_COL_VIS;Status TP_LOCALLAB_COMPFRA;Directional contrast -TP_LOCALLAB_COMPLEX_METHOD;Software Complexity -TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping TP_LOCALLAB_CONTCOL;Contrast threshold TP_LOCALLAB_CONTFRA;Contrast by level @@ -2877,7 +2872,6 @@ TP_LOCALLAB_FATDETAIL;Detail TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. TP_LOCALLAB_FATLEVEL;Sigma -TP_LOCALLAB_FATRES;Amount Residual Image TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) @@ -3107,7 +3101,6 @@ TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) TP_LOCALLAB_MASKRECOTHRES;Recovery threshold TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. -TP_LOCALLAB_MED;Medium TP_LOCALLAB_MEDIAN;Median Low TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. @@ -3244,7 +3237,6 @@ TP_LOCALLAB_ROW_VIS;Visible TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. TP_LOCALLAB_SATUR;Saturation TP_LOCALLAB_SATURV;Saturation (s) -TP_LOCALLAB_SAVREST;Save - Restore Current Image TP_LOCALLAB_SCALEGR;Scale TP_LOCALLAB_SCALERETI;Scale TP_LOCALLAB_SCALTM;Scale @@ -3318,7 +3310,6 @@ TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) TP_LOCALLAB_SIGMOIDBL;Blend TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. -TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Slope TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. TP_LOCALLAB_SLOSH;Slope @@ -3846,7 +3837,6 @@ TP_WAVELET_CONTEDIT;'After' contrast curve TP_WAVELET_CONTFRAME;Contrast - Compression TP_WAVELET_CONTR;Gamut TP_WAVELET_CONTRA;Contrast -TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels TP_WAVELET_CONTRAST_MINUS;Contrast - TP_WAVELET_CONTRAST_PLUS;Contrast + TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. @@ -3869,13 +3859,7 @@ TP_WAVELET_DAUB14;D14 - high TP_WAVELET_DAUBLOCAL;Wavelet Edge performance TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. TP_WAVELET_DEN5THR;Guided threshold -TP_WAVELET_DEN12LOW;1 2 Low -TP_WAVELET_DEN12PLUS;1 2 High -TP_WAVELET_DEN14LOW;1 4 Low -TP_WAVELET_DEN14PLUS;1 4 High -TP_WAVELET_DENCONTRAST;Local contrast Equalizer TP_WAVELET_DENCURV;Curve -TP_WAVELET_DENEQUAL;1 2 3 4 Equal TP_WAVELET_DENL;Correction structure TP_WAVELET_DENLH;Guided threshold levels 1-4 TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained @@ -3918,7 +3902,6 @@ TP_WAVELET_EDTYPE;Local contrast method TP_WAVELET_EDVAL;Strength TP_WAVELET_FINAL;Final Touchup TP_WAVELET_FINCFRAME;Final local contrast -TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values TP_WAVELET_FINEST;Finest TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) diff --git a/rtengine/ipwavelet.cc b/rtengine/ipwavelet.cc index a545c719a..5ced9dbdd 100644 --- a/rtengine/ipwavelet.cc +++ b/rtengine/ipwavelet.cc @@ -301,17 +301,18 @@ void ImProcFunctions::ip_wavelet(LabImage * lab, LabImage * dst, int kall, const } - if (params->wavelet.denmethod == "equ") { - cp.denmet = 0; - } else if (params->wavelet.denmethod == "high") { - cp.denmet = 1; - } else if (params->wavelet.denmethod == "low") { - cp.denmet = 2; - } else if (params->wavelet.denmethod == "12high") { - cp.denmet = 3; - } else if (params->wavelet.denmethod == "12low") { - cp.denmet = 4; - } + cp.denmet = 4; + //if (params->wavelet.denmethod == "equ") { + // cp.denmet = 0; + //} else if (params->wavelet.denmethod == "high") { + // cp.denmet = 1; + //} else if (params->wavelet.denmethod == "low") { + // cp.denmet = 2; + //} else if (params->wavelet.denmethod == "12high") { + // cp.denmet = 3; + //} else if (params->wavelet.denmethod == "12low") { + // cp.denmet = 4; + //} if (params->wavelet.mixmethod == "nois") { cp.mixmet = 0; diff --git a/rtengine/procevents.h b/rtengine/procevents.h index 4c9f4f8ec..a83419559 100644 --- a/rtengine/procevents.h +++ b/rtengine/procevents.h @@ -893,7 +893,7 @@ enum ProcEventCode { Evlocallabsigmadc = 863, Evlocallabdeltad = 864, EvlocallabwavCurvecomp = 865, - Evlocallabfatres = 866, + //Evlocallabfatres = 866, EvLocallabSpotbalanh = 867, EvlocallabwavCurveden = 868, EvlocallabHHmasklcshape = 869, @@ -922,7 +922,7 @@ enum ProcEventCode { Evlocallabanglog = 892, EvLocallabSpotcolorde = 893, // EvlocallabshowmasksharMethod = 894, - Evlocallabshowreset = 895, + //Evlocallabshowreset = 895, Evlocallabstrengthw = 896, Evlocallabradiusw = 897, Evlocallabdetailw = 898, @@ -1002,7 +1002,7 @@ enum ProcEventCode { EvLocallabchromaskL = 972, EvlocallabLmaskshapeL = 973, Evlocallablightl = 974, - EvlocallabLshapeL = 975, + //EvlocallabLshapeL = 975, Evlocallabcontq = 976, Evlocallabsursour = 977, Evlocallablightq = 978, @@ -1125,7 +1125,6 @@ enum ProcEventCode { Evlocallabshjzcie = 1095, Evlocallabshthjzcie = 1096, Evlocallabradjzcie = 1097, -// EvlocallabHHshapejz = 1098, EvlocallabCHshapejz = 1098, Evlocallabjz100 = 1099, Evlocallabpqremap = 1100, @@ -1140,14 +1139,6 @@ enum ProcEventCode { Evlocallabshapecz = 1109, Evlocallabshapeczjz = 1110, Evlocallabforcejz = 1111, - //Evlocallablightlzcam = 1113, - //Evlocallablightqzcam = 1114, - //Evlocallabcontlzcam = 1115, - //Evlocallabcontqzcam = 1116, - //Evlocallabcontthreszcam = 1117, - //Evlocallabcolorflzcam = 1118, - //Evlocallabsaturzcam = 1119, - //Evlocallabchromzcam = 1120, Evlocallabpqremapcam16 = 1112, EvLocallabEnacieMask = 1113, EvlocallabCCmaskcieshape = 1114, diff --git a/rtengine/procparams.cc b/rtengine/procparams.cc index 9a9e4fef1..04ece8bc3 100644 --- a/rtengine/procparams.cc +++ b/rtengine/procparams.cc @@ -2420,41 +2420,41 @@ WaveletParams::WaveletParams() : 0.35, 0.35 }, - opacityCurveSH{ - static_cast(FCT_MinMaxCPoints), - 0., - 1., - 0.35, - 0.35, - 0.15, - 0.9, - 0.35, - 0.35, - 0.4, - 0.8, - 0.35, - 0.35, - 0.4, - 0.5, - 0.35, - 0.35, - 0.5, - 0.5, - 0.35, - 0.35, - 0.5, - 0.2, - 0.35, - 0.35, - 0.8, - 0.1, - 0.35, - 0.35, - 1.0, - 0., - 0.35, - 0.35 - }, + //opacityCurveSH{ + // static_cast(FCT_MinMaxCPoints), + // 0., + // 1., + // 0.35, + // 0.35, + // 0.15, + // 0.9, + // 0.35, + // 0.35, + // 0.4, + // 0.8, + // 0.35, + // 0.35, + // 0.4, + // 0.5, + // 0.35, + // 0.35, + // 0.5, + // 0.5, + // 0.35, + // 0.35, + // 0.5, + // 0.2, + // 0.35, + // 0.35, + // 0.8, + // 0.1, + // 0.35, + // 0.35, + // 1.0, + // 0., + // 0.35, + // 0.35 + //}, /* opacityCurveSH{ static_cast(FCT_MinMaxCPoints), @@ -2592,7 +2592,7 @@ WaveletParams::WaveletParams() : Backmethod("grey"), Tilesmethod("full"), complexmethod("normal"), - denmethod("12low"), + //denmethod("12low"), mixmethod("mix"), slimethod("sli"), quamethod("cons"), @@ -2666,7 +2666,7 @@ bool WaveletParams::operator ==(const WaveletParams& other) const && wavdenoiseh == other.wavdenoiseh && blcurve == other.blcurve && opacityCurveRG == other.opacityCurveRG - && opacityCurveSH == other.opacityCurveSH + //&& opacityCurveSH == other.opacityCurveSH && opacityCurveBY == other.opacityCurveBY && opacityCurveW == other.opacityCurveW && opacityCurveWL == other.opacityCurveWL @@ -2742,7 +2742,7 @@ bool WaveletParams::operator ==(const WaveletParams& other) const && Backmethod == other.Backmethod && Tilesmethod == other.Tilesmethod && complexmethod == other.complexmethod - && denmethod == other.denmethod + //&& denmethod == other.denmethod && mixmethod == other.mixmethod && slimethod == other.slimethod && quamethod == other.quamethod @@ -2829,7 +2829,7 @@ void WaveletParams::getCurves( wavdenoiseh.Set(this->wavdenoiseh); tCurve.Set(this->blcurve); opacityCurveLUTRG.Set(this->opacityCurveRG); - opacityCurveLUTSH.Set(this->opacityCurveSH); + //opacityCurveLUTSH.Set(this->opacityCurveSH); opacityCurveLUTBY.Set(this->opacityCurveBY); opacityCurveLUTW.Set(this->opacityCurveW); opacityCurveLUTWL.Set(this->opacityCurveWL); @@ -7235,7 +7235,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || pedited->wavelet.thres, "Wavelet", "MaxLev", wavelet.thres, keyFile); saveToKeyfile(!pedited || pedited->wavelet.Tilesmethod, "Wavelet", "TilesMethod", wavelet.Tilesmethod, keyFile); saveToKeyfile(!pedited || pedited->wavelet.complexmethod, "Wavelet", "complexMethod", wavelet.complexmethod, keyFile); - saveToKeyfile(!pedited || pedited->wavelet.denmethod, "Wavelet", "denMethod", wavelet.denmethod, keyFile); + //saveToKeyfile(!pedited || pedited->wavelet.denmethod, "Wavelet", "denMethod", wavelet.denmethod, keyFile); saveToKeyfile(!pedited || pedited->wavelet.mixmethod, "Wavelet", "mixMethod", wavelet.mixmethod, keyFile); saveToKeyfile(!pedited || pedited->wavelet.slimethod, "Wavelet", "sliMethod", wavelet.slimethod, keyFile); saveToKeyfile(!pedited || pedited->wavelet.quamethod, "Wavelet", "quaMethod", wavelet.quamethod, keyFile); @@ -7326,7 +7326,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || pedited->wavelet.pastlev, "Wavelet", "Pastlev", wavelet.pastlev.toVector(), keyFile); saveToKeyfile(!pedited || pedited->wavelet.satlev, "Wavelet", "Satlev", wavelet.satlev.toVector(), keyFile); saveToKeyfile(!pedited || pedited->wavelet.opacityCurveRG, "Wavelet", "OpacityCurveRG", wavelet.opacityCurveRG, keyFile); - saveToKeyfile(!pedited || pedited->wavelet.opacityCurveSH, "Wavelet", "Levalshc", wavelet.opacityCurveSH, keyFile); + //saveToKeyfile(!pedited || pedited->wavelet.opacityCurveSH, "Wavelet", "Levalshc", wavelet.opacityCurveSH, keyFile); saveToKeyfile(!pedited || pedited->wavelet.opacityCurveBY, "Wavelet", "OpacityCurveBY", wavelet.opacityCurveBY, keyFile); saveToKeyfile(!pedited || pedited->wavelet.wavdenoise, "Wavelet", "wavdenoise", wavelet.wavdenoise, keyFile); saveToKeyfile(!pedited || pedited->wavelet.wavdenoiseh, "Wavelet", "wavdenoiseh", wavelet.wavdenoiseh, keyFile); @@ -9595,7 +9595,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) } } - assignFromKeyfile(keyFile, "Wavelet", "denMethod", pedited, wavelet.denmethod, pedited->wavelet.denmethod); + //assignFromKeyfile(keyFile, "Wavelet", "denMethod", pedited, wavelet.denmethod, pedited->wavelet.denmethod); assignFromKeyfile(keyFile, "Wavelet", "mixMethod", pedited, wavelet.mixmethod, pedited->wavelet.mixmethod); assignFromKeyfile(keyFile, "Wavelet", "sliMethod", pedited, wavelet.slimethod, pedited->wavelet.slimethod); assignFromKeyfile(keyFile, "Wavelet", "quaMethod", pedited, wavelet.quamethod, pedited->wavelet.quamethod); @@ -9645,7 +9645,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) assignFromKeyfile(keyFile, "Wavelet", "ContrastCurve", pedited, wavelet.ccwcurve, pedited->wavelet.ccwcurve); assignFromKeyfile(keyFile, "Wavelet", "blcurve", pedited, wavelet.blcurve, pedited->wavelet.blcurve); assignFromKeyfile(keyFile, "Wavelet", "OpacityCurveRG", pedited, wavelet.opacityCurveRG, pedited->wavelet.opacityCurveRG); - assignFromKeyfile(keyFile, "Wavelet", "Levalshc", pedited, wavelet.opacityCurveSH, pedited->wavelet.opacityCurveSH); + //assignFromKeyfile(keyFile, "Wavelet", "Levalshc", pedited, wavelet.opacityCurveSH, pedited->wavelet.opacityCurveSH); assignFromKeyfile(keyFile, "Wavelet", "OpacityCurveBY", pedited, wavelet.opacityCurveBY, pedited->wavelet.opacityCurveBY); assignFromKeyfile(keyFile, "Wavelet", "wavdenoise", pedited, wavelet.wavdenoise, pedited->wavelet.wavdenoise); assignFromKeyfile(keyFile, "Wavelet", "wavdenoiseh", pedited, wavelet.wavdenoiseh, pedited->wavelet.wavdenoiseh); diff --git a/rtengine/procparams.h b/rtengine/procparams.h index 04229867b..d730316e2 100644 --- a/rtengine/procparams.h +++ b/rtengine/procparams.h @@ -2070,7 +2070,7 @@ struct WaveletParams { std::vector blcurve; std::vector levelshc; std::vector opacityCurveRG; - std::vector opacityCurveSH; + //std::vector opacityCurveSH; std::vector opacityCurveBY; std::vector opacityCurveW; std::vector opacityCurveWL; @@ -2143,7 +2143,7 @@ struct WaveletParams { Glib::ustring Backmethod; Glib::ustring Tilesmethod; Glib::ustring complexmethod; - Glib::ustring denmethod; + //Glib::ustring denmethod; Glib::ustring mixmethod; Glib::ustring slimethod; Glib::ustring quamethod; diff --git a/rtgui/blackwhite.cc b/rtgui/blackwhite.cc index 7b54f09d2..7fcc45312 100644 --- a/rtgui/blackwhite.cc +++ b/rtgui/blackwhite.cc @@ -1205,7 +1205,6 @@ void BlackWhite::setBatchMode (bool batchMode) { removeIfThere (autoHBox, autoch, false); autoch = Gtk::manage (new Gtk::CheckButton (M("TP_BWMIX_AUTOCH"))); - autoch->set_tooltip_markup (M("TP_BWMIX_AUTOCH_TIP")); autoconn = autoch->signal_toggled().connect( sigc::mem_fun(*this, &BlackWhite::autoch_toggled) ); autoHBox->pack_start (*autoch); diff --git a/rtgui/controlspotpanel.cc b/rtgui/controlspotpanel.cc index 400309512..0d57d98bb 100644 --- a/rtgui/controlspotpanel.cc +++ b/rtgui/controlspotpanel.cc @@ -53,7 +53,7 @@ ControlSpotPanel::ControlSpotPanel(): spotMethod_(Gtk::manage(new MyComboBoxText())), shapeMethod_(Gtk::manage(new MyComboBoxText())), qualityMethod_(Gtk::manage(new MyComboBoxText())), - complexMethod_(Gtk::manage(new MyComboBoxText())), + //complexMethod_(Gtk::manage(new MyComboBoxText())), wavMethod_(Gtk::manage(new MyComboBoxText())), sensiexclu_(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SENSIEXCLU"), 0, 100, 1, 12))), @@ -90,7 +90,7 @@ ControlSpotPanel::ControlSpotPanel(): laplac_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_LAPLACC")))), deltae_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_DELTAEC")))), shortc_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SHORTC")))), - savrest_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SAVREST")))), + //savrest_(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_SAVREST")))), expTransGrad_(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_TRANSIT")))), expShapeDetect_(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_ARTIF")))), @@ -476,11 +476,11 @@ ControlSpotPanel::ControlSpotPanel(): } lumask_->setAdjusterListener(this); - savrestConn_ = savrest_->signal_toggled().connect( - sigc::mem_fun(*this, &ControlSpotPanel::savrestChanged)); + //savrestConn_ = savrest_->signal_toggled().connect( + // sigc::mem_fun(*this, &ControlSpotPanel::savrestChanged)); if (showtooltip) { - savrest_->set_tooltip_text(M("TP_LOCALLAB_SAVREST_TOOLTIP")); + //savrest_->set_tooltip_text(M("TP_LOCALLAB_SAVREST_TOOLTIP")); lumask_->set_tooltip_text(M("TP_LOCALLAB_LUMASK_TOOLTIP")); laplac_->set_tooltip_text(M("TP_LOCALLAB_LAP_MASK_TOOLTIP")); } @@ -498,27 +498,27 @@ ControlSpotPanel::ControlSpotPanel(): Gtk::Separator *separatormet = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)); pack_start(*separatormet, Gtk::PACK_SHRINK, 2); - Gtk::Box* const ctboxcomplexmethod = Gtk::manage(new Gtk::Box()); + //Gtk::Box* const ctboxcomplexmethod = Gtk::manage(new Gtk::Box()); - if (showtooltip) { - ctboxcomplexmethod->set_tooltip_markup(M("TP_LOCALLAB_COMPLEXMETHOD_TOOLTIP")); - } + //if (showtooltip) { + // ctboxcomplexmethod->set_tooltip_markup(M("TP_LOCALLAB_COMPLEXMETHOD_TOOLTIP")); + //} - Gtk::Label* const labelcomplexmethod = Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_COMPLEX_METHOD") + ":")); - ctboxcomplexmethod->pack_start(*labelcomplexmethod, Gtk::PACK_SHRINK, 4); + //Gtk::Label* const labelcomplexmethod = Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_COMPLEX_METHOD") + ":")); + //ctboxcomplexmethod->pack_start(*labelcomplexmethod, Gtk::PACK_SHRINK, 4); - if (showtooltip) { - complexMethod_->set_tooltip_markup(M("TP_LOCALLAB_COMPLEX_TOOLTIP")); - } + //if (showtooltip) { + // complexMethod_->set_tooltip_markup(M("TP_LOCALLAB_COMPLEX_TOOLTIP")); + //} - complexMethod_->append(M("TP_LOCALLAB_SIM")); - complexMethod_->append(M("TP_LOCALLAB_MED")); - complexMethod_->append(M("TP_LOCALLAB_ALL")); - complexMethod_->set_active(1); - complexMethodconn_ = complexMethod_->signal_changed().connect( - sigc::mem_fun( - *this, &ControlSpotPanel::complexMethodChanged)); - ctboxcomplexmethod->pack_start(*complexMethod_); + //complexMethod_->append(M("TP_LOCALLAB_SIM")); + //complexMethod_->append(M("TP_LOCALLAB_MED")); + //complexMethod_->append(M("TP_LOCALLAB_ALL")); + //complexMethod_->set_active(1); + //complexMethodconn_ = complexMethod_->signal_changed().connect( + // sigc::mem_fun( + // *this, &ControlSpotPanel::complexMethodChanged)); + //ctboxcomplexmethod->pack_start(*complexMethod_); // pack_start(*ctboxcomplexmethod); /* Gtk::Box* const ctboxwavmethod = Gtk::manage(new Gtk::Box()); @@ -865,8 +865,8 @@ void ControlSpotPanel::load_ControlSpot_param() denoichmask_->setValue(row[spots_.denoichmask]); shortc_->set_active(row[spots_.shortc]); lumask_->setValue((double)row[spots_.lumask]); - savrest_->set_active(row[spots_.savrest]); - complexMethod_->set_active(row[spots_.complexMethod]); + //savrest_->set_active(row[spots_.savrest]); + //complexMethod_->set_active(row[spots_.complexMethod]); wavMethod_->set_active(row[spots_.wavMethod]); } @@ -1157,37 +1157,37 @@ void ControlSpotPanel::qualityMethodChanged() } } -void ControlSpotPanel::complexMethodChanged() -{ - // printf("qualityMethodChanged\n"); - - // Get selected control spot - const auto s = treeview_->get_selection(); - - if (!s->count_selected_rows()) { - return; - } - - const auto iter = s->get_selected(); - Gtk::TreeModel::Row row = *iter; - - row[spots_.complexMethod] = complexMethod_->get_active_row_number(); - - if (multiImage && complexMethod_->get_active_text() == M("GENERAL_UNCHANGED")) { - // excluFrame->show(); - } else if (complexMethod_->get_active_row_number() == 0) { //sim - // excluFrame->hide(); - } else if (complexMethod_->get_active_row_number() == 1) { // mod - // excluFrame->show(); - } else if (complexMethod_->get_active_row_number() == 2) { // all - // excluFrame->show(); - } - - // Raise event - if (listener) { - listener->panelChanged(EvLocallabSpotcomplexMethod, complexMethod_->get_active_text()); - } -} +//void ControlSpotPanel::complexMethodChanged() +//{ +// // printf("qualityMethodChanged\n"); +// +// // Get selected control spot +// const auto s = treeview_->get_selection(); +// +// if (!s->count_selected_rows()) { +// return; +// } +// +// const auto iter = s->get_selected(); +// Gtk::TreeModel::Row row = *iter; +// +// row[spots_.complexMethod] = complexMethod_->get_active_row_number(); +// +// if (multiImage && complexMethod_->get_active_text() == M("GENERAL_UNCHANGED")) { +// // excluFrame->show(); +// } else if (complexMethod_->get_active_row_number() == 0) { //sim +// // excluFrame->hide(); +// } else if (complexMethod_->get_active_row_number() == 1) { // mod +// // excluFrame->show(); +// } else if (complexMethod_->get_active_row_number() == 2) { // all +// // excluFrame->show(); +// } +// +// // Raise event +// if (listener) { +// listener->panelChanged(EvLocallabSpotcomplexMethod, complexMethod_->get_active_text()); +// } +//} void ControlSpotPanel::wavMethodChanged() { @@ -1786,28 +1786,28 @@ void ControlSpotPanel::shortcChanged() } } -void ControlSpotPanel::savrestChanged() -{ - // Get selected control spot - const auto s = treeview_->get_selection(); - - if (!s->count_selected_rows()) { - return; - } - - const auto iter = s->get_selected(); - Gtk::TreeModel::Row row = *iter; - row[spots_.savrest] = savrest_->get_active(); - - // Raise event - if (listener) { - if (savrest_->get_active()) { - listener->panelChanged(Evlocallabsavrest, M("GENERAL_ENABLED")); - } else { - listener->panelChanged(Evlocallabsavrest, M("GENERAL_DISABLED")); - } - } -} +//void ControlSpotPanel::savrestChanged() +//{ +// // Get selected control spot +// const auto s = treeview_->get_selection(); +// +// if (!s->count_selected_rows()) { +// return; +// } +// +// const auto iter = s->get_selected(); +// Gtk::TreeModel::Row row = *iter; +// row[spots_.savrest] = savrest_->get_active(); +// +// // Raise event +// if (listener) { +// if (savrest_->get_active()) { +// listener->panelChanged(Evlocallabsavrest, M("GENERAL_ENABLED")); +// } else { +// listener->panelChanged(Evlocallabsavrest, M("GENERAL_DISABLED")); +// } +// } +//} void ControlSpotPanel::previewChanged() { @@ -1869,8 +1869,8 @@ void ControlSpotPanel::disableParamlistener(bool cond) denoichmask_->block(cond); shortcConn_.block(cond); lumask_->block(cond); - savrestConn_.block(cond); - complexMethodconn_.block(cond); + //savrestConn_.block(cond); + //complexMethodconn_.block(cond); wavMethodconn_.block(cond); } @@ -1916,8 +1916,8 @@ void ControlSpotPanel::setParamEditable(bool cond) denoichmask_->set_sensitive(cond); shortc_->set_sensitive(cond); lumask_->set_sensitive(cond); - savrest_->set_sensitive(cond); - complexMethod_->set_sensitive(cond); + //savrest_->set_sensitive(cond); + //complexMethod_->set_sensitive(cond); wavMethod_->set_sensitive(cond); preview_->set_sensitive(cond); @@ -2599,7 +2599,7 @@ ControlSpotPanel::SpotRow* ControlSpotPanel::getSpot(const int index) r->laplac = row[spots_.laplac]; r->deltae = row[spots_.deltae]; r->shortc = row[spots_.shortc]; - r->savrest = row[spots_.savrest]; + //r->savrest = row[spots_.savrest]; r->wavMethod = row[spots_.wavMethod]; return r; @@ -2735,7 +2735,7 @@ void ControlSpotPanel::addControlSpot(SpotRow* newSpot) row[spots_.denoichmask] = newSpot->denoichmask; row[spots_.shortc] = newSpot->shortc; row[spots_.lumask] = newSpot->lumask; - row[spots_.savrest] = newSpot->savrest; + //row[spots_.savrest] = newSpot->savrest; row[spots_.complexMethod] = newSpot->complexMethod; row[spots_.wavMethod] = newSpot->wavMethod; updateParamVisibility(); @@ -2855,7 +2855,7 @@ ControlSpotPanel::ControlSpots::ControlSpots() add(denoichmask); add(shortc); add(lumask); - add(savrest); + //add(savrest); add(complexMethod); add(wavMethod); } diff --git a/rtgui/controlspotpanel.h b/rtgui/controlspotpanel.h index 0c7d061dd..92406c690 100644 --- a/rtgui/controlspotpanel.h +++ b/rtgui/controlspotpanel.h @@ -89,7 +89,7 @@ public: double denoichmask; bool shortc; int lumask; - bool savrest; + //bool savrest; int complexMethod; // 0 = Simple, 1 = Moderate, 2 = all int wavMethod; // 0 = D2, 1 = D4, 2 = D6, 3 = D10, 4 = D14 }; @@ -243,7 +243,7 @@ private: void spotMethodChanged(); void shapeMethodChanged(); void qualityMethodChanged(); - void complexMethodChanged(); + //void complexMethodChanged(); void wavMethodChanged(); void updateParamVisibility(); @@ -259,7 +259,7 @@ private: void laplacChanged(); void deltaeChanged(); void shortcChanged(); - void savrestChanged(); + //void savrestChanged(); void previewChanged(); @@ -325,7 +325,7 @@ private: Gtk::TreeModelColumn denoichmask; Gtk::TreeModelColumn shortc; Gtk::TreeModelColumn lumask; - Gtk::TreeModelColumn savrest; + //Gtk::TreeModelColumn savrest; Gtk::TreeModelColumn complexMethod; // 0 = Simple, 1 = mod, 2 = all Gtk::TreeModelColumn wavMethod; // 0 = D2, 1 = D4, 2 = D6, 3 = D10, 4 = D14 }; @@ -377,8 +377,8 @@ private: sigc::connection shapeMethodconn_; MyComboBoxText* const qualityMethod_; sigc::connection qualityMethodconn_; - MyComboBoxText* const complexMethod_; - sigc::connection complexMethodconn_; + //MyComboBoxText* const complexMethod_; + //sigc::connection complexMethodconn_; MyComboBoxText* const wavMethod_; sigc::connection wavMethodconn_; @@ -425,8 +425,8 @@ private: sigc::connection deltaeConn_; Gtk::CheckButton* const shortc_; sigc::connection shortcConn_; - Gtk::CheckButton* const savrest_; - sigc::connection savrestConn_; + //Gtk::CheckButton* const savrest_; + //sigc::connection savrestConn_; MyExpander* const expTransGrad_; MyExpander* const expShapeDetect_; diff --git a/rtgui/icmpanel.cc b/rtgui/icmpanel.cc index 4f9a2f3ea..95a890443 100644 --- a/rtgui/icmpanel.cc +++ b/rtgui/icmpanel.cc @@ -41,12 +41,12 @@ ICMPanel::ICMPanel() : FoldableToolPanel(this, "icm", M("TP_ICM_LABEL")), iuncha EvICMprimariMethod = m->newEvent(GAMMA, "HISTORY_MSG_ICM_OUTPUT_PRIMARIES"); EvICMprofileMethod = m->newEvent(GAMMA, "HISTORY_MSG_ICM_OUTPUT_TYPE"); EvICMtempMethod = m->newEvent(GAMMA, "HISTORY_MSG_ICM_OUTPUT_TEMP"); - EvICMpredx = m->newEvent(GAMMA, "HISTORY_MSG_ICMPREDX"); - EvICMpredy = m->newEvent(GAMMA, "HISTORY_MSG_ICMPREDY"); - EvICMpgrex = m->newEvent(GAMMA, "HISTORY_MSG_ICMPGREX"); - EvICMpgrey = m->newEvent(GAMMA, "HISTORY_MSG_ICMPGREY"); - EvICMpblux = m->newEvent(GAMMA, "HISTORY_MSG_ICMPBLUX"); - EvICMpbluy = m->newEvent(GAMMA, "HISTORY_MSG_ICMPBLUY"); + //EvICMpredx = m->newEvent(GAMMA, "HISTORY_MSG_ICMPREDX"); + //EvICMpredy = m->newEvent(GAMMA, "HISTORY_MSG_ICMPREDY"); + //EvICMpgrex = m->newEvent(GAMMA, "HISTORY_MSG_ICMPGREX"); + //EvICMpgrey = m->newEvent(GAMMA, "HISTORY_MSG_ICMPGREY"); + //EvICMpblux = m->newEvent(GAMMA, "HISTORY_MSG_ICMPBLUX"); + //EvICMpbluy = m->newEvent(GAMMA, "HISTORY_MSG_ICMPBLUY"); EvICMgamm = m->newEvent(LUMINANCECURVE, "HISTORY_MSG_ICM_WORKING_GAMMA"); EvICMslop = m->newEvent(LUMINANCECURVE, "HISTORY_MSG_ICM_WORKING_SLOPE"); EvICMtrcinMethod = m->newEvent(LUMINANCECURVE, "HISTORY_MSG_ICM_WORKING_TRC_METHOD"); @@ -311,38 +311,30 @@ ICMPanel::ICMPanel() : FoldableToolPanel(this, "icm", M("TP_ICM_LABEL")), iuncha redx->set_tooltip_text(M("TP_ICM_PRIMRED_TOOLTIP")); grex->set_tooltip_text(M("TP_ICM_PRIMGRE_TOOLTIP")); blux->set_tooltip_text(M("TP_ICM_PRIMBLU_TOOLTIP")); - blr = Gtk::manage(new Gtk::Label(M(" "))); - blg = Gtk::manage(new Gtk::Label(M(" "))); - blb = Gtk::manage(new Gtk::Label(M(" "))); - redBox = Gtk::manage(new Gtk::Box()); - redBox->pack_start(*redx);//, Gtk::PACK_SHRINK); - redBox->pack_start(*blr, Gtk::PACK_SHRINK); - redBox->pack_start(*redy);//, Gtk::PACK_SHRINK); redFrame = Gtk::manage(new Gtk::Frame(M("TP_ICM_REDFRAME"))); redFrame->set_label_align(0.025, 0.5); - Gtk::Box *redVBox = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); - redVBox->pack_start(*redBox, Gtk::PACK_EXPAND_WIDGET); redFrame->set_tooltip_text(M("TP_ICM_WORKING_PRIMFRAME_TOOLTIP")); - greBox = Gtk::manage(new Gtk::Box()); - greBox->pack_start(*grex);//, Gtk::PACK_SHRINK, 2); - greBox->pack_start(*blg, Gtk::PACK_SHRINK); - greBox->pack_start(*grey);//, Gtk::PACK_SHRINK, 2); - redVBox->pack_start(*greBox, Gtk::PACK_EXPAND_WIDGET); + Gtk::Box *redVBox = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); + primCoordGrid = Gtk::manage(new Gtk::Grid()); + primCoordGrid->set_column_homogeneous(true); + primCoordGrid->attach(*redx, 0, 0, 1, 1); + primCoordGrid->attach_next_to(*redy, *redx, Gtk::PositionType::POS_RIGHT, 1, 1); + primCoordGrid->attach_next_to(*grex, *redx, Gtk::PositionType::POS_BOTTOM, 1, 1); + primCoordGrid->attach_next_to(*grey, *grex, Gtk::PositionType::POS_RIGHT, 1, 1); + primCoordGrid->attach_next_to(*blux, *grex, Gtk::PositionType::POS_BOTTOM, 1, 1); + primCoordGrid->attach_next_to(*bluy, *blux, Gtk::PositionType::POS_RIGHT, 1, 1); + redVBox->pack_start(*primCoordGrid, Gtk::PACK_EXPAND_WIDGET); + Gtk::Separator* const separator1 = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_VERTICAL)); Gtk::Separator* const separator2 = Gtk::manage(new Gtk::Separator(Gtk::ORIENTATION_VERTICAL)); - bluBox = Gtk::manage(new Gtk::Box()); - bluBox->pack_start(*blux);//, Gtk::PACK_SHRINK); - bluBox->pack_start(*blb, Gtk::PACK_SHRINK); - bluBox->pack_start(*bluy);//, Gtk::PACK_SHRINK); - redVBox->pack_start(*bluBox, Gtk::PACK_EXPAND_WIDGET); preser = Gtk::manage(new Adjuster(M("TP_ICM_WORKING_PRESER"), 0., 100., 0.5, 0.)); preser->setAdjusterListener(this); preBox = Gtk::manage(new Gtk::Box()); - preBox->pack_start(*preser, Gtk::PACK_SHRINK); + preBox->pack_start(*preser, Gtk::PACK_EXPAND_WIDGET); redVBox->pack_start(*separator1, Gtk::PACK_SHRINK); redVBox->pack_start(*preBox, Gtk::PACK_EXPAND_WIDGET); redVBox->pack_start(*separator2, Gtk::PACK_SHRINK); @@ -949,9 +941,7 @@ void ICMPanel::read(const ProcParams* pp, const ParamsEdited* pedited) && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { will->set_sensitive(false); - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); labgridcie->set_sensitive(false); } else { @@ -959,9 +949,7 @@ void ICMPanel::read(const ProcParams* pp, const ParamsEdited* pedited) if (ColorManagementParams::Primaries(wprim->get_active_row_number()) == ColorManagementParams::Primaries::CUSTOM) { will->set_sensitive(true); } - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); labgridcie->set_sensitive(true); } @@ -1091,9 +1079,7 @@ void ICMPanel::read(const ProcParams* pp, const ParamsEdited* pedited) case ColorManagementParams::Primaries::CUSTOM_GRID: { labgridcie->set_sensitive(true); - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); will->set_sensitive(false); break; } @@ -1302,13 +1288,9 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); } } riaHBox->set_sensitive(true); @@ -1340,9 +1322,7 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } } riaHBox->set_sensitive(true); @@ -1367,13 +1347,9 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); } } break; @@ -1398,13 +1374,9 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); } } break; @@ -1429,13 +1401,9 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); } } break; @@ -1460,13 +1428,9 @@ void ICMPanel::wtrcinChanged() ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM && ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM_GRID ) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); } } break; @@ -1761,18 +1725,14 @@ void ICMPanel::wprimChanged() redFrame->show(); if (ColorManagementParams::Primaries(wprim->get_active_row_number()) != ColorManagementParams::Primaries::CUSTOM) { - redBox->set_sensitive(false); - greBox->set_sensitive(false); - bluBox->set_sensitive(false); + primCoordGrid->set_sensitive(false); labgridcie->set_sensitive(false); will->set_sensitive(false); if (ColorManagementParams::Primaries(wprim->get_active_row_number()) == ColorManagementParams::Primaries::CUSTOM_GRID) { labgridcie->set_sensitive(true); } } else { - redBox->set_sensitive(true); - greBox->set_sensitive(true); - bluBox->set_sensitive(true); + primCoordGrid->set_sensitive(true); labgridcie->set_sensitive(false); will->set_sensitive(true); } diff --git a/rtgui/icmpanel.h b/rtgui/icmpanel.h index 063da28d1..8d52fb25f 100644 --- a/rtgui/icmpanel.h +++ b/rtgui/icmpanel.h @@ -62,9 +62,9 @@ protected: Gtk::Label* labmga; Gtk::Box* gabox; - Gtk::Label* blr; - Gtk::Label* blg; - Gtk::Label* blb; + //Gtk::Label* blr; + //Gtk::Label* blg; + //Gtk::Label* blb; Gtk::Button* neutral; sigc::connection neutralconn; @@ -86,12 +86,12 @@ private: rtengine::ProcEvent EvICMprimariMethod; rtengine::ProcEvent EvICMprofileMethod; rtengine::ProcEvent EvICMtempMethod; - rtengine::ProcEvent EvICMpredx; - rtengine::ProcEvent EvICMpredy; - rtengine::ProcEvent EvICMpgrex; - rtengine::ProcEvent EvICMpgrey; - rtengine::ProcEvent EvICMpblux; - rtengine::ProcEvent EvICMpbluy; + //rtengine::ProcEvent EvICMpredx; + //rtengine::ProcEvent EvICMpredy; + //rtengine::ProcEvent EvICMpgrex; + //rtengine::ProcEvent EvICMpgrey; + //rtengine::ProcEvent EvICMpblux; + //rtengine::ProcEvent EvICMpbluy; rtengine::ProcEvent EvICMgamm; rtengine::ProcEvent EvICMslop; rtengine::ProcEvent EvICMtrcinMethod; @@ -115,9 +115,7 @@ private: Gtk::Box* wprimBox; Gtk::Label* wprimlab; Gtk::Label* cielab; - Gtk::Box* redBox; - Gtk::Box* greBox; - Gtk::Box* bluBox; + Gtk::Grid* primCoordGrid; Gtk::Box* riaHBox; Gtk::Box* preBox; Gtk::Box* iVBox; diff --git a/rtgui/locallab.cc b/rtgui/locallab.cc index 1837d19c8..4fb61c1c6 100644 --- a/rtgui/locallab.cc +++ b/rtgui/locallab.cc @@ -148,11 +148,11 @@ Locallab::Locallab(): expsettings(Gtk::manage(new ControlSpotPanel())), // Tool list widget - toollist(Gtk::manage(new LocallabToolList())), + toollist(Gtk::manage(new LocallabToolList())) // expcie(Gtk::manage(new Locallabcie())), // Other widgets - resetshowButton(Gtk::manage(new Gtk::Button(M("TP_LOCALLAB_RESETSHOW")))) + //resetshowButton(Gtk::manage(new Gtk::Button(M("TP_LOCALLAB_RESETSHOW")))) { set_orientation(Gtk::ORIENTATION_VERTICAL); @@ -197,7 +197,7 @@ Locallab::Locallab(): // panel->pack_start(*separator2, false, false); // Add mask reset button to panel widget - resetshowButton->signal_pressed().connect(sigc::mem_fun(*this, &Locallab::resetshowPressed)); + //resetshowButton->signal_pressed().connect(sigc::mem_fun(*this, &Locallab::resetshowPressed)); // panel->pack_start(*resetshowButton); // Add panel widget to Locallab GUI @@ -316,7 +316,7 @@ void Locallab::read(const rtengine::procparams::ProcParams* pp, const ParamsEdit r->denoichmask = pp->locallab.spots.at(i).denoichmask; r->shortc = pp->locallab.spots.at(i).shortc; r->lumask = pp->locallab.spots.at(i).lumask; - r->savrest = pp->locallab.spots.at(i).savrest; + //r->savrest = pp->locallab.spots.at(i).savrest; if (pp->locallab.spots.at(i).complexMethod == "sim") { r->complexMethod = 0; @@ -498,7 +498,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited r->denoichmask = newSpot->denoichmask; r->shortc = newSpot->shortc; r->lumask = newSpot->lumask; - r->savrest = newSpot->savrest; + //r->savrest = newSpot->savrest; if (newSpot->complexMethod == "sim") { r->complexMethod = 0; @@ -809,7 +809,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited r->denoichmask = newSpot->denoichmask; r->shortc = newSpot->shortc; r->lumask = newSpot->lumask; - r->savrest = newSpot->savrest; + //r->savrest = newSpot->savrest; if (newSpot->complexMethod == "sim") { r->complexMethod = 0; @@ -965,7 +965,7 @@ void Locallab::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedited pp->locallab.spots.at(pp->locallab.selspot).denoichmask = r->denoichmask; pp->locallab.spots.at(pp->locallab.selspot).shortc = r->shortc; pp->locallab.spots.at(pp->locallab.selspot).lumask = r->lumask; - pp->locallab.spots.at(pp->locallab.selspot).savrest = r->savrest; + //pp->locallab.spots.at(pp->locallab.selspot).savrest = r->savrest; if (r->complexMethod == 0) { pp->locallab.spots.at(pp->locallab.selspot).complexMethod = "sim"; @@ -1128,13 +1128,13 @@ Locallab::llMaskVisibility Locallab::getMaskVisibility() const return {prevDeltaE, colorMask, colorMaskinv, expMask, expMaskinv, shMask, shMaskinv, vibMask, softMask, blMask, tmMask, retiMask, sharMask, lcMask, cbMask, logMask, maskMask, cieMask}; } -void Locallab::resetshowPressed() -{ - // Raise event to reset mask - if (listener) { - listener->panelChanged(Evlocallabshowreset, ""); - } -} +//void Locallab::resetshowPressed() +//{ +// // Raise event to reset mask +// if (listener) { +// listener->panelChanged(Evlocallabshowreset, ""); +// } +//} void Locallab::setEditProvider(EditDataProvider * provider) { diff --git a/rtgui/locallab.h b/rtgui/locallab.h index cf5ca4ff5..60c186c55 100644 --- a/rtgui/locallab.h +++ b/rtgui/locallab.h @@ -127,7 +127,7 @@ private: std::vector maskBackRef; // Other widgets - Gtk::Button* const resetshowButton; + //Gtk::Button* const resetshowButton; Glib::ustring spotName; @@ -176,7 +176,7 @@ public: llMaskVisibility getMaskVisibility() const; // Other widgets event functions - void resetshowPressed(); + //void resetshowPressed(); // EditProvider management function void setEditProvider(EditDataProvider* provider) override; diff --git a/rtgui/locallabtools.h b/rtgui/locallabtools.h index e7fcfc1d0..c4e54ca61 100644 --- a/rtgui/locallabtools.h +++ b/rtgui/locallabtools.h @@ -1151,7 +1151,7 @@ private: Adjuster* const deltad; CurveEditorGroup* const LocalcurveEditorwavcomp; FlatCurveEditor* const wavshapecomp; - Adjuster* const fatres; + //Adjuster* const fatres; Gtk::CheckButton* const fftwlc; MyExpander* const exprecovw; Gtk::Label* const maskusablew; @@ -1342,8 +1342,8 @@ private: Adjuster* const saturl; Adjuster* const chroml; MyExpander* const expL; - CurveEditorGroup* const CurveEditorL; - DiagonalCurveEditor* const LshapeL; + //CurveEditorGroup* const CurveEditorL; + //DiagonalCurveEditor* const LshapeL; Adjuster* const targabs; MyComboBoxText* const surround; Gtk::Box* const surrHBox; diff --git a/rtgui/locallabtools2.cc b/rtgui/locallabtools2.cc index 3358a61ef..80f779d09 100644 --- a/rtgui/locallabtools2.cc +++ b/rtgui/locallabtools2.cc @@ -2427,7 +2427,7 @@ LocallabContrast::LocallabContrast(): deltad(Gtk::manage(new Adjuster(M("TP_LOCALLAB_DELTAD"), -3., 3., 0.1, 0.))),//, Gtk::manage(new RTImage("circle-black-small.png")), Gtk::manage(new RTImage("circle-white-small.png"))))), LocalcurveEditorwavcomp(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_WAVCOMP"))), wavshapecomp(static_cast(LocalcurveEditorwavcomp->addCurve(CT_Flat, "", nullptr, false, false))), - fatres(Gtk::manage(new Adjuster(M("TP_LOCALLAB_FATRES"), 0., 100., 1., 0.))), + //fatres(Gtk::manage(new Adjuster(M("TP_LOCALLAB_FATRES"), 0., 100., 1., 0.))), fftwlc(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_FFTW")))), exprecovw(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_DENOI2_EXP")))), maskusablew(Gtk::manage(new Gtk::Label(M("TP_LOCALLAB_MASKUSABLE")))), @@ -2684,7 +2684,7 @@ LocallabContrast::LocallabContrast(): LocalcurveEditorwavcomp->curveListComplete(); - fatres->setAdjusterListener(this); + //fatres->setAdjusterListener(this); fftwlcConn = fftwlc->signal_toggled().connect(sigc::mem_fun(*this, &LocallabContrast::fftwlcChanged)); @@ -2784,7 +2784,7 @@ LocallabContrast::LocallabContrast(): clariFrame->add(*clariBox); pack_start(*clariFrame); ToolParamBlock* const blurcontBox = Gtk::manage(new ToolParamBlock()); - Gtk::Frame* const gradwavFrame = Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_GRADWAVFRA"))); + Gtk::Frame* const gradwavFrame = Gtk::manage(new Gtk::Frame()); gradwavFrame->set_label_align(0.025, 0.5); gradwavFrame->set_label_widget(*wavgradl); ToolParamBlock* const gradwavBox = Gtk::manage(new ToolParamBlock()); @@ -2793,7 +2793,7 @@ LocallabContrast::LocallabContrast(): gradwavBox->pack_start(*angwav); gradwavFrame->add(*gradwavBox); blurcontBox->pack_start(*gradwavFrame); - Gtk::Frame* const edgFrame = Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_EDGSHARPFRA"))); + Gtk::Frame* const edgFrame = Gtk::manage(new Gtk::Frame()); edgFrame->set_label_align(0.025, 0.5); edgFrame->set_label_widget(*wavedg); ToolParamBlock* const edgsBox = Gtk::manage(new ToolParamBlock()); @@ -3237,7 +3237,7 @@ void LocallabContrast::read(const rtengine::procparams::ProcParams* pp, const Pa sigmadc->setValue(spot.sigmadc); deltad->setValue(spot.deltad); wavshapecomp->setCurve(spot.loccompwavcurve); - fatres->setValue(spot.fatres); + //fatres->setValue(spot.fatres); enalcMask->set_active(spot.enalcMask); CCmasklcshape->setCurve(spot.CCmasklccurve); LLmasklcshape->setCurve(spot.LLmasklccurve); @@ -3362,7 +3362,7 @@ void LocallabContrast::write(rtengine::procparams::ProcParams* pp, ParamsEdited* spot.sigmadc = sigmadc->getValue(); spot.deltad = deltad->getValue(); spot.loccompwavcurve = wavshapecomp->getCurve(); - spot.fatres = fatres->getValue(); + //spot.fatres = fatres->getValue(); spot.fftwlc = fftwlc->get_active(); spot.enalcMask = enalcMask->get_active(); spot.CCmasklccurve = CCmasklcshape->getCurve(); @@ -3434,7 +3434,7 @@ void LocallabContrast::setDefaults(const rtengine::procparams::ProcParams* defPa residcomp->setDefault(defSpot.residcomp); sigmadc->setDefault(defSpot.sigmadc); deltad->setDefault(defSpot.deltad); - fatres->setDefault(defSpot.fatres); + //fatres->setDefault(defSpot.fatres); blendmasklc->setDefault((double)defSpot.blendmasklc); radmasklc->setDefault(defSpot.radmasklc); chromasklc->setDefault(defSpot.chromasklc); @@ -3759,12 +3759,12 @@ void LocallabContrast::adjusterChanged(Adjuster* a, double newval) } } - if (a == fatres) { - if (listener) { - listener->panelChanged(Evlocallabfatres, - fatres->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); - } - } + //if (a == fatres) { + // if (listener) { + // listener->panelChanged(Evlocallabfatres, + // fatres->getTextValue() + " (" + escapeHtmlChars(getSpotName()) + ")"); + // } + //} if (a == recothresw) { @@ -3983,7 +3983,7 @@ void LocallabContrast::convertParamToNormal() sigmadc->setValue(defSpot.sigmadc); deltad->setValue(defSpot.deltad); wavshapecomp->setCurve(defSpot.loccompwavcurve); - fatres->setValue(defSpot.fatres); + //fatres->setValue(defSpot.fatres); fftwlc->set_active(defSpot.fftwlc); decayw->setValue(defSpot.decayw); @@ -5244,8 +5244,8 @@ LocallabLog::LocallabLog(): saturl(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SATURV"), -100., 100., 0.5, 0.))), chroml(Gtk::manage(new Adjuster(M("TP_LOCALLAB_CHROML"), -100., 100., 0.5, 0.))), expL(Gtk::manage(new MyExpander(false, M("TP_LOCALLAB_LOGEXP")))), - CurveEditorL(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_LOGCONTQ"))), - LshapeL(static_cast(CurveEditorL->addCurve(CT_Diagonal, "Q(Q)"))), + //CurveEditorL(new CurveEditorGroup(options.lastlocalCurvesDir, M("TP_LOCALLAB_LOGCONTQ"))), + //LshapeL(static_cast(CurveEditorL->addCurve(CT_Diagonal, "Q(Q)"))), targabs(Gtk::manage(new Adjuster(M("TP_LOCALLAB_SOURCE_ABS"), 0.01, 16384.0, 0.01, 16.0))), surround(Gtk::manage (new MyComboBoxText ())), surrHBox(Gtk::manage(new Gtk::Box())), @@ -5325,13 +5325,13 @@ LocallabLog::LocallabLog(): contq->setAdjusterListener(this); colorfl->setAdjusterListener(this); - CurveEditorL->setCurveListener(this); + //CurveEditorL->setCurveListener(this); - LshapeL->setResetCurve(DiagonalCurveType(defSpot.LcurveL.at(0)), defSpot.LcurveL); - LshapeL->setBottomBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); - LshapeL->setLeftBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); + //LshapeL->setResetCurve(DiagonalCurveType(defSpot.LcurveL.at(0)), defSpot.LcurveL); + //LshapeL->setBottomBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); + //LshapeL->setLeftBarBgGradient({{0., 0., 0., 0.}, {1., 1., 1., 1.}}); - CurveEditorL->curveListComplete(); + //CurveEditorL->curveListComplete(); targabs->setLogScale(500, 0); @@ -5509,7 +5509,7 @@ LocallabLog::~LocallabLog() { delete maskCurveEditorL; delete mask2CurveEditorL; - delete CurveEditorL; + //delete CurveEditorL; } @@ -5730,7 +5730,7 @@ void LocallabLog::read(const rtengine::procparams::ProcParams* pp, const ParamsE contthres->setValue(spot.contthres); contq->setValue(spot.contq); colorfl->setValue(spot.colorfl); - LshapeL->setCurve(spot.LcurveL); + //LshapeL->setCurve(spot.LcurveL); targabs->setValue(spot.targabs); targetGray->setValue(spot.targetGray); detail->setValue(spot.detail); @@ -5794,7 +5794,7 @@ void LocallabLog::write(rtengine::procparams::ProcParams* pp, ParamsEdited* pedi spot.contthres = contthres->getValue(); spot.contq = contq->getValue(); spot.colorfl = colorfl->getValue(); - spot.LcurveL = LshapeL->getCurve(); + //spot.LcurveL = LshapeL->getCurve(); spot.detail = detail->getValue(); spot.baselog = baselog->getValue(); spot.sensilog = sensilog->getIntValue(); @@ -6057,12 +6057,12 @@ void LocallabLog::curveChanged(CurveEditor* ce) } } - if (ce == LshapeL) { - if (listener) { - listener->panelChanged(EvlocallabLshapeL, - M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); - } - } + //if (ce == LshapeL) { + // if (listener) { + // listener->panelChanged(EvlocallabLshapeL, + // M("HISTORY_CUSTOMCURVE") + " (" + escapeHtmlChars(getSpotName()) + ")"); + // } + //} } } @@ -7435,12 +7435,12 @@ Locallabcie::Locallabcie(): contqcie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONQL"), -100., 100., 0.5, 0.))), contthrescie(Gtk::manage(new Adjuster(M("TP_LOCALLAB_LOGCONTHRES"), -1., 1., 0.01, 0.))), - logjzFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_LOGJZFRA")))), + logjzFrame(Gtk::manage(new Gtk::Frame())), logjz(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_JZLOG")))), blackEvjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_BLACK_EV"), -16.0, 0.0, 0.1, -5.0))), whiteEvjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_WHITE_EV"), 0., 32.0, 0.1, 10.0))), targetjz(Gtk::manage(new Adjuster(M("TP_LOCALLAB_JZTARGET_EV"), 4., 80.0, 0.1, 18.0))), - bevwevFrame(Gtk::manage(new Gtk::Frame(M("")))), + bevwevFrame(Gtk::manage(new Gtk::Frame())), forcebw(Gtk::manage(new Gtk::CheckButton(M("TP_LOCALLAB_BWFORCE")))), sigmoidFrame(Gtk::manage(new Gtk::Frame(M("TP_LOCALLAB_SIGFRA")))), diff --git a/rtgui/paramsedited.cc b/rtgui/paramsedited.cc index d5512e60f..a7963b7dc 100644 --- a/rtgui/paramsedited.cc +++ b/rtgui/paramsedited.cc @@ -571,7 +571,7 @@ void ParamsEdited::set(bool v) wavelet.Backmethod = v; wavelet.Tilesmethod = v; wavelet.complexmethod = v; - wavelet.denmethod = v; + //wavelet.denmethod = v; wavelet.mixmethod = v; wavelet.slimethod = v; wavelet.quamethod = v; @@ -632,7 +632,7 @@ void ParamsEdited::set(bool v) wavelet.levelsigm = v; wavelet.ccwcurve = v; wavelet.blcurve = v; - wavelet.opacityCurveSH = v; + //wavelet.opacityCurveSH = v; wavelet.opacityCurveRG = v; wavelet.opacityCurveBY = v; wavelet.wavdenoise = v; @@ -1982,7 +1982,7 @@ void ParamsEdited::initFrom(const std::vector& wavelet.Backmethod = wavelet.Backmethod && p.wavelet.Backmethod == other.wavelet.Backmethod; wavelet.Tilesmethod = wavelet.Tilesmethod && p.wavelet.Tilesmethod == other.wavelet.Tilesmethod; wavelet.complexmethod = wavelet.complexmethod && p.wavelet.complexmethod == other.wavelet.complexmethod; - wavelet.denmethod = wavelet.denmethod && p.wavelet.denmethod == other.wavelet.denmethod; + //wavelet.denmethod = wavelet.denmethod && p.wavelet.denmethod == other.wavelet.denmethod; wavelet.mixmethod = wavelet.mixmethod && p.wavelet.mixmethod == other.wavelet.mixmethod; wavelet.slimethod = wavelet.slimethod && p.wavelet.slimethod == other.wavelet.slimethod; wavelet.quamethod = wavelet.quamethod && p.wavelet.quamethod == other.wavelet.quamethod; @@ -2044,7 +2044,7 @@ void ParamsEdited::initFrom(const std::vector& wavelet.satlev = wavelet.satlev && p.wavelet.satlev == other.wavelet.satlev; wavelet.ccwcurve = wavelet.ccwcurve && p.wavelet.ccwcurve == other.wavelet.ccwcurve; wavelet.blcurve = wavelet.blcurve && p.wavelet.blcurve == other.wavelet.blcurve; - wavelet.opacityCurveSH = wavelet.opacityCurveSH && p.wavelet.opacityCurveSH == other.wavelet.opacityCurveSH; + //wavelet.opacityCurveSH = wavelet.opacityCurveSH && p.wavelet.opacityCurveSH == other.wavelet.opacityCurveSH; wavelet.opacityCurveRG = wavelet.opacityCurveRG && p.wavelet.opacityCurveRG == other.wavelet.opacityCurveRG; wavelet.opacityCurveBY = wavelet.opacityCurveBY && p.wavelet.opacityCurveBY == other.wavelet.opacityCurveBY; wavelet.wavdenoise = wavelet.wavdenoise && p.wavelet.wavdenoise == other.wavelet.wavdenoise; @@ -6864,9 +6864,9 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.wavelet.complexmethod = mods.wavelet.complexmethod; } - if (wavelet.denmethod) { - toEdit.wavelet.denmethod = mods.wavelet.denmethod; - } + //if (wavelet.denmethod) { + // toEdit.wavelet.denmethod = mods.wavelet.denmethod; + //} if (wavelet.mixmethod) { toEdit.wavelet.mixmethod = mods.wavelet.mixmethod; @@ -7000,9 +7000,9 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.wavelet.blcurve = mods.wavelet.blcurve; } - if (wavelet.opacityCurveSH) { - toEdit.wavelet.opacityCurveSH = mods.wavelet.opacityCurveSH; - } + //if (wavelet.opacityCurveSH) { + // toEdit.wavelet.opacityCurveSH = mods.wavelet.opacityCurveSH; + //} if (wavelet.opacityCurveRG) { toEdit.wavelet.opacityCurveRG = mods.wavelet.opacityCurveRG; diff --git a/rtgui/paramsedited.h b/rtgui/paramsedited.h index 94abed470..0c0c79f7c 100644 --- a/rtgui/paramsedited.h +++ b/rtgui/paramsedited.h @@ -1281,7 +1281,7 @@ struct WaveletParamsEdited { bool Backmethod; bool Tilesmethod; bool complexmethod; - bool denmethod; + //bool denmethod; bool mixmethod; bool slimethod; bool quamethod; @@ -1335,7 +1335,7 @@ struct WaveletParamsEdited { bool levelsigm; bool ccwcurve; bool blcurve; - bool opacityCurveSH; + //bool opacityCurveSH; bool opacityCurveBY; bool wavdenoise; bool wavdenoiseh; diff --git a/rtgui/perspective.cc b/rtgui/perspective.cc index 317732bd2..fa0b24247 100644 --- a/rtgui/perspective.cc +++ b/rtgui/perspective.cc @@ -96,7 +96,7 @@ PerspCorrection::PerspCorrection () : FoldableToolPanel(this, "perspective", M(" EvPerspProjAngle = mapper->newEvent(TRANSFORM, "HISTORY_MSG_PERSP_PROJ_ANGLE"); EvPerspProjRotate = mapper->newEvent(TRANSFORM, "HISTORY_MSG_PERSP_PROJ_ROTATE"); EvPerspProjShift = mapper->newEvent(TRANSFORM, "HISTORY_MSG_PERSP_PROJ_SHIFT"); - EvPerspRender = mapper->newEvent(TRANSFORM); + EvPerspRender = mapper->newEvent(TRANSFORM, "GENERAL_NA"); // Void events. EvPerspCamAngleVoid = mapper->newEvent(M_VOID, "HISTORY_MSG_PERSP_CAM_ANGLE"); EvPerspCamFocalLengthVoid = mapper->newEvent(M_VOID, "HISTORY_MSG_PERSP_CAM_FL"); diff --git a/rtgui/toolpanelcoord.cc b/rtgui/toolpanelcoord.cc index 54102a2e1..9c14aeb6e 100644 --- a/rtgui/toolpanelcoord.cc +++ b/rtgui/toolpanelcoord.cc @@ -557,7 +557,7 @@ void ToolPanelCoordinator::panelChanged(const rtengine::ProcEvent& event, const maskStruc.blMask, maskStruc.tmMask, maskStruc.retiMask, maskStruc.sharMask, maskStruc.lcMask, maskStruc.cbMask, maskStruc.logMask, maskStruc.maskMask, maskStruc.cieMask); } else if (event == rtengine::EvLocallabSpotCreated || event == rtengine::EvLocallabSpotSelectedWithMask || - event == rtengine::EvLocallabSpotDeleted || event == rtengine::Evlocallabshowreset || + event == rtengine::EvLocallabSpotDeleted /*|| event == rtengine::Evlocallabshowreset*/ || event == rtengine::EvlocallabToolRemovedWithRefresh) { locallab->resetMaskVisibility(); ipc->setLocallabMaskVisibility(false, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0); diff --git a/rtgui/wavelet.cc b/rtgui/wavelet.cc index f14dd8c8c..7fa79f881 100644 --- a/rtgui/wavelet.cc +++ b/rtgui/wavelet.cc @@ -64,7 +64,7 @@ std::vector makeWholeHueRange() Wavelet::Wavelet() : FoldableToolPanel(this, "wavelet", M("TP_WAVELET_LABEL"), true, true), curveEditorG(new CurveEditorGroup(options.lastWaveletCurvesDir, M("TP_WAVELET_CONTEDIT"))), - curveEditorC(new CurveEditorGroup(options.lastWaveletCurvesDir, M("TP_WAVELET_CONTRASTEDIT"))), + //curveEditorC(new CurveEditorGroup(options.lastWaveletCurvesDir, M("TP_WAVELET_CONTRASTEDIT"))), CCWcurveEditorG(new CurveEditorGroup(options.lastWaveletCurvesDir, M("TP_WAVELET_CCURVE"))), curveEditorbl(new CurveEditorGroup(options.lastWaveletCurvesDir, M("TP_WAVELET_BLCURVE"))), curveEditorRES(new CurveEditorGroup(options.lastWaveletCurvesDir)), @@ -178,7 +178,7 @@ Wavelet::Wavelet() : Dirmethod(Gtk::manage(new MyComboBoxText())), Medgreinf(Gtk::manage(new MyComboBoxText())), ushamethod(Gtk::manage(new MyComboBoxText())), - denmethod(Gtk::manage(new MyComboBoxText())), + //denmethod(Gtk::manage(new MyComboBoxText())), mixmethod(Gtk::manage(new MyComboBoxText())), quamethod(Gtk::manage(new MyComboBoxText())), slimethod(Gtk::manage(new MyComboBoxText())), @@ -214,7 +214,7 @@ Wavelet::Wavelet() : ctboxch(Gtk::manage(new Gtk::Box())), quaHBox(Gtk::manage(new Gtk::Box())), sliHBox(Gtk::manage(new Gtk::Box())), - denHBox(Gtk::manage(new Gtk::Box())), + //denHBox(Gtk::manage(new Gtk::Box())), mixHBox(Gtk::manage(new Gtk::Box())), ctboxBA(Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL))) @@ -253,11 +253,11 @@ Wavelet::Wavelet() : EvWavLabGridValue = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVLABGRID_VALUE"); EvWavrangeab = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_RANGEAB"); EvWavprotab = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_PROTAB"); - EvWavlevelshc = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_LEVELSHC"); + //EvWavlevelshc = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_LEVELSHC"); EvWavcomplexmet = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_COMPLEX"); EvWavsigm = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVSIGM"); EvWavdenoise = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVDENOISE"); - EvWavdenmethod = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVDENMET"); + //EvWavdenmethod = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVDENMET"); EvWavmixmethod = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVMIXMET"); EvWavquamethod = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVQUAMET"); EvWavlevden = m->newEvent(DIRPYREQUALIZER, "HISTORY_MSG_WAVLEVDEN"); @@ -486,16 +486,16 @@ Wavelet::Wavelet() : const WaveletParams default_params; - curveEditorC->setCurveListener(this); - curveEditorC->set_tooltip_text(M("TP_WAVELET_FINCOAR_TOOLTIP")); + //curveEditorC->setCurveListener(this); + //curveEditorC->set_tooltip_text(M("TP_WAVELET_FINCOAR_TOOLTIP")); - opacityShapeSH = static_cast(curveEditorC->addCurve(CT_Flat, "", nullptr, false, false)); - opacityShapeSH->setIdentityValue(0.); - opacityShapeSH->setResetCurve(FlatCurveType(default_params.opacityCurveSH.at(0)), default_params.opacityCurveSH); + //opacityShapeSH = static_cast(curveEditorC->addCurve(CT_Flat, "", nullptr, false, false)); + //opacityShapeSH->setIdentityValue(0.); + //opacityShapeSH->setResetCurve(FlatCurveType(default_params.opacityCurveSH.at(0)), default_params.opacityCurveSH); - curveEditorC->curveListComplete(); - curveEditorC->show(); + //curveEditorC->curveListComplete(); + //curveEditorC->show(); contrastSHVBox->pack_start(*HSmethod); contrastSHVBox->pack_start(*hllev); @@ -684,17 +684,17 @@ Wavelet::Wavelet() : sliHBox->pack_start(*slimethod); - denmethod->append(M("TP_WAVELET_DENEQUAL")); - denmethod->append(M("TP_WAVELET_DEN14PLUS")); - denmethod->append(M("TP_WAVELET_DEN14LOW")); - denmethod->append(M("TP_WAVELET_DEN12PLUS")); - denmethod->append(M("TP_WAVELET_DEN12LOW")); - denmethodconn = denmethod->signal_changed().connect(sigc::mem_fun(*this, &Wavelet::denmethodChanged)); - denmethod->set_tooltip_text(M("TP_WAVELET_DENEQUAL_TOOLTIP")); + //denmethod->append(M("TP_WAVELET_DENEQUAL")); + //denmethod->append(M("TP_WAVELET_DEN14PLUS")); + //denmethod->append(M("TP_WAVELET_DEN14LOW")); + //denmethod->append(M("TP_WAVELET_DEN12PLUS")); + //denmethod->append(M("TP_WAVELET_DEN12LOW")); + //denmethodconn = denmethod->signal_changed().connect(sigc::mem_fun(*this, &Wavelet::denmethodChanged)); + //denmethod->set_tooltip_text(M("TP_WAVELET_DENEQUAL_TOOLTIP")); // Gtk::Box* const denHBox = Gtk::manage(new Gtk::Box()); - Gtk::Label* const denLabel = Gtk::manage(new Gtk::Label(M("TP_WAVELET_DENCONTRAST") + ":")); - denHBox->pack_start(*denLabel, Gtk::PACK_SHRINK, 4); - denHBox->pack_start(*denmethod); + //Gtk::Label* const denLabel = Gtk::manage(new Gtk::Label(M("TP_WAVELET_DENCONTRAST") + ":")); + //denHBox->pack_start(*denLabel, Gtk::PACK_SHRINK, 4); + //denHBox->pack_start(*denmethod); mixmethod->append(M("TP_WAVELET_MIXNOISE")); mixmethod->append(M("TP_WAVELET_MIXMIX")); @@ -757,7 +757,7 @@ Wavelet::Wavelet() : noiseBox->pack_start(*thrden); noiseBox->pack_start(*quaHBox); noiseBox->pack_start(*sliHBox); - noiseBox->pack_start(*denHBox); + //noiseBox->pack_start(*denHBox); noiseBox->pack_start(*mixHBox); noiseBox->pack_start(*levelsigm, Gtk::PACK_SHRINK, 0); noiseBox->pack_start(*limden); @@ -1332,7 +1332,7 @@ Wavelet::~Wavelet() idle_register.destroy(); delete opaCurveEditorG; - delete curveEditorC; + //delete curveEditorC; delete opacityCurveEditorG; delete CurveEditorwavnoise; delete CurveEditorwavnoiseh; @@ -1424,7 +1424,7 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) Backmethodconn.block(true); Tilesmethodconn.block(true); complexmethodconn.block(true); - denmethodconn.block(true); + //denmethodconn.block(true); mixmethodconn.block(true); slimethodconn.block(true); quamethodconn.block(true); @@ -1555,17 +1555,17 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) complexmethod->set_active(1); } - if (pp->wavelet.denmethod == "equ") { - denmethod->set_active(0); - } else if (pp->wavelet.denmethod == "high") { - denmethod->set_active(1); - } else if (pp->wavelet.denmethod == "low") { - denmethod->set_active(2); - } else if (pp->wavelet.denmethod == "12high") { - denmethod->set_active(3); - } else if (pp->wavelet.denmethod == "12low") { - denmethod->set_active(4); - } + //if (pp->wavelet.denmethod == "equ") { + // denmethod->set_active(0); + //} else if (pp->wavelet.denmethod == "high") { + // denmethod->set_active(1); + //} else if (pp->wavelet.denmethod == "low") { + // denmethod->set_active(2); + //} else if (pp->wavelet.denmethod == "12high") { + // denmethod->set_active(3); + //} else if (pp->wavelet.denmethod == "12low") { + // denmethod->set_active(4); + //} if (pp->wavelet.mixmethod == "nois") { mixmethod->set_active(0); @@ -1630,7 +1630,7 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) opacityShapeRG->setCurve(pp->wavelet.opacityCurveRG); wavdenoise->setCurve(pp->wavelet.wavdenoise); wavdenoiseh->setCurve(pp->wavelet.wavdenoiseh); - opacityShapeSH->setCurve(pp->wavelet.opacityCurveSH); + //opacityShapeSH->setCurve(pp->wavelet.opacityCurveSH); opacityShapeBY->setCurve(pp->wavelet.opacityCurveBY); opacityShape->setCurve(pp->wavelet.opacityCurveW); opacityShapeWL->setCurve(pp->wavelet.opacityCurveWL); @@ -1806,9 +1806,9 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) complexmethod->set_active_text(M("GENERAL_UNCHANGED")); } - if (!pedited->wavelet.denmethod) { - denmethod->set_active_text(M("GENERAL_UNCHANGED")); - } + //if (!pedited->wavelet.denmethod) { + // denmethod->set_active_text(M("GENERAL_UNCHANGED")); + //} if (!pedited->wavelet.mixmethod) { mixmethod->set_active_text(M("GENERAL_UNCHANGED")); @@ -1884,7 +1884,7 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) exptoning->set_inconsistent(!pedited->wavelet.exptoning); expnoise->set_inconsistent(!pedited->wavelet.expnoise); opacityShapeRG->setCurve(pp->wavelet.opacityCurveRG); - opacityShapeSH->setCurve(pp->wavelet.opacityCurveSH); + //opacityShapeSH->setCurve(pp->wavelet.opacityCurveSH); opacityShapeBY->setCurve(pp->wavelet.opacityCurveBY); wavdenoise->setCurve(pp->wavelet.wavdenoise); wavdenoiseh->setCurve(pp->wavelet.wavdenoiseh); @@ -2073,7 +2073,7 @@ void Wavelet::read(const ProcParams* pp, const ParamsEdited* pedited) Backmethodconn.block(false); Tilesmethodconn.block(false); complexmethodconn.block(false); - denmethodconn.block(false); + //denmethodconn.block(false); mixmethodconn.block(false); slimethodconn.block(false); quamethodconn.block(false); @@ -2104,7 +2104,7 @@ void Wavelet::setEditProvider(EditDataProvider *provider) ccshape->setEditProvider(provider); blshape->setEditProvider(provider); opacityShapeRG->setEditProvider(provider); - opacityShapeSH->setEditProvider(provider); + //opacityShapeSH->setEditProvider(provider); opacityShapeBY->setEditProvider(provider); wavdenoise->setEditProvider(provider); wavdenoiseh->setEditProvider(provider); @@ -2188,7 +2188,7 @@ void Wavelet::write(ProcParams* pp, ParamsEdited* pedited) pp->wavelet.ccwcurve = ccshape->getCurve(); pp->wavelet.blcurve = blshape->getCurve(); pp->wavelet.opacityCurveRG = opacityShapeRG->getCurve(); - pp->wavelet.opacityCurveSH = opacityShapeSH->getCurve(); + //pp->wavelet.opacityCurveSH = opacityShapeSH->getCurve(); pp->wavelet.opacityCurveBY = opacityShapeBY->getCurve(); pp->wavelet.wavdenoise = wavdenoise->getCurve(); pp->wavelet.wavdenoiseh = wavdenoiseh->getCurve(); @@ -2276,7 +2276,7 @@ void Wavelet::write(ProcParams* pp, ParamsEdited* pedited) pedited->wavelet.Backmethod = Backmethod->get_active_text() != M("GENERAL_UNCHANGED"); pedited->wavelet.Tilesmethod = Tilesmethod->get_active_text() != M("GENERAL_UNCHANGED"); pedited->wavelet.complexmethod = complexmethod->get_active_text() != M("GENERAL_UNCHANGED"); - pedited->wavelet.denmethod = denmethod->get_active_text() != M("GENERAL_UNCHANGED"); + //pedited->wavelet.denmethod = denmethod->get_active_text() != M("GENERAL_UNCHANGED"); pedited->wavelet.mixmethod = mixmethod->get_active_text() != M("GENERAL_UNCHANGED"); pedited->wavelet.slimethod = slimethod->get_active_text() != M("GENERAL_UNCHANGED"); pedited->wavelet.quamethod = quamethod->get_active_text() != M("GENERAL_UNCHANGED"); @@ -2337,7 +2337,7 @@ void Wavelet::write(ProcParams* pp, ParamsEdited* pedited) pedited->wavelet.leveldenoise = leveldenoise->getEditedState(); pedited->wavelet.levelsigm = levelsigm->getEditedState(); pedited->wavelet.opacityCurveRG = !opacityShapeRG->isUnChanged(); - pedited->wavelet.opacityCurveSH = !opacityShapeSH->isUnChanged(); + //pedited->wavelet.opacityCurveSH = !opacityShapeSH->isUnChanged(); pedited->wavelet.opacityCurveBY = !opacityShapeBY->isUnChanged(); pedited->wavelet.wavdenoise = !wavdenoise->isUnChanged(); pedited->wavelet.wavdenoiseh = !wavdenoiseh->isUnChanged(); @@ -2502,17 +2502,17 @@ void Wavelet::write(ProcParams* pp, ParamsEdited* pedited) pp->wavelet.complexmethod = "expert"; } - if (denmethod->get_active_row_number() == 0) { - pp->wavelet.denmethod = "equ"; - } else if (denmethod->get_active_row_number() == 1) { - pp->wavelet.denmethod = "high"; - } else if (denmethod->get_active_row_number() == 2) { - pp->wavelet.denmethod = "low"; - } else if (denmethod->get_active_row_number() == 3) { - pp->wavelet.denmethod = "12high"; - } else if (denmethod->get_active_row_number() == 4) { - pp->wavelet.denmethod = "12low"; - } + //if (denmethod->get_active_row_number() == 0) { + // pp->wavelet.denmethod = "equ"; + //} else if (denmethod->get_active_row_number() == 1) { + // pp->wavelet.denmethod = "high"; + //} else if (denmethod->get_active_row_number() == 2) { + // pp->wavelet.denmethod = "low"; + //} else if (denmethod->get_active_row_number() == 3) { + // pp->wavelet.denmethod = "12high"; + //} else if (denmethod->get_active_row_number() == 4) { + // pp->wavelet.denmethod = "12low"; + //} if (mixmethod->get_active_row_number() == 0) { pp->wavelet.mixmethod = "nois"; @@ -2571,8 +2571,8 @@ void Wavelet::curveChanged(CurveEditor* ce) listener->panelChanged(EvWavblshape, M("HISTORY_CUSTOMCURVE")); } else if (ce == opacityShapeRG) { listener->panelChanged(EvWavColor, M("HISTORY_CUSTOMCURVE")); - } else if (ce == opacityShapeSH) { - listener->panelChanged(EvWavlevelshc, M("HISTORY_CUSTOMCURVE")); + //} else if (ce == opacityShapeSH) { + // listener->panelChanged(EvWavlevelshc, M("HISTORY_CUSTOMCURVE")); } else if (ce == opacityShapeBY) { listener->panelChanged(EvWavOpac, M("HISTORY_CUSTOMCURVE")); } else if (ce == wavdenoise) { @@ -2915,13 +2915,13 @@ void Wavelet::HSmethodUpdateUI() bllev->hide(); threshold->hide(); threshold2->hide(); - curveEditorC->hide(); + //curveEditorC->hide(); } else { //with hllev->show(); bllev->show(); threshold->show(); threshold2->show(); - curveEditorC->show(); + //curveEditorC->show(); } } } @@ -3254,7 +3254,7 @@ void Wavelet::convertParamToNormal() //denoise chromfi->setValue(def_params.chromfi); chromco->setValue(def_params.chromco); - denmethod->set_active(4); + //denmethod->set_active(4); mixmethod->set_active(2); slimethod->set_active(0); levelsigm->setValue(def_params.levelsigm); @@ -3312,7 +3312,7 @@ void Wavelet::updateGUIToMode(int mode) blurFrame->hide(); cbenab->hide(); sigmafin->hide(); - denHBox->hide(); + //denHBox->hide(); mixHBox->hide(); sliHBox->hide(); sigm->hide(); @@ -3340,7 +3340,7 @@ void Wavelet::updateGUIToMode(int mode) blurFrame->show(); cbenab->show(); sigmafin->show(); - denHBox->hide(); + //denHBox->hide(); mixHBox->show(); sigm->hide(); levelsigm->show(); @@ -3359,7 +3359,7 @@ void Wavelet::updateGUIToMode(int mode) CurveEditorwavnoise->show(); } disableListener(); - denmethod->set_active(4); + //denmethod->set_active(4); enableListener(); } @@ -3382,13 +3382,13 @@ void Wavelet::complexmethodChanged() } } -void Wavelet::denmethodChanged() -{ - - if (listener && (multiImage || getEnabled())) { - listener->panelChanged(EvWavdenmethod, denmethod->get_active_text()); - } -} +//void Wavelet::denmethodChanged() +//{ +// +// if (listener && (multiImage || getEnabled())) { +// listener->panelChanged(EvWavdenmethod, denmethod->get_active_text()); +// } +//} void Wavelet::mixmethodChanged() { @@ -3513,7 +3513,7 @@ void Wavelet::setBatchMode(bool batchMode) Backmethod->append(M("GENERAL_UNCHANGED")); Tilesmethod->append(M("GENERAL_UNCHANGED")); complexmethod->append(M("GENERAL_UNCHANGED")); - denmethod->append(M("GENERAL_UNCHANGED")); + //denmethod->append(M("GENERAL_UNCHANGED")); mixmethod->append(M("GENERAL_UNCHANGED")); slimethod->append(M("GENERAL_UNCHANGED")); quamethod->append(M("GENERAL_UNCHANGED")); @@ -3530,7 +3530,7 @@ void Wavelet::setBatchMode(bool batchMode) Dirmethod->append(M("GENERAL_UNCHANGED")); CCWcurveEditorG->setBatchMode(batchMode); opaCurveEditorG->setBatchMode(batchMode); - curveEditorC->setBatchMode(batchMode); + //curveEditorC->setBatchMode(batchMode); opacityCurveEditorG->setBatchMode(batchMode); CurveEditorwavnoise->setBatchMode(batchMode); CurveEditorwavnoiseh->setBatchMode(batchMode); diff --git a/rtgui/wavelet.h b/rtgui/wavelet.h index bdbf7bbc3..0060520f6 100644 --- a/rtgui/wavelet.h +++ b/rtgui/wavelet.h @@ -139,7 +139,7 @@ private: void MedgreinfChanged(); void TMmethodChanged(); void complexmethodChanged(); - void denmethodChanged(); + //void denmethodChanged(); void mixmethodChanged(); void quamethodChanged(); void slimethodChanged(); @@ -190,8 +190,8 @@ private: void enableToggled(MyExpander* expander); CurveEditorGroup* const curveEditorG; - CurveEditorGroup* const curveEditorC; - FlatCurveEditor* opacityShapeSH; + //CurveEditorGroup* const curveEditorC; + //FlatCurveEditor* opacityShapeSH; CurveEditorGroup* const CCWcurveEditorG; CurveEditorGroup* const curveEditorbl; @@ -349,8 +349,8 @@ private: sigc::connection MedgreinfConn; MyComboBoxText* const ushamethod; sigc::connection ushamethodconn; - MyComboBoxText* const denmethod; - sigc::connection denmethodconn; + //MyComboBoxText* const denmethod; + //sigc::connection denmethodconn; MyComboBoxText* const mixmethod; sigc::connection mixmethodconn; MyComboBoxText* const quamethod; @@ -392,7 +392,7 @@ private: Gtk::Box* const ctboxch; Gtk::Box* const quaHBox; Gtk::Box* const sliHBox; - Gtk::Box* const denHBox; + //Gtk::Box* const denHBox; Gtk::Box* const mixHBox; Gtk::Box* const ctboxBA;// = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); From 4fa72c3a516fdab82a30f1244a6f02fa85d9b70b Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Wed, 24 Aug 2022 11:30:07 -0700 Subject: [PATCH 095/170] Add Japanese and Danish translations (#6503) * Add Japanese and Danish translations Japanese translations by Yz2house. Danish translations by mogensjaeger. * Run translation script on Japanese and Danish Also add back some keys ending with "0" that the script mistakenly removed. * Rename language file Danish to Dansk Allows automatic loading of the Danish translation from the system language. Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> --- rtdata/languages/Dansk | 4177 +++++++++++++++++++++++++++++++++++++ rtdata/languages/Japanese | 1937 +++++++++++------ 2 files changed, 5512 insertions(+), 602 deletions(-) create mode 100644 rtdata/languages/Dansk diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk new file mode 100644 index 000000000..6e49c8cb3 --- /dev/null +++ b/rtdata/languages/Dansk @@ -0,0 +1,4177 @@ +#01 2022-04-21 mogensjaeger (github), initial danish translation + +ABOUT_TAB_BUILD;Version +ABOUT_TAB_CREDITS;Credits +ABOUT_TAB_LICENSE;Licens +ABOUT_TAB_RELEASENOTES;Udgivelses noter +ABOUT_TAB_SPLASH;Splash +ADJUSTER_RESET_TO_DEFAULT;Click - nulstil til standardværdier.\nCtrl+click - nulstil til startværdier. +BATCH_PROCESSING;Batch redigering +CURVEEDITOR_AXIS_IN;I: +CURVEEDITOR_AXIS_LEFT_TAN;LT: +CURVEEDITOR_AXIS_OUT;O: +CURVEEDITOR_AXIS_RIGHT_TAN;RT: +CURVEEDITOR_CATMULLROM;Fleksibel +CURVEEDITOR_CURVE;Kurve +CURVEEDITOR_CUSTOM;Standard +CURVEEDITOR_DARKS;Mørke +CURVEEDITOR_EDITPOINT_HINT;Aktivér redigering af node ind/ud værdier.\n\nHøjreklik på en node for at vælge den.\nHøjreklik på et tomt område for at fravælge noden. +CURVEEDITOR_HIGHLIGHTS;Højlys +CURVEEDITOR_Kurver;Kurver +CURVEEDITOR_LIGHTS;Lyse partier +CURVEEDITOR_LINEAR;Lineær +CURVEEDITOR_LOADDLGLABEL;Indlæs kurve... +CURVEEDITOR_MINMAXCPOINTS;Equalizer +CURVEEDITOR_NURBS;Control cage +CURVEEDITOR_PARAMETRIC;Parametrisk +CURVEEDITOR_SAVEDLGLABEL;Gem kurve... +CURVEEDITOR_SHADOWS;Mørke partier +CURVEEDITOR_TOOLTIPCOPY;Kopier nuværende kurve til udklipsholderen. +CURVEEDITOR_TOOLTIPLINEAR;Nulstil kurve til lineær. +CURVEEDITOR_TOOLTIPLOAD;Indlæs kurve fra fil. +CURVEEDITOR_TOOLTIPPASTE;Overfør kurve fra udklipsholderen. +CURVEEDITOR_TOOLTIPSAVE;Gem nuværende kurve. +CURVEEDITOR_TYPE;Type: +DIRBROWSER_FOLDERS;Mapper +DONT_SHOW_AGAIN;Vis ikke denne besked igen. +DYNPROFILEEDITOR_DELETE;Slet +DYNPROFILEEDITOR_EDIT;Redigér +DYNPROFILEEDITOR_EDIT_RULE;Redigér Dynamisk Profil Regel +DYNPROFILEEDITOR_ENTRY_TOOLTIP;Matchningen er ufølsom over for store og små bogstaver. \nBrug "re:" præfiks for at indtaste \net almindeligt udtryk. +DYNPROFILEEDITOR_IMGTYPE_ANY;Alle mulige +DYNPROFILEEDITOR_IMGTYPE_HDR;HDR +DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift +DYNPROFILEEDITOR_IMGTYPE_STD;Standard +DYNPROFILEEDITOR_MOVE_DOWN;Flyt ned +DYNPROFILEEDITOR_MOVE_UP;Flyt op +DYNPROFILEEDITOR_NEW;Ny +DYNPROFILEEDITOR_NEW_RULE;Ny Dynamisk Profil Regel +DYNPROFILEEDITOR_PROFILE;Redigeringsprofil +EDITWINDOW_TITLE;Billede Redigér +EDIT_OBJECT_TOOLTIP;Viser en widget i forhåndsvisningsvinduet, som lader dig justere dette værktøj. +EDIT_PIPETTE_TOOLTIP;For at tilføje et justeringspunkt til kurven, skal du holde Ctrl-tasten nede, mens du venstreklikker på det ønskede sted i billedeksemplet. \nFor at justere punktet, hold Ctrl-tasten nede, mens du venstreklikker på det tilsvarende område i forhåndsvisningen, slip derefter Ctrl-tasten (medmindre du ønsker finkontrol), og mens du stadig holder venstre museknap nede, bevæges musen op eller ned for at flytte punktet op eller ned i kurven. +EXIFFILTER_APERTURE;Blænde +EXIFFILTER_CAMERA;Kamera +EXIFFILTER_EXPOSURECOMPENSATION;Eksponerings kompensation (EV) +EXIFFILTER_FILETYPE;Fil type +EXIFFILTER_FOCALLEN;Brændvidde +EXIFFILTER_IMAGETYPE;Billedtype +EXIFFILTER_ISO;ISO +EXIFFILTER_LENS;Objektiv +EXIFFILTER_METADATAFILTER;Aktivér metadatafiltre +EXIFFILTER_SHUTTER;Lukker +EXIFPANEL_ADDEDIT;Tilføj/Rediger +EXIFPANEL_ADDEDITHINT;Tilføj nyt mærkat eller rediger mærkat. +EXIFPANEL_ADDTAGDLG_ENTERVALUE;Indsæt værdi +EXIFPANEL_ADDTAGDLG_SELECTTAG;Vælg mærkat +EXIFPANEL_ADDTAGDLG_TITLE;Tilføj/Rediger Mærkat +EXIFPANEL_KEEP;Behold +EXIFPANEL_KEEPHINT;Behold de valgte mærkater, når du skriver outputfil. +EXIFPANEL_REMOVE;Fjern +EXIFPANEL_REMOVEHINT;Fjern de valgte mærkater, når du skriver outputfil. +EXIFPANEL_RESET;Nulstil +EXIFPANEL_RESETALL;Nulstil Alt +EXIFPANEL_RESETALLHINT;Nulstil alle mærkater til deres oprindelige værdier. +EXIFPANEL_RESETHINT;Nulstil alle valgte mærkater til deres oprindelige værdier. +EXIFPANEL_SHOWALL;Vis alt +EXIFPANEL_SUBDIRECTORY;Undermappe +EXPORT_BYPASS;Redigeringstrin der skal fravælges +EXPORT_BYPASS_ALL;Vælg / fravælg alt +EXPORT_BYPASS_DEFRINGE;Spring over Defringe +EXPORT_BYPASS_DIRPYRDENOISE;Spring over støjreduktion +EXPORT_BYPASS_DIRPYREQUALIZER;Spring over Kontrast ved Detalje Niveauer +EXPORT_BYPASS_EQUALIZER;Spring over Wavelet Niveauer +EXPORT_BYPASS_RAW_CA;Spring over [raw] Korrektion af Kromatisk Afvigelse +EXPORT_BYPASS_RAW_CCSTEPS;Spring over [raw] Undertrykkelse af Falsk Farve +EXPORT_BYPASS_RAW_DCB_ENHANCE;Spring over [raw] DCB Forbedrings Skridt +EXPORT_BYPASS_RAW_DCB_ITERATIONS;Spring over [raw] DCB Iterationer +EXPORT_BYPASS_RAW_DF;Spring over [raw] Mørk-ramme +EXPORT_BYPASS_RAW_FF;Spring over [raw] Fladt-Felt +EXPORT_BYPASS_RAW_GREENTHRESH;Spring over [raw] Grøn ligevægt +EXPORT_BYPASS_RAW_LINENOISE;Spring over [raw] Linie Støj Filter +EXPORT_BYPASS_RAW_LMMSE_ITERATIONS;Spring over [raw] LMMSE Forbedrings Skridt +EXPORT_BYPASS_SHARPENEDGE;Spring over Kantskærpning +EXPORT_BYPASS_SHARPENING;Spring over Skærpning +EXPORT_BYPASS_SHARPENMICRO;Spring over Mikrokontrast +EXPORT_FASTEXPORTOPTIONS;Hurtige Eksportmuligheder +EXPORT_INSTRUCTIONS;Hurtige eksportmuligheder giver tilsidesættelser for at omgå tids- og ressourcekrævende udviklingsindstillinger og for at køre kø-redigering ved at bruge de hurtige eksportindstillinger i stedet. Denne metode anbefales til hurtigere generering af billeder med lavere opløsning, når hastighed er en prioritet, eller når der ønskes ændret output for et eller mange billeder uden at foretage ændringer af deres gemte fremkaldelsesparametre. +EXPORT_MAXHEIGHT;Maksimal højde: +EXPORT_MAXWIDTH;Maksimal bredde: +EXPORT_PIPELINE;Redigeringspipeline +EXPORT_PUTTOQUEUEFAST; Sæt i kø for hurtig eksport +EXPORT_RAW_DMETHOD;Demosaisk metode +EXPORT_USE_FAST_PIPELINE;Dedikeret (fuld redigering på ændret billedstørrelse) +EXPORT_USE_FAST_PIPELINE_TIP;Brug en dedikeret redigeringspipeline til billeder i hurtig eksporttilstand, der bruger hastighed frem for kvalitet. Ændring af størrelsen på billedet udføres så tidligt som muligt, i stedet for at gøre det til sidst som i den normale pipeline. Hastighedsforbedringen kan være betydelig, men vær forberedt på at se artefakter, og en generel forringelse af outputkvaliteten. +EXPORT_USE_NORMAL_PIPELINE;Standard (spring over enkelte trin, ændre størrelse til sidst) +EXTPROGTARGET_1;raw +EXTPROGTARGET_2;kø-bearbejdet +FILEBROWSER_APPLYPROFILE;Anvend +FILEBROWSER_APPLYPROFILE_PARTIAL;Anvend - delvist +FILEBROWSER_AUTODARKFRAME;Automatisk mørk ramme +FILEBROWSER_AUTOFLATFIELD;Automatisk fladt-felt +FILEBROWSER_BROWSEPATHBUTTONHINT;Klik for at åbne den angivne sti, genindlæs mappen og anvend "find" nøgleord. +FILEBROWSER_BROWSEPATHHINT;Skriv en sti at navigere til.\n\nTastaturgenveje:\nCtrl-o for at fokusere på stiens tekstboks.\nEnter / Ctrl-Enter at gennemse der;\nEsc for at rydde ændringer.\nShift-Esc for at fjerne fokus.\n\nStigenveje:\n~ - brugers hjemmemappe.\n! - brugers billedmappe +FILEBROWSER_CACHE;Cache +FILEBROWSER_CACHECLEARFROMFULL;Ryd alt inklusive cachelagrede profiler +FILEBROWSER_CACHECLEARFROMPARTIAL;Ryd alt undtagen cachelagrede profiler +FILEBROWSER_CLEARPROFILE;Ryd +FILEBROWSER_COLORLABEL_TOOLTIP;Farvemærkat.\n\nBrug rullemenuen eller genveje:\nShift-Ctrl-0 Ingen farver\nShift-Ctrl-1 Rød\nShift-Ctrl-2 Gul\nShift-Ctrl-3 Grøn\nShift-Ctrl-4 Blå\nShift-Ctrl-5 Lilla +FILEBROWSER_COPYPROFILE;Kopiér +FILEBROWSER_CURRENT_NAME;Nuværende navn: +FILEBROWSER_DARKFRAME;Mørk ramme +FILEBROWSER_DELETEDIALOG_ALL;Er du sikker på, at du permanent vil slette alle %1 filer i papirkurven? +FILEBROWSER_DELETEDIALOG_HEADER;Bekræftelse af filsletning: +FILEBROWSER_DELETEDIALOG_SELECTED;Er du sikker på, at du permanent vil slette de valgte %1 filer? +FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Er du sikker på, at du permanent vil slette de valgte %1 filer, inklusive en købehandlet version? +FILEBROWSER_EMPTYTRASH;Tøm papirkurven +FILEBROWSER_EMPTYTRASHHINT;Permanent slet alle filer i papirkurven. +FILEBROWSER_EXTPROGMENU;Åben med +FILEBROWSER_FLATFIELD;Fladt-Felt +FILEBROWSER_MOVETODARKFDIR;Flyt til mappen med mørke-rammer +FILEBROWSER_MOVETOFLATFIELDDIR;Flyt til mappen med flade-felter +FILEBROWSER_NEW_NAME;Nyt navn: +FILEBROWSER_OPENDEFAULTVIEWER;Windows standard viser (kø-bearbejdet) +FILEBROWSER_PARTIALPASTEPROFILE;Sæt ind - partiel +FILEBROWSER_PASTEPROFILE;Sæt ind +FILEBROWSER_POPUPCANCELJOB;Annulér job +FILEBROWSER_POPUPCOLORLABEL;Farvemærkat +FILEBROWSER_POPUPCOLORLABEL0;Mærkat: Ingen +FILEBROWSER_POPUPCOLORLABEL1;Mærkat: Rød +FILEBROWSER_POPUPCOLORLABEL2;Mærkat: Gul +FILEBROWSER_POPUPCOLORLABEL3;Mærkat: Grøn +FILEBROWSER_POPUPCOLORLABEL4;Mærkat: Blå +FILEBROWSER_POPUPCOLORLABEL5;Mærkat: Lilla +FILEBROWSER_POPUPCOPYTO;Kopiér til... +FILEBROWSER_POPUPFILEOPERATIONS;Filhandlinger +FILEBROWSER_POPUPMOVEEND;Flyt til slutningen af køen +FILEBROWSER_POPUPMOVEHEAD;Flyt til begyndelsen af køen +FILEBROWSER_POPUPMOVETO;Flyt til... +FILEBROWSER_POPUPOPEN;Åbn +FILEBROWSER_POPUPOPENINEDITOR;Åbn i Redigering +FILEBROWSER_POPUPPROCESS;Sæt i kø +FILEBROWSER_POPUPPROCESSFAST;Sæt i kø (hurtig eksport) +FILEBROWSER_POPUPPROFILEOPERATIONS;Redigering af profiloperationer +FILEBROWSER_POPUPRANK;Rang +FILEBROWSER_POPUPRANK0;Ikke rangeret +FILEBROWSER_POPUPRANK1;Rang 1 * +FILEBROWSER_POPUPRANK2;Rang 2 ** +FILEBROWSER_POPUPRANK3;Rang 3 *** +FILEBROWSER_POPUPRANK4;Rang 4 **** +FILEBROWSER_POPUPRANK5;Rang 5 ***** +FILEBROWSER_POPUPREMOVE;Slet permanent +FILEBROWSER_POPUPREMOVEINCLPROC;Slet permanent, inklusive kø-bearbejdet version +FILEBROWSER_POPUPRENAME;Omdøb +FILEBROWSER_POPUPSELECTALL;Vælg alt +FILEBROWSER_POPUPTRASH;Flyt til papirkurv +FILEBROWSER_POPUPUNRANK;Slet rang +FILEBROWSER_POPUPUNTRASH;Flyt fra papirkurv +FILEBROWSER_QUERYBUTTONHINT;Ryd søgeforespørgslen +FILEBROWSER_QUERYHINT;Indtast filnavne til at søge efter. Understøtter delvise filnavne. Adskil søgetermerne ved hjælp af kommaer, f.eks.\n1001,1004,1199\n\nEkskluder søgetermer ved at sætte !=\nforan, f.eks.\n!=1001,1004,1199\n\nGenveje:\nCtrl-f - fokuser på søgefeltet,\nEnter - søg,\n Esc - ryd søgefeltet,\nShift-Esc - ufokuser søgefeltet. +FILEBROWSER_QUERYLABEL; Søg: +FILEBROWSER_RANK1_TOOLTIP;Rang 1 *\nGenvej: Shift-1 +FILEBROWSER_RANK2_TOOLTIP;Rang 2 *\nGenvej: Shift-2 +FILEBROWSER_RANK3_TOOLTIP;Rang 3 *\nGenvej: Shift-3 +FILEBROWSER_RANK4_TOOLTIP;Rang 4 *\nGenvej: Shift-4 +FILEBROWSER_RANK5_TOOLTIP;Rang 5 *\nGenvej: Shift-5 +FILEBROWSER_RENAMEDLGLABEL;Omdøb fil +FILEBROWSER_RESETDEFAULTPROFILE;Nulstil til standard +FILEBROWSER_SELECTDARKFRAME;Vælg mørk-ramme... +FILEBROWSER_SELECTFLATFIELD;Vælg fladt-felt... +FILEBROWSER_SHOWCOLORLABEL1HINT;Vis billeder mærket Rød.\nGenvej: Alt-1 +FILEBROWSER_SHOWCOLORLABEL2HINT;Vis billeder mærket Gul.\nGenvej: Alt-2 +FILEBROWSER_SHOWCOLORLABEL3HINT;Vis billeder mærket Grøn.\nGenvej: Alt-3 +FILEBROWSER_SHOWCOLORLABEL4HINT;Vis billeder mærket Blå.\nGenvej: Alt-4 +FILEBROWSER_SHOWCOLORLABEL5HINT;Vis billeder mærket Lilla.\nGenvej: Alt-5 +FILEBROWSER_SHOWDIRHINT;Ryd alle filtre.\nGenvej: d +FILEBROWSER_SHOWEDITEDHINT;Vis bearbejdede billeder.\nGenvej: 7 +FILEBROWSER_SHOWEDITEDNOTHINT;Vis ikke-bearbejdede billeder.\nGenvej: 6 +FILEBROWSER_SHOWEXIFINFO;Vis Exif info.\n\nGenveje:\ni - Tilstand med flere redigerings-faneblade,\nAlt-i - Tilstand med enkelt redigerings-faneblad. +FILEBROWSER_SHOWNOTTRASHHINT;Vis kun billeder, der ikke er i papirkurven. +FILEBROWSER_SHOWORIGINALHINT;Vis kun originale billeder.\n\nNår der findes flere billeder med det samme filnavn, men med forskellige suffikser, er den, der betragtes som original, den, hvis suffiks er nærmest øverst på listen over Fortolkede suffikser i Præferencer > Filbrowser > Fortolkede suffikser. +FILEBROWSER_SHOWRANK1HINT;Vis billeder rangeret som 1-stjernet.\nGenvej: 1 +FILEBROWSER_SHOWRANK2HINT;Vis billeder rangeret som 2-stjernet.\nGenvej: 2 +FILEBROWSER_SHOWRANK3HINT;Vis billeder rangeret som 3-stjernet.\nGenvej: 3 +FILEBROWSER_SHOWRANK4HINT;Vis billeder rangeret som 4-stjernet.\nGenvej: 4 +FILEBROWSER_SHOWRANK5HINT;Vis billeder rangeret som 5-stjernet.\nGenvej: 5 +FILEBROWSER_SHOWRECENTLYSAVEDHINT;Vis gemte billeder.\nGenvej: Alt-7 +FILEBROWSER_SHOWRECENTLYSAVEDNOTHINT;Vis ikke-gemte billeder.\nGenvej: Alt-6 +FILEBROWSER_SHOWTRASHHINT;Vis indholdet af papirkurven.\nGenvej: Ctrl-t +FILEBROWSER_SHOWUNCOLORHINT;Vis billeder uden farvemærkat.\nGenvej: Alt-0 +FILEBROWSER_SHOWUNRANKHINT;Vis ikke-rangerede billeder.\nGenvej: 0 +FILEBROWSER_THUMBSIZE;Thumbnail størrelse +FILEBROWSER_UNRANK_TOOLTIP;Slet rang.\nGenvej: Shift-0 +FILEBROWSER_ZOOMINHINT;Øg thumbnail størrelse.\n\nGenveje:\n+ - Tilstand med flere redigerings-faneblade,\nAlt-+ - Tilstand med enkelt redigerings-faneblad. +FILEBROWSER_ZOOMOUTHINT;Formindsk thumbnail størrelse.\n\nGenveje:\n- - Tilstand med flere redigerings-faneblade,\nAlt-- - Tilstand med enkelt redigerings-faneblad. +FILECHOOSER_FILTER_ANY;Alle filer +FILECHOOSER_FILTER_COLPROF;Farve profiler (*.icc) +FILECHOOSER_FILTER_CURVE;Kurve filer +FILECHOOSER_FILTER_LCP;Objektivkorrektionsprofiler +FILECHOOSER_FILTER_PP;Redigeringsprofiler +FILECHOOSER_FILTER_SAME;Samme format som nuværende foto +FILECHOOSER_FILTER_TIFF;TIFF filer +GENERAL_ABOUT;Om +GENERAL_AFTER;Efter +GENERAL_APPLY;Tilføj +GENERAL_ASIMAGE;Som billede +GENERAL_AUTO;Automatisk +GENERAL_BEFORE;Før +GENERAL_CANCEL;Annulér +GENERAL_CLOSE;Luk +GENERAL_CURRENT;Nuværende +GENERAL_DISABLE;Deaktivér +GENERAL_DISABLED;Deaktiveret +GENERAL_ENABLE;Aktivér +GENERAL_ENABLED;Aktiveret +GENERAL_FILE;Fil +GENERAL_HELP;Hjælp +GENERAL_LANDSCAPE;Landskab +GENERAL_NA;N/A +GENERAL_NO;Nej +GENERAL_NONE;Ingen +GENERAL_OK;OK +GENERAL_OPEN;Åben +GENERAL_PORTRAIT;Portræt +GENERAL_RESET;Nulstil +GENERAL_SAVE;Gem +GENERAL_SAVE_AS;Gem som... +GENERAL_SLIDER;Skyder +GENERAL_UNCHANGED;(Uændret) +GENERAL_WARNING;Advarsel +GIMP_PLUGIN_INFO;Velkommen til RawTherapee’s GIMP-plugin!\nNår du er færdig med at bearbejde billedet, skal du blot lukke RawTherapees hovedvindue, og billedet importeres automatisk i GIMP. +HISTOGRAM_TOOLTIP_B;Vis/Skjul blåt histogram. +HISTOGRAM_TOOLTIP_BAR;Vis/Skjul RGB indikatorbjælke. +HISTOGRAM_TOOLTIP_CHRO;Vis/Skjul kromaticitet histogram. +HISTOGRAM_TOOLTIP_G;Vis/Skjul grøn histogram. +HISTOGRAM_TOOLTIP_L;Vis/Skjul CIELab luminans histogram. +HISTOGRAM_TOOLTIP_MODE;Skift mellem lineær, log-lineær og log-log-skalering af histogrammet. +HISTOGRAM_TOOLTIP_R;Vis/Skjul rødt histogram. +HISTOGRAM_TOOLTIP_RAW;Vis/Skjul raw histogram. +HISTORY_CHANGED;Ændret +HISTORY_CUSTOMCURVE;Standardkurve +HISTORY_FROMCLIPBOARD;Fra udklipsholder +HISTORY_LABEL;Historik +HISTORY_MSG_1;Foto indlæst +HISTORY_MSG_2;PP3 indlæst +HISTORY_MSG_3;PP3 ændret +HISTORY_MSG_4;Historik browsing +HISTORY_MSG_5;Eksponering - Lyshed +HISTORY_MSG_6;Eksponering - Kontrast +HISTORY_MSG_7;Eksponering - Sort +HISTORY_MSG_8;Eksponering - Kompensation +HISTORY_MSG_9;Eksponering - Højlyskompression +HISTORY_MSG_10;Eksponering - Skyggekompression +HISTORY_MSG_11;Eksponering - Tonekurve 1 +HISTORY_MSG_12;Eksponering - Autoniveauer +HISTORY_MSG_13;Eksponering - Klip +HISTORY_MSG_14;L*a*b* - Lyshed +HISTORY_MSG_15;L*a*b* - Kontrast +HISTORY_MSG_16;- +HISTORY_MSG_17;- +HISTORY_MSG_18;- +HISTORY_MSG_19;L*a*b* - L* kurve +HISTORY_MSG_20;Skærpe +HISTORY_MSG_21;USM - Radius +HISTORY_MSG_22;USM - Mængde +HISTORY_MSG_23;USM - Tærskel +HISTORY_MSG_24;USM – Skærp kun kanter +HISTORY_MSG_25;USM - Kantdetekteringsradius +HISTORY_MSG_26;USM - Kanttolerance +HISTORY_MSG_27;USM - Glorie kontrol +HISTORY_MSG_28;USM - Glorie kontrol mængde +HISTORY_MSG_29;Skærpe - Metode +HISTORY_MSG_30;RLD - Radius +HISTORY_MSG_31;RLD - Mængde +HISTORY_MSG_32;RLD - Dæmpning +HISTORY_MSG_33;RLD - Gentagelser +HISTORY_MSG_34;Objektivkorrektion - Forvrængning +HISTORY_MSG_35;Objektivkorrektion - Vignetering +HISTORY_MSG_36;Objektivkorrektion - CA +HISTORY_MSG_37;Eksponering - Autoniveauer +HISTORY_MSG_38;Hvidbalance - Metode +HISTORY_MSG_39;WB - Temperatur +HISTORY_MSG_40;WB - Farvenuance +HISTORY_MSG_41;Eksponering - Tonekurve 1 mode +HISTORY_MSG_42;Eksponering - Tonekurve 2 +HISTORY_MSG_43;Eksponering - Tonekurve 2 mode +HISTORY_MSG_44;Lum. støjreduktionsradius +HISTORY_MSG_45;Lum. støjreduktion kant tolerance +HISTORY_MSG_46;Farvestøjreducering +HISTORY_MSG_47;Bland ICC-højlys med matrix +HISTORY_MSG_48;DCP - Tonekurve +HISTORY_MSG_49;DCP lyskilde +HISTORY_MSG_50;Skygger/Højlys +HISTORY_MSG_51;S/H - Højlys +HISTORY_MSG_52;S/H - Skygger +HISTORY_MSG_53;S/H – Højlysenes tonale bredde +HISTORY_MSG_54;S/H – Skyggernes tonale bredde +HISTORY_MSG_55;S/H - Lokal kontrast +HISTORY_MSG_56;S/H - Radius +HISTORY_MSG_57;Grov rotation +HISTORY_MSG_58;Vandret vending +HISTORY_MSG_59;Lodret vending +HISTORY_MSG_60;Rotation +HISTORY_MSG_61;Auto-udfyldning +HISTORY_MSG_62;Forvrængningskorrektion +HISTORY_MSG_63;Snapshot valgt +HISTORY_MSG_64;Beskær +HISTORY_MSG_65;CA korrektion +HISTORY_MSG_66;Eksponering – Højlys rekonstruktion +HISTORY_MSG_67;Eksponering - HLR mængde +HISTORY_MSG_68;Eksponering - HLR metode +HISTORY_MSG_69;Arbejdsfarverum +HISTORY_MSG_70;Output farverum +HISTORY_MSG_71;Input farverum +HISTORY_MSG_72;VC - Mængde +HISTORY_MSG_73;Kanal Mikser +HISTORY_MSG_74;Ændre størrelse - Skala +HISTORY_MSG_75;Ændre størrelse - Metode +HISTORY_MSG_76;Exif metadata +HISTORY_MSG_77;IPTC metadata +HISTORY_MSG_78;- +HISTORY_MSG_79;Ændre størrelse - Bredde +HISTORY_MSG_80;Ændre størrelse - Højde +HISTORY_MSG_81;Ændre størrelse +HISTORY_MSG_82;Profil ændret +HISTORY_MSG_83;S/H - Skærpemaske +HISTORY_MSG_84;Perspektivkorrektion +HISTORY_MSG_85;Objektivkorrektion - LCP fil +HISTORY_MSG_86;RGB Kurver - Luminanstilstand +HISTORY_MSG_87;Impuls støjreduktion +HISTORY_MSG_88;Impuls Støjreduktion tærskel +HISTORY_MSG_89;Støjreduktion +HISTORY_MSG_90;Støjreduktion - Luminans +HISTORY_MSG_91;Støjreduktion - Chrominance master +HISTORY_MSG_92;Støjreduktion - Gamma +HISTORY_MSG_93;KeDN - Værdi +HISTORY_MSG_94;Kontrast ved Detaljeniveauer +HISTORY_MSG_95;L*a*b* - Kromaticitet +HISTORY_MSG_96;L*a*b* - a* kurve +HISTORY_MSG_97;L*a*b* - b* kurve +HISTORY_MSG_98;Demosaiking metode +HISTORY_MSG_99;Varm-pixel filter +HISTORY_MSG_100;Eksponering - Mætning +HISTORY_MSG_101;HSV - Farvetone +HISTORY_MSG_102;HSV - Mætning +HISTORY_MSG_103;HSV - Værdi +HISTORY_MSG_104;HSV Equalizer +HISTORY_MSG_105;Defringe +HISTORY_MSG_106;Defringe - Radius +HISTORY_MSG_107;Defringe - Tærskel +HISTORY_MSG_108;Eksponering - HLC tærskel +HISTORY_MSG_109;Ændr størrelse - Afgrænsningsboks +HISTORY_MSG_110;Ændr størrelse - Gælder for +HISTORY_MSG_111;L*a*b* - Undgå farveforskydning +HISTORY_MSG_112;--ubrugt-- +HISTORY_MSG_113;L*a*b* - Rød/hud beskyt. +HISTORY_MSG_114;DCB gentagelser +HISTORY_MSG_115;Undertrykkelse af forkerte farver +HISTORY_MSG_116;DCB forbedring +HISTORY_MSG_117;Raw CA korrektion - Rød +HISTORY_MSG_118;Raw CA korrektion - Blå +HISTORY_MSG_119;Linje støjfilter +HISTORY_MSG_120;Grøn ligevægt +HISTORY_MSG_121;Raw CA Korrektion - Auto +HISTORY_MSG_122;Mørk-Ramme - Auto-udvælgelse +HISTORY_MSG_123;Mørk-Ramme - Fil +HISTORY_MSG_124;Hvidpunkts korrektion +HISTORY_MSG_126;Fladt-Felt - Fil +HISTORY_MSG_127;Fladt-Felt - Automatisk valg +HISTORY_MSG_128;Fladt-Felt - Sløringsradius +HISTORY_MSG_129;Fladt-Felt - Sløringstype +HISTORY_MSG_130;Automatisk forvrængningskorrektion +HISTORY_MSG_131;Støjreduktion - Luma +HISTORY_MSG_132;Støjreduktion - Kroma +HISTORY_MSG_133;Output gamma +HISTORY_MSG_134;Fri gamma +HISTORY_MSG_135;Fri gamma +HISTORY_MSG_136;Fri gamma hældning +HISTORY_MSG_137;Sort niveau - Grøn 1 +HISTORY_MSG_138;Sort niveau - Rød +HISTORY_MSG_139;Sort niveau - Blå +HISTORY_MSG_140;Sort niveau - Grøn 2 +HISTORY_MSG_141;Sort niveau – Sammenkæd grønne +HISTORY_MSG_142;Skærpen kanter - Gentagelser +HISTORY_MSG_143;Skærpen kanter - Mængde +HISTORY_MSG_144;Mikrokontrast - Mængde +HISTORY_MSG_145;Mikrokontrast - Ensartethed +HISTORY_MSG_146;Kantskærpning +HISTORY_MSG_147;Skærpen kanter – Kun luminans +HISTORY_MSG_148;Mikrokontrast +HISTORY_MSG_149;Mikrokontrast - 3×3 matrix +HISTORY_MSG_150;Efter-demosaiking artefakt/støjreduktion +HISTORY_MSG_151;Vibrance +HISTORY_MSG_152;Vibrance - Pastel toner +HISTORY_MSG_153;Vibrance - Mættede toner +HISTORY_MSG_154;Vibrance - Beskyt hud-toner +HISTORY_MSG_155;Vibrance - Undgå farveforskydning +HISTORY_MSG_156;Vibrance - Sammenkæd pastel/mættet +HISTORY_MSG_157;Vibrance - P/S tærskel +HISTORY_MSG_158;Tonekortlægning - Styrke +HISTORY_MSG_159;Tonekortlægning - Kantstopper +HISTORY_MSG_160;Tonekortlægning - Vægt +HISTORY_MSG_161;Tonekortlægning - Genvægtning gentages +HISTORY_MSG_162;Tone Mapping +HISTORY_MSG_163;RGB Kurver - Rød +HISTORY_MSG_164;RGB Kurver - Grøn +HISTORY_MSG_165;RGB Kurver - Blå +HISTORY_MSG_166;Eksponering - Nulstil +HISTORY_MSG_167;Demosaikingmetode +HISTORY_MSG_168;L*a*b* - CC kurve +HISTORY_MSG_169;L*a*b* - CH kurve +HISTORY_MSG_170;Vibrance - HH kurve +HISTORY_MSG_171;L*a*b* - LC kurve +HISTORY_MSG_172;L*a*b* - Begræns LC +HISTORY_MSG_173;Støjreduktion - Detaljegendannelse +HISTORY_MSG_174;CIEFM02 +HISTORY_MSG_175;CIEFM02 - CAT02 tilpasning +HISTORY_MSG_176;CIEFM02 - Visning omgivende +HISTORY_MSG_177;CIEFM02 - Scene lysstyrke +HISTORY_MSG_178;CIEFM02 - Visers lysstyrke +HISTORY_MSG_179;CIEFM02 - Hvidpunkts model +HISTORY_MSG_180;CIEFM02 - Lyshed (J) +HISTORY_MSG_181;CIEFM02 - Kroma (C) +HISTORY_MSG_182;CIEFM02 - Automatisk CAT02 +HISTORY_MSG_183;CIEFM02 - Kontrast (J) +HISTORY_MSG_184;CIEFM02 - Scene omgivende +HISTORY_MSG_185;CIEFM02 - Farveskala kontrol +HISTORY_MSG_186;CIEFM02 - Algoritme +HISTORY_MSG_187;CIEFM02 - Rød/hud besk. +HISTORY_MSG_188;CIEFM02 - Lysstyrke (Q) +HISTORY_MSG_189;CIEFM02 - Kontrast (Q) +HISTORY_MSG_190;CIEFM02 - Mætning (S) +HISTORY_MSG_191;CIEFM02 - Farverighed (M) +HISTORY_MSG_192;CIEFM02 - Farvetone (h) +HISTORY_MSG_193;CIEFM02 - Tonekurve 1 +HISTORY_MSG_194;CIEFM02 - Tonekurve 2 +HISTORY_MSG_195;CIEFM02 - Tonekurve 1 +HISTORY_MSG_196;CIEFM02 - Tonekurve 2 +HISTORY_MSG_197;CIEFM02 – Farvekurve +HISTORY_MSG_198;CIEFM02 - Farvekurve +HISTORY_MSG_199;CIEFM02 - Output histogrammer +HISTORY_MSG_200;CIEFM02 - Tonekortlægning +HISTORY_MSG_201;Støjreduktion - Krominans - R&G +HISTORY_MSG_202;Støjreduktion - Krominans - B&Y +HISTORY_MSG_203;Støjreduktion - Farverum +HISTORY_MSG_204;LMMSE forbedringstrin +HISTORY_MSG_205;CIEFM02 - Varmt/dødt pixelfilter +HISTORY_MSG_206;CAT02 - Auto scene lysstyrke +HISTORY_MSG_207;Defringe - Farvetonekurve +HISTORY_MSG_208;WB - B/R equalizer +HISTORY_MSG_210;GF - Vinkel +HISTORY_MSG_211;Gradueret Filter +HISTORY_MSG_212;VF - Styrke +HISTORY_MSG_213;Vignette Filter +HISTORY_MSG_214;Sort-og-Hvid +HISTORY_MSG_215;S/H - CM - Rød +HISTORY_MSG_216;S/H - CM - Grøn +HISTORY_MSG_217;S/H - CM - Blå +HISTORY_MSG_218;S/H - Gamma - Rød +HISTORY_MSG_219;S/H - Gamma - Grøn +HISTORY_MSG_220;S/H - Gamma - Blå +HISTORY_MSG_221;S/H - Farvefilter +HISTORY_MSG_222;S/H - Forudindstillinger +HISTORY_MSG_223;S/H - CM - Orange +HISTORY_MSG_224;S/H - CM - Gul +HISTORY_MSG_225;S/H - CM - Cyan +HISTORY_MSG_226;S/H - CM - Magenta +HISTORY_MSG_227;S/H - CM - Lilla +HISTORY_MSG_228;S/H - Luminans equalizer +HISTORY_MSG_229;S/H - Luminans equalizer +HISTORY_MSG_230;S/H - Tilstand +HISTORY_MSG_231;S/H - 'Før' kurve +HISTORY_MSG_232;S/H - 'Før' kurvetype +HISTORY_MSG_233;S/H - 'Efter' kurve +HISTORY_MSG_234;S/H - 'Efter' kurvetype +HISTORY_MSG_235;S/H - CM - Auto +HISTORY_MSG_236;--unused-- +HISTORY_MSG_237;S/H - CM +HISTORY_MSG_238;GF - Fjer +HISTORY_MSG_239;GF - Styrke +HISTORY_MSG_240;GF - Centrum +HISTORY_MSG_241;VF - Fjer +HISTORY_MSG_242;VF - Rundhed +HISTORY_MSG_243;VC - Radius +HISTORY_MSG_244;VC - Styrke +HISTORY_MSG_245;VC - Centrum +HISTORY_MSG_246;L*a*b* - CL kurve +HISTORY_MSG_247;L*a*b* - LH kurve +HISTORY_MSG_248;L*a*b* - HH kurve +HISTORY_MSG_249;KeDN - Tærskel +HISTORY_MSG_250;Støjreduktion - Forbedret +HISTORY_MSG_251;S/H - Algoritme +HISTORY_MSG_252;KeDN – Beskyt hudfarvetoner +HISTORY_MSG_253;KeDN - Reducér artefakter +HISTORY_MSG_254;KeDN - Hud farvetone +HISTORY_MSG_255;Støjreduktion - Median filter +HISTORY_MSG_256;Støjreduktion - Median - Type +HISTORY_MSG_257;Farvetoning +HISTORY_MSG_258;Farvetoning - Farvekurve +HISTORY_MSG_259;Farvetoning - Opacitetskurve +HISTORY_MSG_260;Farvetoning - a*[b*] opacitet +HISTORY_MSG_261;Farvetoning - Metode +HISTORY_MSG_262;Farvetoning - b* opacitet +HISTORY_MSG_263;Farvetoning - Skygger - Rød +HISTORY_MSG_264;Farvetoning - Skygger - Grøn +HISTORY_MSG_265;Farvetoning - Skygger - Blå +HISTORY_MSG_266;Farvetoning - Mellem - Rød +HISTORY_MSG_267;Farvetoning - Mellem - Grøn +HISTORY_MSG_268;Farvetoning - Mellem - Blå +HISTORY_MSG_269;Farvetoning - Høj - Rød +HISTORY_MSG_270;Farvetoning - Høj - Grøn +HISTORY_MSG_271;Farvetoning - Høj - Blå +HISTORY_MSG_272;Farvetoning - Balance +HISTORY_MSG_273;Farvetoning - Farvebalance SMH +HISTORY_MSG_274;Farvetoning - Mættet Skygger +HISTORY_MSG_275;Farvetoning - Mættet Højlys +HISTORY_MSG_276;Farvetoning - Opacitet +HISTORY_MSG_277;--unused-- +HISTORY_MSG_278;Farvetoning - Bevar luminans +HISTORY_MSG_279;Farvetoning - Skygger +HISTORY_MSG_280;Farvetoning - Højlys +HISTORY_MSG_281;Farvetoning - Mættet styrke +HISTORY_MSG_282;Farvetoning - Mættet tærskel +HISTORY_MSG_283;Farvetoning - Styrke +HISTORY_MSG_284;Farvetoning - Auto mætningsbeskyttelse +HISTORY_MSG_285;Støjreduktion - Median - Metode +HISTORY_MSG_286;Støjreduktion - Median - Type +HISTORY_MSG_287;Støjreduktion - Median - Gentagelser +HISTORY_MSG_288;Fladt-Felt - Klipningskontrol +HISTORY_MSG_289;Fladt-Felt - Klipningskontrol - Auto +HISTORY_MSG_290;Sort Niveau - Rød +HISTORY_MSG_291;Sort Niveau - Grøn +HISTORY_MSG_292;Sort Niveau - Blå +HISTORY_MSG_293;Film Simulation +HISTORY_MSG_294;Film Simulation - Styrke +HISTORY_MSG_295;Film Simulation - Film +HISTORY_MSG_296;Støjreduktion – Luminanskurve +HISTORY_MSG_297;Støjreduktion - Tilstand +HISTORY_MSG_298;Død-pixel filter +HISTORY_MSG_299;Støjreduktion - Krominans kurve +HISTORY_MSG_300;- +HISTORY_MSG_301;Støjreduktion - Luma kontrol +HISTORY_MSG_302;Støjreduktion - Kroma metode +HISTORY_MSG_303;Støjreduktion - Kroma metode +HISTORY_MSG_304;Wavelet - Kontrastniveauer +HISTORY_MSG_305;Wavelet Niveauer +HISTORY_MSG_306;Wavelet - Proces +HISTORY_MSG_307;Wavelet - Proces +HISTORY_MSG_308;Wavelet – Proces retning +HISTORY_MSG_309;Wavelet - ES - Detail +HISTORY_MSG_310;Wavelet - Resterende – Himmelandel beskyttelse +HISTORY_MSG_311;Wavelet - Wavelet niveauer +HISTORY_MSG_312;Wavelet - Resterende - Skyggetærskel +HISTORY_MSG_313;Wavelet - Kroma - Mættet/pastel +HISTORY_MSG_314;Wavelet - Gamut - Reducér artefakter +HISTORY_MSG_315;Wavelet - Resterende - Kontrast +HISTORY_MSG_316;Wavelet - Gamut – Hudandel beskyttelse +HISTORY_MSG_317;Wavelet - Gamut - Hudfarvetone +HISTORY_MSG_318;Wavelet - Kontrast - Højlys niveauer +HISTORY_MSG_319;Wavelet - Kontrast - Højlys rækkevidde +HISTORY_MSG_320;Wavelet - Kontrast - Skygge rækkevidde +HISTORY_MSG_321;Wavelet - Kontrast - Skygge niveauer +HISTORY_MSG_322;Wavelet - Gamut - Undgå farveforskydning +HISTORY_MSG_323;Wavelet - ES - Localkontrast +HISTORY_MSG_324;Wavelet - Kroma - Pastel +HISTORY_MSG_325;Wavelet - Kroma - Mættet +HISTORY_MSG_326;Wavelet - Kroma - Metode +HISTORY_MSG_327;Wavelet - Kontrast - Tilføj til +HISTORY_MSG_328;Wavelet - Kroma - Sammenkædniongsstyrke +HISTORY_MSG_329;Wavelet - Toning - Opacitet RG +HISTORY_MSG_330;Wavelet - Toning - Opacitet BY +HISTORY_MSG_331;Wavelet - Kontrastniveauer - Ekstra +HISTORY_MSG_332;Wavelet - Fliseopdelingsmetode +HISTORY_MSG_333;Wavelet - Resterende - Skygger +HISTORY_MSG_334;Wavelet - Resterende - Kroma +HISTORY_MSG_335;Wavelet - Resterende - Højlys +HISTORY_MSG_336;Wavelet - Resterende - Højlystærskel +HISTORY_MSG_337;Wavelet - Resterende - Himmelfarvetone +HISTORY_MSG_338;Wavelet - ES - Radius +HISTORY_MSG_339;Wavelet - ES - Styrke +HISTORY_MSG_340;Wavelet - Styrke +HISTORY_MSG_341;Wavelet - Kantydelse +HISTORY_MSG_342;Wavelet - ES - Første niveau +HISTORY_MSG_343;Wavelet - Kroma niveauer +HISTORY_MSG_344;Wavelet - Meth kroma sl/cur +HISTORY_MSG_345;Wavelet - ES - Lokal kontrast +HISTORY_MSG_346;Wavelet - ES - Lokal kontrast metode +HISTORY_MSG_347;Wavelet - Støjfjernelse - Niveau 1 +HISTORY_MSG_348;Wavelet - Støjfjernelse - Niveau 2 +HISTORY_MSG_349;Wavelet - Støjfjernelse - Niveau 3 +HISTORY_MSG_350;Wavelet - ES - Kantgenkendelse +HISTORY_MSG_351;Wavelet - Resterende - HH kurve +HISTORY_MSG_352;Wavelet - Baggrund +HISTORY_MSG_353;Wavelet - ES - Gradient følsomhed +HISTORY_MSG_354;Wavelet - ES - Forbedret +HISTORY_MSG_355;Wavelet - ES - Tærskel lav +HISTORY_MSG_356;Wavelet - ES - Tærskel høj +HISTORY_MSG_357;Wavelet - Støjfjernelse - Link med ES +HISTORY_MSG_358;Wavelet - Gamut - CH +HISTORY_MSG_359;Varm/Død - Tærskel +HISTORY_MSG_360;Tonekortlægning - Gamma +HISTORY_MSG_361;Wavelet - Afsluttende - Kroma balance +HISTORY_MSG_362;Wavelet - Resterende - Kompression metode +HISTORY_MSG_363;Wavelet - Resterende - Kompression styrke +HISTORY_MSG_364;Wavelet - Afsluttende - Kontrast balance +HISTORY_MSG_365;Wavelet - Afsluttende - Delta balance +HISTORY_MSG_366;Wavelet - Resterende - Kompression gamma +HISTORY_MSG_367;Wavelet - Afsluttende - 'Efter' kontrast kurve +HISTORY_MSG_368;Wavelet - Afsluttende - Kontrast balance +HISTORY_MSG_369;Wavelet - Afsluttende - Balance metode +HISTORY_MSG_370;Wavelet - Afsluttende - Lokal kontrast kurve +HISTORY_MSG_371;Post-Resize Skærpe +HISTORY_MSG_372;PRS USM - Radius +HISTORY_MSG_373;PRS USM - Mængde +HISTORY_MSG_374;PRS USM - Tærskel +HISTORY_MSG_375;PRS USM - Skærp kun kanter +HISTORY_MSG_376;PRS USM - Kantfinding radius +HISTORY_MSG_377;PRS USM - Kanttolerance +HISTORY_MSG_378;PRS USM - Glorie kontrol +HISTORY_MSG_379;PRS USM - Glorie kontrolmængde +HISTORY_MSG_380;PRS - Metode +HISTORY_MSG_381;PRS RLD - Radius +HISTORY_MSG_382;PRS RLD - Mængde +HISTORY_MSG_383;PRS RLD - Dæmpning +HISTORY_MSG_384;PRS RLD - Gentagelser +HISTORY_MSG_385;Wavelet - Resterende - Farve Balance +HISTORY_MSG_386;Wavelet - Resterende - CB grøn høj +HISTORY_MSG_387;Wavelet - Resterende - CB blå høj +HISTORY_MSG_388;Wavelet - Resterende - CB grøn mellem +HISTORY_MSG_389;Wavelet - Resterende - CB blå mellem +HISTORY_MSG_390;Wavelet - Resterende - CB grøn lav +HISTORY_MSG_391;Wavelet - Resterende - CB blå lav +HISTORY_MSG_392;Wavelet - Resterende - Farve Balance +HISTORY_MSG_393;DCP - Look-tabel +HISTORY_MSG_394;DCP - Basisbelysning +HISTORY_MSG_395;DCP - Basistabel +HISTORY_MSG_396;Wavelet - Kontrast slutredigering +HISTORY_MSG_397;Wavelet - Kroma slutredigering +HISTORY_MSG_398;Wavelet - ES slutredigering +HISTORY_MSG_399;Wavelet - Resterende billede +HISTORY_MSG_400;Wavelet - Afsluttende redigering +HISTORY_MSG_401;Wavelet - Toning slutredigering +HISTORY_MSG_402;Wavelet - Støjfjernelse slutredigering +HISTORY_MSG_403;Wavelet - ES – Kantfølsomhed +HISTORY_MSG_404;Wavelet - ES - Base forstærkning +HISTORY_MSG_405;Wavelet - Støjfjernelse - Niveau 4 +HISTORY_MSG_406;Wavelet - ES - Nabo pixels +HISTORY_MSG_407;Retinex - Metode +HISTORY_MSG_408;Retinex - Radius +HISTORY_MSG_409;Retinex - Kontrast +HISTORY_MSG_410;Retinex - Offset +HISTORY_MSG_411;Retinex - Styrke +HISTORY_MSG_412;Retinex - Gaussisk gradient +HISTORY_MSG_413;Retinex - Kontrast +HISTORY_MSG_414;Retinex - Histogram - Lab +HISTORY_MSG_415;Retinex - Transmission +HISTORY_MSG_416;Retinex +HISTORY_MSG_417;Retinex - Transmission median +HISTORY_MSG_418;Retinex - Tærskel +HISTORY_MSG_419;Retinex - Farverum +HISTORY_MSG_420;Retinex - Histogram - HSL +HISTORY_MSG_421;Retinex - Gamma +HISTORY_MSG_422;Retinex - Gamma +HISTORY_MSG_423;Retinex - Gamma hældning +HISTORY_MSG_424;Retinex - HL tærskel +HISTORY_MSG_425;Retinex - Log base +HISTORY_MSG_426;Retinex - Farvetone equalizer +HISTORY_MSG_427;Output - Ønsket gengivelse +HISTORY_MSG_428;Skærm - Ønsket gengivelse +HISTORY_MSG_429;Retinex - Gentagelser +HISTORY_MSG_430;Retinex - Transmission gradient +HISTORY_MSG_431;Retinex - Styrke gradient +HISTORY_MSG_432;Retinex - Maske - Højlys +HISTORY_MSG_433;Retinex - Maske - Højlys TB +HISTORY_MSG_434;Retinex - Maske - Skygger +HISTORY_MSG_435;Retinex - Maske - Skygger TB +HISTORY_MSG_436;Retinex - Maske - Radius +HISTORY_MSG_437;Retinex - Maske - Metode +HISTORY_MSG_438;Retinex - Maske - Equalizer +HISTORY_MSG_439;Retinex - Proces +HISTORY_MSG_440;KeDN - Metode +HISTORY_MSG_441;Retinex - Forstærk transmission +HISTORY_MSG_442;Retinex - Vægt +HISTORY_MSG_443;Output sortpunktskompensation +HISTORY_MSG_444;WB - Temp forskydning +HISTORY_MSG_445;Raw sub-image +HISTORY_MSG_449;PS - ISO tilpasning +HISTORY_MSG_452;PS - Vis bevægelse +HISTORY_MSG_453;PS - Vis kun maske +HISTORY_MSG_457;PS - Check rød/blå +HISTORY_MSG_462;PS - Check grøn +HISTORY_MSG_464;PS - Slør bevægelsesmaske +HISTORY_MSG_465;PS - Sløringsradius +HISTORY_MSG_468;PS – Udfyld huller +HISTORY_MSG_469;PS - Median +HISTORY_MSG_471;PS - Bevægelseskorrektion +HISTORY_MSG_472;PS - Bløde overgange +HISTORY_MSG_473;PS - Brug LMMSE +HISTORY_MSG_474;PS - Equalize +HISTORY_MSG_475;PS - Equalize kanal +HISTORY_MSG_476;CIEFM02 - Temp ud +HISTORY_MSG_477;CIEFM02 - Grøn ud +HISTORY_MSG_478;CIEFM02 - Yb ud +HISTORY_MSG_479;CIEFM02 - CAT02 adaptation ud +HISTORY_MSG_480;CIEFM02 - Automatic CAT02 ud +HISTORY_MSG_481;CIEFM02 - Temp scene +HISTORY_MSG_482;CIEFM02 - Grøn scene +HISTORY_MSG_483;CIEFM02 - Yb scene +HISTORY_MSG_484;CIEFM02 - Auto Yb scene +HISTORY_MSG_485;Objektivkorrektion +HISTORY_MSG_486;Objektivkorrektion - Kamera +HISTORY_MSG_487;Objektivkorrektion - Objektiv +HISTORY_MSG_488;Dynamisk Områdekomprimering +HISTORY_MSG_489;DO - Detalje +HISTORY_MSG_490;DO - Mængde +HISTORY_MSG_491;Hvidbalance +HISTORY_MSG_492;RGB Kurver +HISTORY_MSG_493;L*a*b* Justeringer +HISTORY_MSG_494;Input skærpning +HISTORY_MSG_CLAMPOOG;Klip farver uden for Gamut +HISTORY_MSG_COLORTONING_LABGRID_VALUE;Farvetoning - Farvekorrektion +HISTORY_MSG_COLORTONING_LABREGION_AB;Farvetoning - Farvekorrektion +HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;Farvetoning - Kanal +HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;Farvetoning - område C maske +HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;Farvetoning - H maske +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;Farvetoning - Lyshed +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;Farvetoning - L maske +HISTORY_MSG_COLORTONING_LABREGION_LIST;Farvetoning - Liste +HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;Farvetoning - område maske sløring +HISTORY_MSG_COLORTONING_LABREGION_OFFSET;Farvetoning - område offset +HISTORY_MSG_COLORTONING_LABREGION_POWER;Farvetoning - område styrke +HISTORY_MSG_COLORTONING_LABREGION_SATURATION;Farvetoning - Mætning +HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;Farvetoning - område vis maske +HISTORY_MSG_COLORTONING_LABREGION_SLOPE;Farvetoning – område hældning +HISTORY_MSG_DEHAZE_DEPTH;Fjern dis - Dybde +HISTORY_MSG_DEHAZE_ENABLED;Fjern dis +HISTORY_MSG_DEHAZE_LUMINANCE;Fjern dis – Kun luminans +HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Fjern dis - Vis dybde kort +HISTORY_MSG_DEHAZE_STRENGTH;Fjern dis - Styrke +HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dobbelt demosaik - Auto tærskel +HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dobbelt demosaik - Kontrasttærskel +HISTORY_MSG_FILMNEGATIVE_ENABLED;Film-negativ +HISTORY_MSG_FILMNEGATIVE_VALUES;Film-negativ værdier +HISTORY_MSG_HISTMATCHING;Auto-matchet tone kurve +HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primære +HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 lyskilde D +HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type +HISTORY_MSG_ICM_WORKING_GAMMA;Arbejdsprofil - Gamma +HISTORY_MSG_ICM_WORKING_SLOPE;Arbejdsprofil - Hældning +HISTORY_MSG_ICM_WORKING_TRC_METHOD;Arbejdsprofil - TRC metode +HISTORY_MSG_LOCALCONTRAST_AMOUNT;Lokal Kontrast - Mængde +HISTORY_MSG_LOCALCONTRAST_DARKNESS;Lokal Kontrast - Mørke +HISTORY_MSG_LOCALCONTRAST_ENABLED;Lokal Kontrast +HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;Lokal Kontrast - Lyshed +HISTORY_MSG_LOCALCONTRAST_RADIUS;Lokal Kontrast - Radius +HISTORY_MSG_METADATA_MODE;Metadata kopieringstilstand +HISTORY_MSG_MICROCONTRAST_CONTRAST;Mikrokontrast - Kontrasttærskel +HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto tærskel +HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius +HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto begrænsning af iterationer +HISTORY_MSG_PDSHARPEN_CONTRAST;CS - Kontrasttærskel +HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Gentagelser +HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius +HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Forstærkning af hjørneradius +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaik metode til bevægelse +HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Linje støjfilter retning +HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF linjer filter +HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Kontrasttærskel +HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Korrektion - Gentagelser +HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Korrektion - Undgå farveforskydning +HISTORY_MSG_RAW_BORDER;Billed kant +HISTORY_MSG_RESIZE_ALLOWUPSCALING;Tilpas størrelse - Tillad opskalering +HISTORY_MSG_SHARPENING_BLUR;Skærpe - Sløringsradius +HISTORY_MSG_SHARPENING_CONTRAST;Skærpe - Kontrasttærskel +HISTORY_MSG_SH_COLORSPACE;Farverum +HISTORY_MSG_SOFTLIGHT_ENABLED;Blødt lys +HISTORY_MSG_SOFTLIGHT_STRENGTH;Blødt lys - Styrke +HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anker +HISTORY_MSG_TRANS_Method;Geometri - Metode +HISTORY_NEWSNAPSHOT;Tilføj +HISTORY_NEWSNAPSHOT_TOOLTIP;Genvej: Alt-s +HISTORY_SNAPSHOT;Snapshot +HISTORY_SNAPSHOTS;Snapshots +ICCPROFCREATOR_COPYRIGHT;Ophavsret: +ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Nulstil til standardophavsretten, givet til "RawTherapee, CC0" +ICCPROFCREATOR_CUSTOM;Standard +ICCPROFCREATOR_DESCRIPTION;Beskrivelse: +ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Tilføj gamma- og hældningsværdier til beskrivelsen +ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Lad stå tomt for at angive standardbeskrivelsen. +ICCPROFCREATOR_GAMMA;Gamma +ICCPROFCREATOR_ICCVERSION;ICC version: +ICCPROFCREATOR_ILL;Lyskilde: +ICCPROFCREATOR_ILL_41;D41 +ICCPROFCREATOR_ILL_50;D50 +ICCPROFCREATOR_ILL_55;D55 +ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_65;D65 +ICCPROFCREATOR_ILL_80;D80 +ICCPROFCREATOR_ILL_DEF;Standard +ICCPROFCREATOR_ILL_INC;StdA 2856K +ICCPROFCREATOR_ILL_TOOLTIP;Du kan kun indstille lyskilden for ICC v4-profiler. +ICCPROFCREATOR_PRIMARIES;Primære: +ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 +ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 +ICCPROFCREATOR_PRIM_ADOBE;Adobe RGB (1998) +ICCPROFCREATOR_PRIM_BEST;BestRGB +ICCPROFCREATOR_PRIM_BETA;BetaRGB +ICCPROFCREATOR_PRIM_BLUX;Blå X +ICCPROFCREATOR_PRIM_BLUY;Blå Y +ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_GREX;Grøn X +ICCPROFCREATOR_PRIM_GREY;Grøn Y +ICCPROFCREATOR_PRIM_PROPH;Prophoto +ICCPROFCREATOR_PRIM_REC2020;Rec2020 +ICCPROFCREATOR_PRIM_REDX;Rød X +ICCPROFCREATOR_PRIM_REDY;Rød Y +ICCPROFCREATOR_PRIM_SRGB;sRGB +ICCPROFCREATOR_PRIM_TOOLTIP;Du kan kun indstille tilpassede primære for ICC v4-profiler. +ICCPROFCREATOR_PRIM_WIDEG;Bred farveskala +ICCPROFCREATOR_PROF_V2;ICC v2 +ICCPROFCREATOR_PROF_V4;ICC v4 +ICCPROFCREATOR_SAVEDIALOG_TITLE;Gem ICC-profil som... +ICCPROFCREATOR_SLOPE;Hældning +ICCPROFCREATOR_TRC_PRESET;Toneresponskurve: +IPTCPANEL_CATEGORY;Kategori +IPTCPANEL_CATEGORYHINT;Identificér billedets motiv efter bidragerens mening. +IPTCPANEL_CITY;By +IPTCPANEL_CITYHINT;Indtast navnet på byen på billedet. +IPTCPANEL_COPYHINT;Kopiér IPTC indstillinger til klippebordet. +IPTCPANEL_COPYRIGHT;Ophavsretsmeddelelse +IPTCPANEL_COPYRIGHTHINT;Indtast en meddelelse om den nuværende ejer af ophavsretten til dette billede, som f.eks. ©2008 Jane Doe. +IPTCPANEL_COUNTRY;Land +IPTCPANEL_COUNTRYHINT;Indtast navnet på landet på billedet. +IPTCPANEL_CREATOR;Skaber +IPTCPANEL_CREATORHINT;Indtast navnet på den person, der skabte dette billede. +IPTCPANEL_CREATORJOBTITLE;Skabers jobtitel +IPTCPANEL_CREATORJOBTITLEHINT;Indtast jobtitlen på den person, der er angivet i feltet ’Skaber’. +IPTCPANEL_CREDIT;Kredditerings linje +IPTCPANEL_CREDITHINT;Indtast, hvem der skal krediteres, når dette billede offentliggøres. +IPTCPANEL_DATECREATED;Dato oprettet +IPTCPANEL_DATECREATEDHINT;Indtast datoen, hvor billedet blev taget. +IPTCPANEL_DESCRIPTION;Beskrivelse +IPTCPANEL_DESCRIPTIONHINT;Indtast en "billedtekst", der beskriver hvem, hvad, hvorfor, og af hvad der sker på dette billede. Dette kan omfatte navne på personer og/eller deres rolle i den handling, der finder sted på billedet. +IPTCPANEL_DESCRIPTIONWRITER;Beskrivelse forfatter +IPTCPANEL_DESCRIPTIONWRITERHINT;Indtast navnet på den person, der er involveret i at skrive, redigere eller rette beskrivelsen af billedet. +IPTCPANEL_EMBEDDED;Indlejret +IPTCPANEL_EMBEDDEDHINT;Nulstil til IPTC-data, der er indlejret i billedfilen. +IPTCPANEL_HEADLINE;Overskrift +IPTCPANEL_HEADLINEHINT;Indtast en kort publicerbar synopsis eller et resumé af indholdet af billedet. +IPTCPANEL_INSTRUCTIONS;Instruktioner +IPTCPANEL_INSTRUCTIONSHINT;Indtast oplysninger om embargoer eller andre restriktioner, der ikke er dækket af Ophavsret-feltet. +IPTCPANEL_KEYWORDS;Nøgleord +IPTCPANEL_KEYWORDSHINT;Indtast et vilkårligt antal søgeord, termer eller sætninger, der bruges til at udtrykke emnet i billedet. +IPTCPANEL_PASTEHINT;Indsæt IPTC-indstillinger fra udklipsholder. +IPTCPANEL_PROVINCE;Provins eller stat +IPTCPANEL_PROVINCEHINT;Indtast navnet på provinsen eller staten afbildet på dette billede. +IPTCPANEL_RESET;Nulstil +IPTCPANEL_RESETHINT;Nulstil til standardprofil. +IPTCPANEL_SOURCE;Kilde +IPTCPANEL_SOURCEHINT;Indtast eller rediger navnet på en person eller enhed, der har en rolle i indholdsforsyningskæden, f.eks. en person eller enhed, som du modtog dette billede fra. +IPTCPANEL_SUPPCATEGORIES;Supplerende kategorier +IPTCPANEL_SUPPCATEGORIESHINT;Forfiner billedets emne yderligere. +IPTCPANEL_TITLE;Titel +IPTCPANEL_TITLEHINT;Indtast et kort verbalt og menneskeligt læsbart navn til billedet, dette kan være filnavnet. +IPTCPANEL_TRANSREFERENCE;Job ID +IPTCPANEL_TRANSREFERENCEHINT;Indtast et nummer eller en identifikator, der er nødvendig for workflowkontrol eller sporing. +MAIN_BUTTON_FULLSCREEN;Fuldskærm +MAIN_BUTTON_ICCPROFCREATOR;ICC-profilskaber +MAIN_BUTTON_NAVNEXT_TOOLTIP;Naviger til det næste billede i forhold til det billede, der er åbnet i editoren.\nGenvej: Shift-F4\n\nFor at navigere til det næste billede i forhold til det aktuelt valgte thumbnail i Filbrowseren eller filmstrimlen:\nGenvej: F4 +MAIN_BUTTON_NAVPREV_TOOLTIP;Naviger til det forrige billede i forhold til det billede, der er åbnet i editoren.\nGenvej: Shift-F3\n\nFor at navigere til det forrige billede i forhold til det aktuelt valgte thumbnail i Filbrowseren eller filmstrimlen:\nGenvej: F3 +MAIN_BUTTON_NAVSYNC_TOOLTIP;Synkroniser Filbrowseren eller Filmstrimlen med Editoren for at vise thumbnails fra det aktuelt åbnede billede, og ryd ethvert aktivt filter.\nGenvej: x\n\nSom ovenfor, men uden at rydde aktive filtre:\nGenvej: < b>y\n(Bemærk, at thumbnailet af det åbnede billede, ikke vil blive vist, hvis det filtreres fra). +MAIN_BUTTON_PREFERENCES;Præferencer +MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;Sæt det aktuelle billede i redigeringskøen.\nGenvej: Ctrl+b +MAIN_BUTTON_SAVE_TOOLTIP;Gem det aktuelle billede.\nGenvej: Ctrl+s\nGem den aktuelle profil (.pp3).\nGenvej: Ctrl+Shift+s +MAIN_BUTTON_SENDTOEDITOR;Redigér billede i ekstern editor. +MAIN_BUTTON_SENDTOEDITOR_TOOLTIP;Redigér det aktuelle billede i ekstern editor.\nGenvej: Ctrl+e +MAIN_BUTTON_SHOWHIDESIDEPANELS_TOOLTIP;Vis/skjul alle sidepaneler.\nGenvej: m +MAIN_BUTTON_UNFULLSCREEN;Afslut fuldskærm +MAIN_FRAME_EDITOR;Redigering +MAIN_FRAME_EDITOR_TOOLTIP;Redigering.\nGenvej: Ctrl-F4 +MAIN_FRAME_FILEBROWSER;Fil Browser +MAIN_FRAME_FILEBROWSER_TOOLTIP;Fil browser.\nGenvej: Ctrl-F2 +MAIN_FRAME_PLACES;Steder +MAIN_FRAME_PLACES_ADD;Tilføj +MAIN_FRAME_PLACES_DEL;Fjern +MAIN_FRAME_QUEUE;Kø +MAIN_FRAME_QUEUE_TOOLTIP;Redigeringskø.\nGenvej: Ctrl-F3 +MAIN_FRAME_RECENT;Nylige mapper +MAIN_MSG_ALREADYEXISTS;Filen findes allerede. +MAIN_MSG_CANNOTLOAD;Kan ikke indlæse billede. +MAIN_MSG_CANNOTSAVE;Fillagringsfejl +MAIN_MSG_CANNOTSTARTEDITOR;Kan ikke starte editor. +MAIN_MSG_CANNOTSTARTEDITOR_SECONDARY;Indstil den korrekte sti i Præferencer. +MAIN_MSG_EMPTYFILENAME;Filnavn ikke specificeret! +MAIN_MSG_IMAGEUNPROCESSED;Denne kommando kræver, at alle valgte billeder behandles i kø først. +MAIN_MSG_NAVIGATOR;Navigator +MAIN_MSG_OPERATIONCANCELLED;Handling annulleret +MAIN_MSG_PATHDOESNTEXIST;Stien\n\n%1\n\neksisterer ikke. Indsæt en korrekt sti i Præferencer. +MAIN_MSG_QOVERWRITE;Vil du overskrive det? +MAIN_MSG_SETPATHFIRST;Du skal først angive en målsti i Præferencer for at bruge denne funktion! +MAIN_MSG_TOOMANYOPENEDITORS;For mange åbne editors.\nLuk en editor for at fortsætte +MAIN_MSG_WRITEFAILED;Kunne ikke gemme\n"%1"\n\nSørg for, at mappen eksisterer, og at du har skrivetilladelse til den. +MAIN_TAB_ADVANCED;Avanceret +MAIN_TAB_ADVANCED_TOOLTIP;Genvej: Alt-a +MAIN_TAB_COLOR;Farver +MAIN_TAB_COLOR_TOOLTIP;Genvej: Alt-c +MAIN_TAB_DETAIL;Detaljer +MAIN_TAB_DETAIL_TOOLTIP;Genvej: Alt-d +MAIN_TAB_DEVELOP; Batch Edit +MAIN_TAB_EXIF;Exif +MAIN_TAB_EXPORT; Hurtig eksport +MAIN_TAB_EXPOSURE;Eksponering +MAIN_TAB_EXPOSURE_TOOLTIP;Genvej: Alt-e +MAIN_TAB_FAVORITES;Favoritter +MAIN_TAB_FAVORITES_TOOLTIP;Genvej: Alt-u +MAIN_TAB_FILTER; Filtrér +MAIN_TAB_INSPECT; Inspicér +MAIN_TAB_IPTC;IPTC +MAIN_TAB_METADATA;Metadata +MAIN_TAB_METADATA_TOOLTIP;Genvej: Alt-m +MAIN_TAB_RAW;Raw +MAIN_TAB_RAW_TOOLTIP;Genvej: Alt-r +MAIN_TAB_TRANSFORM;Transformér +MAIN_TAB_TRANSFORM_TOOLTIP;Genvej: Alt-t +MAIN_TOOLTIP_BACKCOLOR0;Forhåndsvisningens baggrundsfarve: temabaseret\nGenvej: 9 +MAIN_TOOLTIP_BACKCOLOR1;Forhåndsvisningens baggrundsfarve: sort\nGenvej: 9 +MAIN_TOOLTIP_BACKCOLOR2;Forhåndsvisningens baggrundsfarve: hvid\nGenvej: 9 +MAIN_TOOLTIP_BACKCOLOR3;Forhåndsvisningens baggrundsfarve: mellemgrå\nGenvej: 9 +MAIN_TOOLTIP_BEFOREAFTERLOCK;Lås / Lås op visningen Før\n\nLås: behold Før visning uændret.\nNyttig til at evaluere den samlede effekt af flere værktøjer.\nDerudover kan sammenligninger foretages med enhver tilstand i historikken.\n\nLås op: Før visningen følger Efter-visningen et skridt bagud, og viser billedet før effekten af det aktuelt brugte værktøj. +MAIN_TOOLTIP_HIDEHP;Vis/Skjul venstre panel (inklusiv historik).\nGenvej: l +MAIN_TOOLTIP_INDCLIPPEDH;Klippet højlys indikation.\nGenvej: > +MAIN_TOOLTIP_INDCLIPPEDS;Klippet skygge indikation.\nGenvej: < +MAIN_TOOLTIP_PREVIEWB;Forhåndsvis den blå kanal.\nGenvej: b +MAIN_TOOLTIP_PREVIEWFOCUSMASK;Forhåndsvis fokusmasken.\nGenvej: Shift-f\n\nMere nøjagtig på billeder med lav dybdeskarphed, lav støj og ved højere zoomniveauer.\nZoom ud til 10-30 % for at forbedre detektionsnøjagtigheden på støjfyldte billeder. +MAIN_TOOLTIP_PREVIEWG;Forhåndsvis den grønne kanal.\nGenvej: g +MAIN_TOOLTIP_PREVIEWL;Forhåndsvis luminosity.\nGenvej: v\n\n0.299*R + 0.587*G + 0.114*B +MAIN_TOOLTIP_PREVIEWR;Forhåndsvis rød kanal.\nGenvej: r +MAIN_TOOLTIP_PREVIEWSHARPMASK;Forhåndsvis den skærpende kontrastmaske.\nGenvej: p\n\nVirker kun når skærpen er aktiveret og zoom >= 100%. +MAIN_TOOLTIP_QINFO;Hurtig info om billedet.\nGenvej: i +MAIN_TOOLTIP_SHOWHIDELP1;Vis/Skjul venstre panel.\nGenvej: l +MAIN_TOOLTIP_SHOWHIDERP1;Vis/Skjul højre panel.\nGenvej: Alt-l +MAIN_TOOLTIP_SHOWHIDETP1;Vis/Skjul top panel.\nGenvej: Shift-l +MAIN_TOOLTIP_THRESHOLD;Tærskel +MAIN_TOOLTIP_TOGGLE;Skift mellem Før/Efter visningen.\nGenvej: Shift-b +MONITOR_PROFILE_SYSTEM;Systemstandard +NAVIGATOR_B;B: +NAVIGATOR_G;G: +NAVIGATOR_H;H: +NAVIGATOR_LAB_A;a*: +NAVIGATOR_LAB_B;b*: +NAVIGATOR_LAB_L;L*: +NAVIGATOR_NA; -- +NAVIGATOR_R;R: +NAVIGATOR_S;S: +NAVIGATOR_V;V: +NAVIGATOR_XY_FULL;Bredde: %1, Højde: %2 +NAVIGATOR_XY_NA;x: --, y: -- +OPTIONS_BUNDLED_MISSING;Den medfølgende profil "%1" blev ikke fundet!\n\nDin installation kan være beskadiget.\n\nInterne standardværdier vil blive brugt i stedet. +OPTIONS_DEFIMG_MISSING;Standardprofilen for ikke-raw billeder kunne ikke findes eller er ikke sat.\n\nTjek dine profilers mappe, den kan mangle eller være beskadiget.\n\n"%1" vil blive brugt i stedet. +OPTIONS_DEFRAW_MISSING; Standardprofilen for raw billeder kunne ikke findes eller er ikke sat.\n\nTjek dine profilers mappe, den kan mangle eller være beskadiget.\n\n"%1" vil blive brugt i stedet. +PARTIALPASTE_ADVANCEDGROUP;Avancerede Indstillinger +PARTIALPASTE_BASICGROUP;Grundlæggende Indstillinger +PARTIALPASTE_CACORRECTION;Kromatisk afvigelse korrektion +PARTIALPASTE_CHANNELMIXER;Kanalmixer +PARTIALPASTE_CHANNELMIXERBW;S/H +PARTIALPASTE_COARSETRANS;Grov rotation/flipping +PARTIALPASTE_COLORAPP;CIEFM02 +PARTIALPASTE_COLORGROUP;Farverelaterede Indstillinger +PARTIALPASTE_COLORTONING;Farvetoning +PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-udfyld +PARTIALPASTE_COMPOSITIONGROUP;Kompositions Indstillinger +PARTIALPASTE_CROP;Beskær +PARTIALPASTE_DARKFRAMEAUTOSELECT;Mørk ramme auto-selektion +PARTIALPASTE_DARKFRAMEFILE;Mørk ramme fil +PARTIALPASTE_DEFRINGE;Defringe +PARTIALPASTE_DEHAZE;Fjern dis +PARTIALPASTE_DETAILGROUP;Detail Indstillinger +PARTIALPASTE_DIALOGLABEL;Bearbejdningsprofil for delvist indsæt +PARTIALPASTE_DIRPYRDENOISE;Støjreduktion +PARTIALPASTE_DIRPYREQUALIZER;Kontrast ved detaljeniveauer +PARTIALPASTE_DISTORTION;Forvrængningskorrektion +PARTIALPASTE_EPD; +PARTIALPASTE_EQUALIZER;Wavelet niveauer +PARTIALPASTE_EVERYTHING;Alt +PARTIALPASTE_EXIFCHANGES;Exif +PARTIALPASTE_EXPOSURE;Eksponering +PARTIALPASTE_FILMNEGATIVE;Negativfilm +PARTIALPASTE_FILMSIMULATION;Film simulation +PARTIALPASTE_FLATFIELDAUTOSELECT;Flat-field Automatisk valg +PARTIALPASTE_FLATFIELDBLURRADIUS;Flat-field sløringsradius +PARTIALPASTE_FLATFIELDBLURTYPE;Flat-field sløringstype +PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field klip kontrol +PARTIALPASTE_FLATFIELDFILE;Flat-field fil +PARTIALPASTE_GRADIENT;Gradueret filter +PARTIALPASTE_HSVEQUALIZER;HSV equalizer +PARTIALPASTE_ICMSETTINGS;Farvestyring indstillinger +PARTIALPASTE_IMPULSEDENOISE;Impuls støjreduktion +PARTIALPASTE_IPTCINFO;IPTC +PARTIALPASTE_LABCURVE;L*a*b* adjustments +PARTIALPASTE_LENSGROUP;Lens Related Indstillinger +PARTIALPASTE_LENSPROFILE;Profileret objektivkorrektion +PARTIALPASTE_LOCALCONTRAST;Lokal kontrast +PARTIALPASTE_METADATA;Metadata tilstand +PARTIALPASTE_METAGROUP;Metadata indstillinger +PARTIALPASTE_PCVIGNETTE;Vignette filter +PARTIALPASTE_PERSPECTIVE;Perspektiv +PARTIALPASTE_PREPROCESS_DEADPIXFILT;Død-pixel filter +PARTIALPASTE_PREPROCESS_GREENEQUIL;Grøn ligevægt +PARTIALPASTE_PREPROCESS_HOTPIXFILT;Varm-pixel filter +PARTIALPASTE_PREPROCESS_LINEDENOISE;Linje støjfilter +PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF linjefilter +PARTIALPASTE_PRSHARPENING;Skærpning efter justering af størrelse +PARTIALPASTE_RAWCACORR_AUTO;CA auto-korrektion +PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA undgå farveskift +PARTIALPASTE_RAWCACORR_CAREDBLUE;CA rød & blå +PARTIALPASTE_RAWEXPOS_BLACK;Sort niveauer +PARTIALPASTE_RAWEXPOS_LINEAR;Hvidpunkts korrektion +PARTIALPASTE_RAWGROUP;Raw Indstillinger +PARTIALPASTE_RAW_BORDER;Raw kanter +PARTIALPASTE_RAW_DCBENHANCE;DCB forbedring +PARTIALPASTE_RAW_DCBITERATIONS;DCB iterationer +PARTIALPASTE_RAW_DMETHOD;Demosaik metode +PARTIALPASTE_RAW_FALSECOLOR;Undertrykkelse af falske farver +PARTIALPASTE_RAW_IMAGENUM;Underbillede +PARTIALPASTE_RAW_LMMSEITERATIONS;LMMSE forbedrings skridt +PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift +PARTIALPASTE_RESIZE;Ændr størrelse +PARTIALPASTE_RETINEX;Retinex +PARTIALPASTE_RGBCURVES;RGB kurver +PARTIALPASTE_ROTATION;Rotation +PARTIALPASTE_SHADOWSHIGHLIGHTS;Skygger/højlys +PARTIALPASTE_SHARPENEDGE;Skærpen kanter +PARTIALPASTE_SHARPENING;Skærpe (USM/RL) +PARTIALPASTE_SHARPENMICRO;Mikrokontrast +PARTIALPASTE_SOFTLIGHT;Blødt lys +PARTIALPASTE_TM_FATTAL;Dynamisk områdekompression +PARTIALPASTE_VIBRANCE;Vibrance +PARTIALPASTE_VIGNETTING;Vignetteringskorrektion +PARTIALPASTE_WHITEBALANCE;Hvidbalance +PREFERENCES_ADD;Tilføj +PREFERENCES_APPEARANCE;Udseende +PREFERENCES_APPEARANCE_COLORPICKERFONT;Farvevælgers skrifttype +PREFERENCES_APPEARANCE_CROPMASKCOLOR;Beskæringsmaskens farve +PREFERENCES_APPEARANCE_MAINFONT;Hovedskrifttype +PREFERENCES_APPEARANCE_NAVGUIDECOLOR;Navigeringsguide farve +PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI tilstand +PREFERENCES_APPEARANCE_THEME;Tema +PREFERENCES_APPLNEXTSTARTUP;genstart nødvendig +PREFERENCES_AUTOMONPROFILE;Brug operativsystemets hovedskærmfarveprofil +PREFERENCES_AUTOSAVE_TP_OPEN;Gem værktøjets foldet/udfoldet tilstand ved afslutning +PREFERENCES_BATCH_PROCESSING;Batch Redigering +PREFERENCES_BEHADDALL;Alt til 'Tilføj' +PREFERENCES_BEHADDALLHINT;Sæt alle parametre til Tilføj tilstanden.\nJusteringer af parametre i batchværktøjspanelet vil være deltaer til de lagrede værdier. +PREFERENCES_BEHAVIOR;Opførsel +PREFERENCES_BEHSETALL;Alt til 'Indstil' +PREFERENCES_BEHSETALLHINT;Sæt alle parametre til Indstil-tilstand.\nJusteringer af parametre i batchværktøjspanelet vil være absolutte, de faktiske værdier vil blive vist. +PREFERENCES_CACHECLEAR;Ryd +PREFERENCES_CACHECLEAR_ALL;Ryd alle cachelagrede filer: +PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Ryd alle cachelagrede filer undtagen cachelagrede redigeringsprofiler: +PREFERENCES_CACHECLEAR_ONLYPROFILES;Ryd kun cachelagrede redigeringsprofiler: +PREFERENCES_CACHECLEAR_SAFETY;Kun filer i cachen ryddes. Redigeringsprofiler gemt sammen med kildebillederne berøres ikke. +PREFERENCES_CACHEMAXENTRIES;Maksimalt antal cacheposter +PREFERENCES_CACHEOPTS;Cacheindstillinger +PREFERENCES_CACHETHUMBHEIGHT;Maksimal thumbnail-højde +PREFERENCES_CHUNKSIZES;Fliser pr tråd +PREFERENCES_CHUNKSIZE_RAW_AMAZE;AMaZE demosaik +PREFERENCES_CHUNKSIZE_RAW_CA;Raw CA korrektion +PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaik +PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaik +PREFERENCES_CHUNKSIZE_RGB;RGB redigering +PREFERENCES_CLIPPINGIND;Indikation af klipning +PREFERENCES_CLUTSCACHE;HaldCLUT Cache +PREFERENCES_CLUTSCACHE_LABEL;Maksimalt antal cached CLUTs +PREFERENCES_CLUTSDIR;HaldCLUT mappe +PREFERENCES_CMMBPC;Sortpunkts kompensation +PREFERENCES_CROP;Beskæringsredigering +PREFERENCES_CROP_AUTO_FIT;Zoom automatisk for at passe til beskæringen +PREFERENCES_CROP_GUIDES;Hjælpelinjer vises, når beskæringen ikke redigeres +PREFERENCES_CROP_GUIDES_FRAME;Ramme +PREFERENCES_CROP_GUIDES_FULL;Original +PREFERENCES_CROP_GUIDES_NONE;Ingen +PREFERENCES_CURVEBBOXPOS;Placering af kurve kopiér & indsæt knapper +PREFERENCES_CURVEBBOXPOS_ABOVE;Over +PREFERENCES_CURVEBBOXPOS_BELOW;Under +PREFERENCES_CURVEBBOXPOS_LEFT;Venstre +PREFERENCES_CURVEBBOXPOS_RIGHT;Højre +PREFERENCES_CUSTPROFBUILD;Standard Bearbejnings Profilbygger +PREFERENCES_CUSTPROFBUILDHINT;Eksekverbar (eller script) fil der kaldes, når en ny indledende redigeringsprofil skal genereres for et billede.\n\nStien til kommunikationsfilen (*.ini-stil, også kaldet "Keyfile") tilføjes som en kommandolinjeparameter. Den indeholder forskellige parametre, der kræves til scripts og billede Exif for at tillade generering af en regelbaseret redigeringsprofil.\n\nADVARSEL: Du er ansvarlig for at bruge dobbelte anførselstegn, hvor det er nødvendigt, hvis du bruger stier, der indeholder mellemrum. +PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format +PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Navn +PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID +PREFERENCES_CUSTPROFBUILDPATH;Eksekverbar sti +PREFERENCES_DARKFRAMEFOUND;Fundet +PREFERENCES_DARKFRAMESHOTS;skud +PREFERENCES_DARKFRAMETEMPLATES;skabeloner +PREFERENCES_DATEFORMAT;Datoformat +PREFERENCES_DATEFORMATHINT;Du kan bruge følgende formateringsstrenge:\n%y - år\n%m - måned\n%d - dag\n\ nFor eksempel dikterer ISO 8601-standarden datoformatet som følger:\n%y-%m-%d +PREFERENCES_DIRDARKFRAMES;Mørke-rammer mappe +PREFERENCES_DIRECTORIES;Mapper +PREFERENCES_DIRHOME;Hjemmemappe +PREFERENCES_DIRLAST;Sidst brugte mappe +PREFERENCES_DIROTHER;Andre +PREFERENCES_DIRSELECTDLG;Vælg Billedmappe ved start... +PREFERENCES_DIRSOFTWARE;Installationsmappe +PREFERENCES_EDITORCMDLINE;Brugerdefineret kommandolinje +PREFERENCES_EDITORLAYOUT;Editor layout +PREFERENCES_EXTERNALEDITOR;Ekstern Editor +PREFERENCES_FBROWSEROPTS;Filbrowser/Thumbnail Indstillinger +PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Kompakte værktøjslinjer i filbrowseren +PREFERENCES_FLATFIELDFOUND;Fundet +PREFERENCES_FLATFIELDSDIR;Flat-fields mappe +PREFERENCES_FLATFIELDSHOTS;shots +PREFERENCES_FLATFIELDTEMPLATES;skabeloner +PREFERENCES_FORIMAGE;Til ikke-raw billeder +PREFERENCES_FORRAW;Til raw billeder +PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Samme thumbnail-højde i filmstrimlen og filbrowseren +PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;At have forskellig thumbnail-størrelser vil kræve mere redigeringstid, hver gang du skifter mellem den enkelte Editor-fane og filbrowseren. +PREFERENCES_GIMPPATH;GIMP installationsmappe +PREFERENCES_HISTOGRAMPOSITIONLEFT;Histogram i venstre panel +PREFERENCES_HISTOGRAM_TOOLTIP;Hvis den er aktiveret, bruges arbejdsprofilen til at gengive hovedhistogrammet og Navigator-panelet, ellers bruges den gammakorrigerede outputprofil. +PREFERENCES_HLTHRESHOLD;Tærskel for klippede højlys +PREFERENCES_ICCDIR;Mappe der indeholder farveprofiler +PREFERENCES_IMPROCPARAMS;Standardredigeringsprofil +PREFERENCES_INSPECT_LABEL;Inspicér +PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maksimalt antal cachelagrede billeder +PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Sæt det maksimale antal billeder gemt i cachen, når du holder musemarkøren over dem i filbrowseren; systemer med lidt RAM (2GB) bør holde denne værdi indstillet til 1 eller 2. +PREFERENCES_INTENT_ABSOLUTE;Absolut kolorimetrisk +PREFERENCES_INTENT_PERCEPTUAL;Som opfattet +PREFERENCES_INTENT_RELATIVE;Relativ kolorimetrisk +PREFERENCES_INTENT_SATURATION;Mætning +PREFERENCES_INTERNALTHUMBIFUNTOUCHED;Vis indlejret JPEG-thumbnail, hvis raw er uredigeret +PREFERENCES_LANG;Sprog +PREFERENCES_LANGAUTODETECT;Brug systemsprog +PREFERENCES_MAXRECENTFOLDERS;Maksimalt antal seneste mapper +PREFERENCES_MENUGROUPEXTPROGS;Gruppe "Åbn med" +PREFERENCES_MENUGROUPFILEOPERATIONS;Gruppe "Filhandlinger" +PREFERENCES_MENUGROUPLABEL;Gruppe "Farvemærkat" +PREFERENCES_MENUGROUPPROFILEOPERATIONS;Gruppe "Redigerer profilhandlinger" +PREFERENCES_MENUGROUPRANK;Gruppe "Rank" +PREFERENCES_MENUOPTIONS;Indstillinger for kontekstmenu +PREFERENCES_MONINTENT;Standard gengivelseshensigt +PREFERENCES_MONITOR;Skærm +PREFERENCES_MONPROFILE;Standard farveprofil +PREFERENCES_MONPROFILE_WARNOSX;På grund af MacOS-begrænsninger understøttes kun sRGB. +PREFERENCES_MULTITAB;Tilstand med flere redigerings-faneblade +PREFERENCES_MULTITABDUALMON;Tilstand med flere redigerings-faneblade i eget vindue +PREFERENCES_NAVIGATIONFRAME;Navigation +PREFERENCES_OVERLAY_FILENAMES;Overlejr filnavne på thumbnails i filbrowseren +PREFERENCES_OVERLAY_FILENAMES_FILMSTRIP;Overlejr filnavne på thumbnails i redigeringspanelet +PREFERENCES_OVERWRITEOUTPUTFILE;Overskriv eksisterende outputfiler +PREFERENCES_PANFACTORLABEL;Pan rate forstærkning +PREFERENCES_PARSEDEXT;Fortolkede Suffikser +PREFERENCES_PARSEDEXTADD;Tilføj suffiks +PREFERENCES_PARSEDEXTADDHINT;Tilføj indtastet suffiks til listen. +PREFERENCES_PARSEDEXTDELHINT;Slet valgte suffiks fra listen. +PREFERENCES_PARSEDEXTDOWNHINT;Flyt det valgte suffiks ned på listen. +PREFERENCES_PARSEDEXTUPHINT;Flyt det valgte suffiks op på listen. +PREFERENCES_PERFORMANCE_MEASURE;Mål +PREFERENCES_PERFORMANCE_MEASURE_HINT;Logger redigeringstider i konsollen +PREFERENCES_PERFORMANCE_THREADS;Tråde +PREFERENCES_PERFORMANCE_THREADS_LABEL;Maksimalt antal tråde til Støjreduktion og Wavelet Niveauer (0 = Automatisk) +PREFERENCES_PREVDEMO;Forhåndsvisning Demosaiking Metode +PREFERENCES_PREVDEMO_FAST;Hurtig +PREFERENCES_PREVDEMO_LABEL;Demosaiking metode brugt til forhåndsvisningen ved <100% zoom: +PREFERENCES_PREVDEMO_SIDECAR;Som i PP3 +PREFERENCES_PRINTER;Printer (Soft-Proofing) +PREFERENCES_PROFILEHANDLING;Redigeringsprofil Håndtering +PREFERENCES_PROFILELOADPR;Behandler profilindlæsningsprioritet +PREFERENCES_PROFILEPRCACHE;Profil i cache +PREFERENCES_PROFILEPRFILE;Profil ved siden af inputfilen +PREFERENCES_PROFILESAVEBOTH;Gem redigeringsprofil både i cachen og ved siden af inputfilen +PREFERENCES_PROFILESAVECACHE;Gem redigeringsprofil i cachen +PREFERENCES_PROFILESAVEINPUT;Gem redigeringsprofil ved siden af inputfilen +PREFERENCES_PROFILESAVELOCATION;Redigeringsprofilen gemmes +PREFERENCES_PROFILE_NONE;Ingen +PREFERENCES_PROPERTY;Egenskab +PREFERENCES_PRTINTENT;Hensigt med gengivelse +PREFERENCES_PRTPROFILE;Farveprofil +PREFERENCES_PSPATH;Adobe Photoshop installationsmappe +PREFERENCES_REMEMBERZOOMPAN;Husk zoom % og panoreringsforskydning +PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Husk zoom % og panoreringsforskydning af det aktuelle billede, når du åbner et nyt billede.\n\nDenne mulighed virker kun i "Tilstand med enkelt redigerings-faneblad" og når "Demosaiking metode brugt til forhåndsvisningen ved <100% zoom" er indstillet til "Som i PP3". +PREFERENCES_SAVE_TP_OPEN_NOW;Gem værktøjets foldet/udfoldet tilstand nu +PREFERENCES_SELECTLANG;Vælg sprog +PREFERENCES_SERIALIZE_TIFF_READ;TIFF Læs Indstillinger +PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialiser læsning af TIFF-filer +PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Aktivering af denne indstilling, når du arbejder med mapper, der indeholder ikke-komprimerede TIFF-filer, kan øge ydeevnen af thumbnail-generering. +PREFERENCES_SET;Sæt +PREFERENCES_SHOWBASICEXIF;Vis basis Exif info +PREFERENCES_SHOWDATETIME;Vis dato og tid +PREFERENCES_SHOWEXPOSURECOMPENSATION;Tilføj eksponeringskompensation +PREFERENCES_SHOWFILMSTRIPTOOLBAR;Vis Filmstrip værktøjslinje +PREFERENCES_SHTHRESHOLD;Tærskel for klippede skygger +PREFERENCES_SINGLETAB;Tilstand med enkelt redigerings-faneblad +PREFERENCES_SINGLETABVERTAB;Tilstand med enkelt redigerings-faneblad, Lodret Tabs +PREFERENCES_SND_HELP;Indtast en fuld filsti for at indstille en lyd, eller lad den stå tom for ingen lyd.\nFor systemlyde på Windows, brug "SystemStandard", "SystemAsterisk" osv., og på Linux brug "complete", "window-attention" osv. +PREFERENCES_SND_LNGEDITPROCDONE;Redigering færdig +PREFERENCES_SND_QUEUEDONE;Kø-redigering færdig +PREFERENCES_SND_THRESHOLDSECS;Efter sekunder +PREFERENCES_STARTUPIMDIR;Billedmappe ved start +PREFERENCES_TAB_BROWSER;Filbrowser +PREFERENCES_TAB_COLORMGR;Farvestyring +PREFERENCES_TAB_DYNAMICPROFILE;Dynamiske profilregler +PREFERENCES_TAB_GENERAL;Generel +PREFERENCES_TAB_IMPROC;Billedredigering +PREFERENCES_TAB_PERFORMANCE;Ydeevne +PREFERENCES_TAB_SOUND;Lyde +PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Indlejret JPEG forhåndsvisning +PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Billede til visning +PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw gengivelse +PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Indlejret JPEG hvis fuld størrelse, ellers neutral raw +PREFERENCES_TP_LABEL;Værktøjspanel: +PREFERENCES_TP_VSCROLLBAR;Gem lodret rullebjælke +PREFERENCES_USEBUNDLEDPROFILES;Brug medfølgende profiler +PREFERENCES_WORKFLOW;Layout +PROFILEPANEL_COPYPPASTE;Parametre til kopiér +PROFILEPANEL_GLOBALPROFILES;Medfølgende profiler +PROFILEPANEL_LABEL;Redigeringsprofiler +PROFILEPANEL_LOADDLGLABEL;Indlæs redigeringsparametre... +PROFILEPANEL_LOADPPASTE;Parametre til indlæsning +PROFILEPANEL_MODE_TIP;Behandler profiludfyldningstilstand.\n\nKnap trykket: delvise profiler vil blive konverteret til hele profiler; de manglende værdier vil blive erstattet med hårdtkodede standarder.\n\nKnap frigivet: profiler vil blive anvendt, som de er, og ændrer kun de værdier, som de indeholder. +PROFILEPANEL_MYPROFILES;Mine profiler +PROFILEPANEL_PASTEPPASTE;Parametre der skal indsættes +PROFILEPANEL_PCUSTOM;Standard +PROFILEPANEL_PDYNAMIC;Dynamisk +PROFILEPANEL_PFILE;Fra fil +PROFILEPANEL_PINTERNAL;Neutral +PROFILEPANEL_PLASTSAVED;Sidst gemt +PROFILEPANEL_SAVEDLGLABEL;Gem redigeringsparametre... +PROFILEPANEL_SAVEPPASTE;Parametre der skal gemmes +PROFILEPANEL_TOOLTIPCOPY;Kopiér nuværende redigeringsprofil til udklipsholder.\nCtrl-klik for at vælge parametre til kopiering. +PROFILEPANEL_TOOLTIPLOAD;Indlæs en profil fra fil.\nCtrl-klik for at vælge de parametre, der skal indlæses. +PROFILEPANEL_TOOLTIPPASTE;Indsæt profil fra udklipsholder.\nCtrl-klik for at vælge de parametre, der skal indsættes. +PROFILEPANEL_TOOLTIPSAVE;Gem den aktuelle profil.\nCtrl-klik for at vælge de parametre, der skal gemmes. +PROGRESSBAR_DECODING;Afkodning... +PROGRESSBAR_GREENEQUIL;Grøn ligevægt... +PROGRESSBAR_HLREC;Højlys rekonstruktion... +PROGRESSBAR_HOTDEADPIXELFILTER;Varmt/dødt pixel filter... +PROGRESSBAR_LINEDENOISE;Linje støjfilter... +PROGRESSBAR_LOADING;Indlæser billede... +PROGRESSBAR_LOADINGTHUMBS;Indlæser thumbnails... +PROGRESSBAR_LOADJPEG; Indlæser JPEG fil... +PROGRESSBAR_LOADPNG; Indlæser PNG fil... +PROGRESSBAR_LOADTIFF;Indlæser TIFF fil... +PROGRESSBAR_NOIMAGES;Ingen billeder fundet +PROGRESSBAR_PROCESSING;Bearbejder billede... +PROGRESSBAR_PROCESSING_PROFILESAVED;Redigeringsprofil gemt +PROGRESSBAR_RAWCACORR;Raw CA korrektion... +PROGRESSBAR_READY;Parat +PROGRESSBAR_SAVEJPEG;Gemmer JPEG fil... +PROGRESSBAR_SAVEPNG;Gemmer PNG fil... +PROGRESSBAR_SAVETIFF;Gemmer TIFF fil... +PROGRESSBAR_SNAPSHOT_ADDED;Snapshot tilføjet +PROGRESSDLG_PROFILECHANGEDINBROWSER;Behandlerprofil ændret i browser +QINFO_FRAMECOUNT;%2 rammer +QINFO_HDR;HDR / %2 ramme(r) +QINFO_ISO;ISO +QINFO_NOEXIF;Exif-data ikke tilgængelige. +QINFO_PIXELSHIFT;Pixel Shift / %2 ramme(r) +QUEUE_AUTOSTART;Auto-start +QUEUE_AUTOSTART_TOOLTIP;Begynd redigering automatisk, når et nyt job ankommer. +QUEUE_DESTFILENAME;Sti og filnavn +QUEUE_FORMAT_TITLE;Filformat +QUEUE_LOCATION_FOLDER;Gem til mappe +QUEUE_LOCATION_TEMPLATE;Brug skabelon +QUEUE_LOCATION_TEMPLATE_TOOLTIP;Angiv outputplaceringen baseret på kildebilledets placering, rang, papirkurvsstatus eller position i køen.\n\nBrug følgende stinavn som eksempel:\n/home/tom/photos/2010-10-31/photo1.raw\nbetydningen af formateringsstrengene er:\n%d4 = home\n%d3 = tom\n%d2 = photos\n%d1 = 2010-10-31\n%f = photo1\n%p1 = /home/tom/photos/2010-10-31/\n%p2 = /home/tom/photos/\n%p3 = /home/tom/\n%p4 = /home/\n\n%r vil blive erstattet af billedets rang. Hvis billedet ikke er rangordnet, bruges '0'. Hvis billedet er i skraldespanden, bruges 'x'.\n\n%s1, ..., %s9 erstattes af billedets startposition i køen på det tidspunkt, hvor køen startes. Nummeret angiver polstringen, f.eks. %s3 resulterer i '001'.\n\nHvis du vil gemme outputbilledet sammen med kildebilledet, skriv:\n%p1/%f\n\nHvis du vil gemme outputbilledet i en mappe med navnet 'converted', der er placeret i kildebilledets mappe, skal du skrive:\n%p1/converted/%f\n\nHvis du vil gemme outputbilledet i\n'/home/tom/photos/converted/2010-10-31', skriv:\n%p2/converted/%d1/ %f +QUEUE_LOCATION_TITLE;Output sted +QUEUE_STARTSTOP_TOOLTIP;Start eller stop redigeringen af billederne i køen.\n\nGenvej: Ctrl+s +SAMPLEFORMAT_0;Ukendt dataformat +SAMPLEFORMAT_1;8-bit usigneret +SAMPLEFORMAT_2;16-bit usigneret +SAMPLEFORMAT_4;24-bit LogLuv +SAMPLEFORMAT_8;32-bit LogLuv +SAMPLEFORMAT_16;16-bit floating-point +SAMPLEFORMAT_32;24-bit floating-point +SAMPLEFORMAT_64;32-bit floating-point +SAVEDLG_AUTOSUFFIX;Tilføj automatisk et suffiks hvis filen allerede findes +SAVEDLG_FILEFORMAT;Filformat +SAVEDLG_FILEFORMAT_FLOAT; floating-point +SAVEDLG_FORCEFORMATOPTS;Gennemtving gemmemuligheder +SAVEDLG_JPEGQUAL;JPEG kvalitet +SAVEDLG_PUTTOQUEUE;Sæt i redigeringskø +SAVEDLG_PUTTOQUEUEHEAD;Sæt i toppen af redigeringskøen +SAVEDLG_PUTTOQUEUETAIL;Sæt til slutningen af redigeringskøen +SAVEDLG_SAVEIMMEDIATELY;Gem straks +SAVEDLG_SAVESPP;Gem redigeringsparametre med billedet +SAVEDLG_SUBSAMP;Delprøvetagning +SAVEDLG_SUBSAMP_1;Kraftigste kompression +SAVEDLG_SUBSAMP_2;Balanceret +SAVEDLG_SUBSAMP_3;Bedste kvalitet +SAVEDLG_SUBSAMP_TOOLTIP;Bedste komprimering:\nJ:a:b 4:2:0\nh/v 2/2\nKroma halveret vandret og lodret.\n\nBalanceret:\nJ:a:b 4:2:2\nh/v 2/ 1\nKroma halveret vandret.\n\nBedste kvalitet:\nJ:a:b 4:4:4\nh/v 1/1\nIngen Kroma-delprøvetagning. +SAVEDLG_TIFFUNCOMPRESSED;Ikke-komprimeret TIFF +SAVEDLG_WARNFILENAME;Filen vil blive navngivet +SHCSELECTOR_TOOLTIP;Klik på højre museknap for at nulstille placeringen af disse 3 skydere. +SOFTPROOF_GAMUTCHECK_TOOLTIP;Højlys-pixels med farver uden for farveskalaen med hensyn til:\n- printerprofilen, hvis en er valgt og soft-proofing er aktiveret,\n- outputprofilen, hvis en printerprofil ikke er indstillet og soft-proofing er aktiveret,\n- skærmprofilen, hvis soft-proofing er deaktiveret. +SOFTPROOF_TOOLTIP;Soft-proofing simulerer billedets udseende:\n- når det udskrives, hvis en printerprofil er indstillet i Præferencer > Farvestyring,\n- når det vises på et display, der bruger den aktuelle outputprofil, hvis der ikke er angivet en printerprofil. +THRESHOLDSELECTOR_B;Bund +THRESHOLDSELECTOR_BL;Bund-venstre +THRESHOLDSELECTOR_BR;Bund-højre +THRESHOLDSELECTOR_HINT;Hold tasten Skift nede for at flytte individuelle kontrolpunkter. +THRESHOLDSELECTOR_T;Top +THRESHOLDSELECTOR_TL;Top-venstre +THRESHOLDSELECTOR_TR;Top-højre +TOOLBAR_TOOLTIP_COLORPICKER;Låsbar farvevælger\n\nNår værktøjet er aktivt:\n- Tilføj en vælger: venstre-klik.\n- Træk en vælger: venstre-klik og træk. \n- Slet en vælger: højreklik.\n- Slet alle vælgere: Ctrl+Shift+højreklik< /b>.\n- Vend tilbage til håndværktøj: højreklik uden for en hvilken som helst vælger. +TOOLBAR_TOOLTIP_CROP;Beskær det valgte.\nGenvej: c\nFlyt beskæringen med Shift+træk med musen. +TOOLBAR_TOOLTIP_HAND;Håndværktøj.\nGenvej: h +TOOLBAR_TOOLTIP_STRAIGHTEN;Ret ud / fin rotation.\nGenvej: s\n\nIndikér lodret eller vandret ved at tegne en hjælpelinje over billedet. Rotationsvinkel vil blive vist ved siden af ledelinjen. Rotationscentrum er billedets geometriske centrum. +TOOLBAR_TOOLTIP_WB;Spot hvidbalance.\nGenvej: w +TP_BWMIX_ALGO;Algoritme OYCPM +TP_BWMIX_ALGO_LI;Lineær +TP_BWMIX_ALGO_SP;Special-effekter +TP_BWMIX_ALGO_TOOLTIP;Lineær:vil producere en normal lineær respons.\nSpecial-effekter: vil producere specielle effekter ved at blande kanaler ikke-lineært. +TP_BWMIX_AUTOCH;Auto +TP_BWMIX_CC_ENABLED;Justér komplementære farver +TP_BWMIX_CC_TOOLTIP;Aktivér for at tillade automatisk justering af komplementære farver i ROYGCBPM-tilstand. +TP_BWMIX_CHANNEL;Luminans equalizer +TP_BWMIX_CURVEEDITOR1;'Før' kurve +TP_BWMIX_CURVEEDITOR2;'Efter' kurve +TP_BWMIX_CURVEEDITOR_AFTER_TOOLTIP;Tone kurve, efter S/H konvertering, ved afslutningen af behandlingen. +TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;Tone kurve,lige før S/H konvertering.\nKan tage højde for farvekomponenterne. +TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;Luminans i henhold til farvetone L=f(H).\nVær opmærksom på ekstreme værdier, da de kan forårsage artefakter. +TP_BWMIX_FILTER;Farve Filter +TP_BWMIX_FILTER_BLUE;Blå +TP_BWMIX_FILTER_BLUEGREEN;Blå-Grøn +TP_BWMIX_FILTER_GREEN;Grøn +TP_BWMIX_FILTER_GREENYELLOW;Grøn-Gul +TP_BWMIX_FILTER_NONE;Ingen +TP_BWMIX_FILTER_PURPLE;Lilla +TP_BWMIX_FILTER_RED;Rød +TP_BWMIX_FILTER_REDYELLOW;Rød-Gul +TP_BWMIX_FILTER_TOOLTIP;Farvefilteret simulerer billeder taget med et farvet filter placeret foran objektivet. Farvede filtre reducerer transmissionen af specifikke farveområder og påvirker derfor deres lyshed. F. eks. et rød-filter giver mørkere blå himmel. +TP_BWMIX_FILTER_YELLOW;Gul +TP_BWMIX_GAMMA;Gamma Korrektion +TP_BWMIX_GAM_TOOLTIP;Korrigér gamma for hver RGB-kanal. +TP_BWMIX_LABEL;Sort-og-Hvid +TP_BWMIX_MET;Metode +TP_BWMIX_MET_CHANMIX;Kanalmikser +TP_BWMIX_MET_DESAT;Afmætning +TP_BWMIX_MET_LUMEQUAL;Luminans Equalizer +TP_BWMIX_MIXC;Kanalmikser +TP_BWMIX_NEUTRAL;Nulstil +TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% +TP_BWMIX_RGBLABEL_HINT;Sluttelige RGB-faktorer, der tager sig af alle miksermulighederne.\n"Total" viser summen af RGB-værdierne:\n- altid 100 % i relativ tilstand\n- højere (lysere) eller lavere (mørkere) end 100 % i absolut tilstand. +TP_BWMIX_RGB_TOOLTIP;Bland RGB-kanalerne. Brug forudindstillinger som vejledning.\nVær opmærksom på negative værdier, der kan forårsage artefakter eller uberegnelig adfærd. +TP_BWMIX_SETTING;Forudindstillinger +TP_BWMIX_SETTING_TOOLTIP;Forskellige forudindstillinger (film, landskab osv.) eller manuelle kanalmixerindstillinger. +TP_BWMIX_SET_HIGHCONTAST;Høj kontrast +TP_BWMIX_SET_HIGHSENSIT;Høj følsomhed +TP_BWMIX_SET_HYPERPANCHRO;Hyper Pankromatisk +TP_BWMIX_SET_INFRARED;Infrarød +TP_BWMIX_SET_LANDSCAPE;Landskab +TP_BWMIX_SET_LOWSENSIT;Lav følsomhed +TP_BWMIX_SET_LUMINANCE;Luminans +TP_BWMIX_SET_NORMCONTAST;Normal Kontrast +TP_BWMIX_SET_ORTHOCHRO;Ortokromatisk +TP_BWMIX_SET_PANCHRO;Pankromatisk +TP_BWMIX_SET_PORTRAIT;Portræt +TP_BWMIX_SET_RGBABS;Absolut RGB +TP_BWMIX_SET_RGBREL;Relativ RGB +TP_BWMIX_SET_ROYGCBPMABS;Absolut ROYGCBPM +TP_BWMIX_SET_ROYGCBPMREL;Relativ ROYGCBPM +TP_BWMIX_TCMODE_FILMLIKE;S/H Film-agtigt +TP_BWMIX_TCMODE_SATANDVALBLENDING;S/H mætning og værdiblanding +TP_BWMIX_TCMODE_STANDARD;S/H Standard +TP_BWMIX_TCMODE_WEIGHTEDSTD;S/H Vægtet Standard +TP_BWMIX_VAL;L +TP_CACORRECTION_BLUE;Blå +TP_CACORRECTION_LABEL;Kromatisk Afvigelse Korrektion +TP_CACORRECTION_RED;Rød +TP_CBDL_AFT;Efter Sort-og-Hvid +TP_CBDL_BEF;Før Sort-og-Hvid +TP_CBDL_METHOD;Processen er lokaliseret +TP_CBDL_METHOD_TOOLTIP;Vælg, om værktøjet Kontrast ved detaljeniveauer skal placeres efter Sort-og-Hvid-værktøjet, som får det til at fungere i L*a*b*-rummet, eller før det, som får det til at fungere i RGB-rummet. +TP_CHMIXER_BLUE;Blå kanal +TP_CHMIXER_GREEN;Grøn kanal +TP_CHMIXER_LABEL;Kanalmikser +TP_CHMIXER_RED;Rød kanal +TP_COARSETRAF_TOOLTIP_HFLIP;Vend vandret. +TP_COARSETRAF_TOOLTIP_ROTLEFT;Rotér til venstre.\n\nGenveje:\n[ - Tilstand med flere redigerings-faneblade,\nAlt-[ - Tilstand med enkelt redigerings-faneblad. +TP_COARSETRAF_TOOLTIP_ROTRIGHT;Rotér til højre.\n\nGenveje:\n] - Tilstand med flere redigerings-faneblade,\nAlt-] - Tilstand med enkelt redigerings-faneblad. +TP_COARSETRAF_TOOLTIP_VFLIP;Vend lodret. +TP_COLORAPP_ABSOLUTELUMINANCE;Absolut luminans +TP_COLORAPP_ALGO;Algoritme +TP_COLORAPP_ALGO_ALL;Alt +TP_COLORAPP_ALGO_JC;Lyshed + Kroma (JC) +TP_COLORAPP_ALGO_JS;Lyshed + Mættet (JS) +TP_COLORAPP_ALGO_QM;Lysstyrke + Farverighed (QM) +TP_COLORAPP_ALGO_TOOLTIP;Giver dig mulighed for at vælge mellem parameter undersæt eller alle parametre. +TP_COLORAPP_BADPIXSL;Varmt/dødt pixelfilter +TP_COLORAPP_BADPIXSL_TOOLTIP;Undertrykkelse af varme/døde (meget lyst farvede) pixels.\n0 = Ingen effekt\n1 = Mellem\n2 = Gaussisk.\nAlternativt, justér billedet for at undgå meget mørke skygger.\n\nDisse artefakter skyldes begrænsninger i CIEFM02. +TP_COLORAPP_BRIGHT;Lysstyrke (Q) +TP_COLORAPP_BRIGHT_TOOLTIP;Lysstyrke i CIEFM02 tager højde for luminansen i hvid, og adskiller sig fra L*a*b* og RGB lysstyrke. +TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Ved manuel indstilling anbefales værdier over 65. +TP_COLORAPP_CHROMA;Kroma (C) +TP_COLORAPP_CHROMA_M;Farverighed (M) +TP_COLORAPP_CHROMA_M_TOOLTIP;Farverighed i CIEFM02 adskiller sig fra L*a*b* og RGB farverighed. +TP_COLORAPP_CHROMA_S;Mætning (S) +TP_COLORAPP_CHROMA_S_TOOLTIP;Mætning i CIEFM02 adskiller sig fra L*a*b* og RGB-mætning. +TP_COLORAPP_CHROMA_TOOLTIP;Kroma i CIEFM02 adskiller sig fra L*a*b* og RGB Kroma. +TP_COLORAPP_CIECAT_DEGREE;CAT02 tilpasning +TP_COLORAPP_CONTRAST;Kontrast (J) +TP_COLORAPP_CONTRAST_Q;Kontrast (Q) +TP_COLORAPP_CONTRAST_Q_TOOLTIP;Afviger fra L*a*b* og RGB kontrast. +TP_COLORAPP_CONTRAST_TOOLTIP;Afviger fra L*a*b* og RGB kontrast. +TP_COLORAPP_CURVEEDITOR1;Tonekurve 1 +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Viser histogrammet for L* (L*a*b*) før CIEFM02.\nHvis afkrydsningsfeltet "Vis CIEFM02-outputhistogrammer i kurver" er aktiveret, vises histogrammet for J eller Q, efter CIEFM02.\n\nJ og Q er ikke vist i hovedhistogrampanelet.\n\nFor endelig output henvises til hovedhistogrampanelet. +TP_COLORAPP_CURVEEDITOR2;Tonekurve 2 +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Samme brug som med anden eksponeringstonekurve. +TP_COLORAPP_CURVEEDITOR3;Farvekurve +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Justér enten Kroma, mætning eller farverighed.\n\nViser histogrammet for kromaticitet (L*a*b*) før CIEFM02.\nHvis afkrydsningsfeltet "Vis CIEFM02 output histogrammer i kurver" er aktiveret, vises histogrammet for C, s eller M, efter CIEFM02.\n\nC, s og M vises ikke i hovedhistogrampanelet.\nFor sluttelig output henvises til hovedhistogrampanelet. +TP_COLORAPP_DATACIE;CIEFM02 output histogrammer i kurver +TP_COLORAPP_DATACIE_TOOLTIP;Når det er aktiveret, viser histogrammer i CIEFM02-kurver omtrentlige værdier/intervaller for J eller Q, og C, s eller M efter CIEFM02-justeringerne.\nDette valg påvirker ikke hovedhistogrampanelet.\n\nNår de er deaktiveret, viser histogrammer i CIEFM02-kurverne L*a*b*-værdier før CIEFM02-justeringer. +TP_COLORAPP_FREE;Fri temp+grøn + CAT02 + [output] +TP_COLORAPP_GAMUT;Farveskalakontrol (L*a*b*) +TP_COLORAPP_GAMUT_TOOLTIP;Tillad farveskalakontrol i L*a*b*-tilstand. +TP_COLORAPP_HUE;Farvetone (h) +TP_COLORAPP_HUE_TOOLTIP;Farvetone (h) - vinkel mellem 0° og 360°. +TP_COLORAPP_LABEL;CIE Farveudseende Model 2002 +TP_COLORAPP_LABEL_CAM02;Billedjusteringer +TP_COLORAPP_LABEL_SCENE;Sceneforhold +TP_COLORAPP_LABEL_VIEWING;Visningsforhold +TP_COLORAPP_LIGHT;Lyshed (J) +TP_COLORAPP_LIGHT_TOOLTIP;Lyshed i CIEFM02 adskiller sig fra L*a*b* og RGB lyshed. +TP_COLORAPP_MEANLUMINANCE;Gennemsnitlig luminans (Yb%) +TP_COLORAPP_MODEL;Hvidpunktsmodel +TP_COLORAPP_MODEL_TOOLTIP;Hvidpunktsmodel.\n\nWB [RT] + [output]: RTs hvidbalance bruges til scenen, CIEFM02 er sat til D50, og outputenhedens hvidbalance er indstillet i visningsbetingelser.\n \nWB [RT+CAT02] + [output]: RTs hvidbalance-indstillinger bruges af CAT02, og output-enhedens hvidbalance er indstillet i visningsbetingelser.\n\nFri temp+grøn + CAT02 + [output]: temp og grøn vælges af brugeren, outputenhedens hvidbalance indstilles i Visningsbetingelser. +TP_COLORAPP_NEUTRAL;Nulstil +TP_COLORAPP_NEUTRAL_TIP;Nulstil alle skydere i afkrydsningsfeltet og kurverne til deres standardværdier +TP_COLORAPP_RSTPRO;Rød- & hud-toner beskyttelse +TP_COLORAPP_RSTPRO_TOOLTIP;Rød- & hud-toner; hudtone beskyttelse påvirker både skydere og kurver. +TP_COLORAPP_SURROUND;Efter omgivelserne +TP_COLORAPP_SURROUND_AVER;Gennemsnitligt +TP_COLORAPP_SURROUND_DARK;Dæmpet +TP_COLORAPP_SURROUND_DIM;Mørkt +TP_COLORAPP_SURROUND_EXDARK;Ekstremt mørkt (mørklægnings-gardin/plade) +TP_COLORAPP_SURROUND_TOOLTIP;Ændrer toner og farver for at tage højde for visningsforholdene for outputenheden.\n\nGennemsnit: Gennemsnitligt lysmiljø (standard). Billedet ændres ikke.\n\nDæmpet: Dæmpet miljø (TV). Billedet bliver lidt mørkt.\n\nMørkt: Mørkt miljø (projektor). Billedet bliver mere mørkt.\n\nEkstremt mørkt: Ekstremt mørke omgivelser (mørklægnings-gardin/plade). Billedet bliver meget mørkt. +TP_COLORAPP_TCMODE_BRIGHTNESS;Lysstyrke +TP_COLORAPP_TCMODE_CHROMA;Kroma +TP_COLORAPP_TCMODE_COLORF;Farverighed +TP_COLORAPP_TCMODE_LABEL1;Kurvetilstand 1 +TP_COLORAPP_TCMODE_LABEL2;Kurvetilstand 2 +TP_COLORAPP_TCMODE_LABEL3;Kurve kroma mode +TP_COLORAPP_TCMODE_LIGHTNESS;Lyshed +TP_COLORAPP_TCMODE_SATUR;Mætning +TP_COLORAPP_TEMP_TOOLTIP;For at vælge en lyskilde skal du altid indstille Farvetone=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 +TP_COLORAPP_TONECIE; bruger CIEFM02 +TP_COLORAPP_TONECIE_TOOLTIP;Hvis denne indstilling er deaktiveret, udføres tonetilknytning i L*a*b* farverum.\nAktiveret, udføres tonetilknytning ved hjælp af CIEFM02.\nTonetilknytnings-værktøjet skal være aktiveret for at denne indstilling kan træde i kraft. +TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolut luminans af visningsmiljøet\n(normalt 16 cd/m²). +TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +TP_COLORAPP_WBRT;WB [RT] + [output] +TP_COLORTONING_AB;o C/L +TP_COLORTONING_AUTOSAT;Automatisk +TP_COLORTONING_BALANCE;Balance +TP_COLORTONING_BY;o C/L +TP_COLORTONING_CHROMAC;Opacitet +TP_COLORTONING_COLOR;Farve +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Kroma opacitet som en funktion af luminans oC=f(L) +TP_COLORTONING_HIGHLIGHT;Højlys +TP_COLORTONING_HUE;Farvetone +TP_COLORTONING_LAB;L*a*b* blanding +TP_COLORTONING_LABEL;Farvetoning +TP_COLORTONING_LABGRID;L*a*b* farvekorrektionsgitter +TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 +TP_COLORTONING_LABREGIONS;Farvekorrektionsområder +TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 +TP_COLORTONING_LABREGION_CHANNEL;Kanal +TP_COLORTONING_LABREGION_CHANNEL_ALL;Alle +TP_COLORTONING_LABREGION_CHANNEL_B;Blå +TP_COLORTONING_LABREGION_CHANNEL_G;Grøn +TP_COLORTONING_LABREGION_CHANNEL_R;Rød +TP_COLORTONING_LABREGION_CHROMATICITYMASK;C +TP_COLORTONING_LABREGION_HUEMASK;H +TP_COLORTONING_LABREGION_LIGHTNESS;Lyshed +TP_COLORTONING_LABREGION_LIGHTNESSMASK;L +TP_COLORTONING_LABREGION_LIST_TITLE;Rettelse +TP_COLORTONING_LABREGION_MASK;Maske +TP_COLORTONING_LABREGION_MASKBLUR;Maskesløring +TP_COLORTONING_LABREGION_OFFSET;Offset +TP_COLORTONING_LABREGION_POWER;Power +TP_COLORTONING_LABREGION_SATURATION;Mætning +TP_COLORTONING_LABREGION_SHOWMASK;Vis maske +TP_COLORTONING_LABREGION_SLOPE;Hældning +TP_COLORTONING_LUMA;Luminans +TP_COLORTONING_LUMAMODE;Bevar luminansen +TP_COLORTONING_LUMAMODE_TOOLTIP;Hvis aktiveret, når du skifter farve (rød, grøn, cyan, blå osv.), bevares luminansen af hver pixel. +TP_COLORTONING_METHOD;Metode +TP_COLORTONING_METHOD_TOOLTIP;"L*a*b*-blanding", "RGB-skydere" og "RGB-kurver" bruger interpoleret farveblanding.\n"Farvebalance (Skygger/Mellemtoner/Højlys)" og "Mætning 2 farver" bruger direkte farver.\n\ nSort-og-Hvid-værktøjet kan aktiveres, når du bruger enhver farvetonemetode, som giver mulighed for farvetoning. +TP_COLORTONING_MIDTONES;Mellemtoner +TP_COLORTONING_NEUTRAL;Nulstil skydere +TP_COLORTONING_NEUTRAL_TIP;Nulstil alle værdier (Skygger, Mellemtoner, Højlys) til standard. +TP_COLORTONING_OPACITY;Opacitet +TP_COLORTONING_RGBCURVES;RGB - Kurver +TP_COLORTONING_RGBSLIDERS;RGB - Skydere +TP_COLORTONING_SA;Mætningsbeskyttelse +TP_COLORTONING_SATURATEDOPACITY;Styrke +TP_COLORTONING_SATURATIONTHRESHOLD;Tærskel +TP_COLORTONING_SHADOWS;Skygger +TP_COLORTONING_SPLITCO;Skygger/Mellemtoner/Højlys +TP_COLORTONING_SPLITCOCO;Farvebalance Skygger/Mellemtoner/Højlys +TP_COLORTONING_SPLITLR;Mætning 2 farver +TP_COLORTONING_STR;Styrke +TP_COLORTONING_STRENGTH;Styrke +TP_COLORTONING_TWO2;Speciel kroma '2 farver' +TP_COLORTONING_TWOALL;Speciel kroma +TP_COLORTONING_TWOBY;Speciel a* og b* +TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard kroma:\nLineær respons, a* = b*.\n\nSpeciel kroma:\nLineær respons, a* = b*, men ikke-bundet - prøv under diagonalen.\n\nSpeciel a* og b*:\nLineær respons ikke-bundet med seperate kurver for a* og b*. Beregnet til specielle effekter.\n\nSpeciel kroma 2 farver:\nMere forudsigelig. +TP_COLORTONING_TWOSTD;Standard kroma +TP_CROP_FIXRATIO;Låseforhold +TP_CROP_GTDIAGONALS;Diagonalernes regel +TP_CROP_GTEPASSPORT;Biometrisk pas +TP_CROP_GTFRAME;Ramme +TP_CROP_GTGRID;Gitter +TP_CROP_GTHARMMEANS;Harmoniske midler +TP_CROP_GTNONE;Ingen +TP_CROP_GTRULETHIRDS;Tredjedelsregelen +TP_CROP_GTTRIANGLE1;Gyldne trekanter 1 +TP_CROP_GTTRIANGLE2;Gyldne trekanter 2 +TP_CROP_GUIDETYPE;Guide type: +TP_CROP_H;Højde +TP_CROP_LABEL;Beskær +TP_CROP_PPI;PPI +TP_CROP_RESETCROP;Nulstil +TP_CROP_SELECTCROP;Vælg +TP_CROP_W;Bredde +TP_CROP_X;Venstre +TP_CROP_Y;Top +TP_DARKFRAME_AUTOSELECT;Automatisk valg +TP_DARKFRAME_LABEL;Mørk-Ramme +TP_DEFRINGE_LABEL;Defringe +TP_DEFRINGE_RADIUS;Radius +TP_DEFRINGE_THRESHOLD;Tærskel +TP_DEHAZE_DEPTH;Dybde +TP_DEHAZE_LABEL;Fjernelse af dis +TP_DEHAZE_LUMINANCE;Kun luminans +TP_DEHAZE_SHOW_DEPTH_MAP;Vis dybdekort +TP_DEHAZE_STRENGTH;Styrke +TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zoner +TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;Automatisk global +TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;Krominans - Blå-Gul +TP_DIRPYRDENOISE_CHROMINANCE_CURVE;Krominans kurve +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Forøg (multiplicer) værdien af alle krominansskydere.\nDenne kurve lader dig justere styrken af kromatisk støjreduktion som funktion af kromaticitet, for eksempel for at øge handlingen i områder med lav mætning og for at mindske den i områder med høj mætning. +TP_DIRPYRDENOISE_CHROMINANCE_FRAME;Krominans +TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manuel +TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Krominans - Master +TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Metode +TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manuel\nVirker på det fulde billede.\nDu styrer indstillingerne for støjreduktion manuelt.\n\nAutomatisk global\nVirker på det fulde billede.\n9 zoner bruges til at beregne en global krominans-støjreduktionsindstilling.\n\nForhåndsvisning virker på hele billedet.\nDen del af billedet, der er synlig i forhåndsvisningen, bruges til at beregne globale krominans støjreduktionsindstillinger. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manuel\nVirker på det fulde billede.\nDu styrer indstillingerne for støjreduktion manuelt.\n\nAutomatisk global\nVirker på det fulde billede.\n9 zoner bruges til at beregne en global krominans-støjreduktionsindstilling.\n\nAutomatiske multizoner \nIngen forhåndsvisning - virker kun under lagring, men ved at bruge "Forhånsvisning"-metoden ved at matche flisestørrelsen og midten, til forhåndsvisningsstørrelsen og midten, kan du få en idé om de forventede resultater.\nBilledet er opdelt i fliser (ca. 10 til 70 afhængigt af billedstørrelsen), og hver flise modtager sine egne indstillinger for krominansstøjreduktion.\n\nForhånsvisning\nVirkerer på hele billedet.\nDen del af billedet, der er synlig i forhåndsvisningen, bruges til at beregne globale indstillinger for krominansstøjreduktion. +TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Forhånsvisning multi-zoner +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Forhånsvisning +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Viser de resterende støjniveauer for den del af billedet, der er synlig i forhåndsvisningen efter wavelet.\n\n>300 Meget støjende\n100-300 Støjende\n50-100 Lidt støjende\n<50 Meget lav støj\n\nPas på, værdierne vil variere mellem RGB- og L*a*b*-tilstandene. RGB-værdierne er mindre nøjagtige, fordi RGB-tilstanden ikke adskiller luminans og krominans fuldstændigt. +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Forhånsvisning størrelse=%1, Midte: Px=%2 Py=%3 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO;Forhånsvisning støj: Middel=%1 Høj=%2 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;Forhånsvisning støj: Middel= - Høj= - +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Flisestørrelse=%1, Midte: Tx=%2 Ty=%3 +TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;Krominans - Rød-Grøn +TP_DIRPYRDENOISE_LABEL;Støjreduktion +TP_DIRPYRDENOISE_LUMINANCE_CONTROL;Luminans kontrol +TP_DIRPYRDENOISE_LUMINANCE_CURVE;Luminans kurve +TP_DIRPYRDENOISE_LUMINANCE_DETAIL;Detaljegendannelse +TP_DIRPYRDENOISE_LUMINANCE_FRAME;Luminans +TP_DIRPYRDENOISE_LUMINANCE_SMOOTHING;Luminans +TP_DIRPYRDENOISE_MAIN_COLORSPACE;Farverum +TP_DIRPYRDENOISE_MAIN_COLORSPACE_LAB;L*a*b* +TP_DIRPYRDENOISE_MAIN_COLORSPACE_RGB;RGB +TP_DIRPYRDENOISE_MAIN_COLORSPACE_TOOLTIP;Til raw-billeder kan enten RGB- eller L*a*b*-metoder bruges.\n\nTil ikke-raw-billeder vil L*a*b*-metoden blive brugt, uanset valget. +TP_DIRPYRDENOISE_MAIN_GAMMA;Gamma +TP_DIRPYRDENOISE_MAIN_GAMMA_TOOLTIP;Gamma varierer støjreduktionsstyrken på tværs af toneområdet. Mindre værdier vil målrette skygger, mens større værdier vil strække effekten til de lysere toner. +TP_DIRPYRDENOISE_MAIN_MODE;Mode +TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressiv +TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Konservativ +TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Konservativ" bevarer lavfrekvente kroma-mønstre, mens "aggressiv" udsletter dem. +TP_DIRPYRDENOISE_MEDIAN_METHOD;Median metode +TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Kun kroma +TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* +TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter +TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Kun luminans +TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB +TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;Når du bruger metoderne "Kun luminans" og "L*a*b*", vil medianfiltrering blive udført lige efter wavelet-trinnet i støjreduktionspipelinen.\nNår du bruger "RGB"-tilstanden, udføres den ved afslutningen af støjreduktionspipelinen. +TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Vægtet L* (lille) + a*b* (normal) +TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterationer +TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Anvendelse af tre median filteriterationer med en 3×3 vinduesstørrelse fører ofte til bedre resultater end ved at bruge en median filteriteration med en 7×7 vinduesstørrelse. +TP_DIRPYRDENOISE_MEDIAN_TYPE;Median type +TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Tilføj et medianfilter af den ønskede vinduesstørrelse. Jo større vinduet er, jo længere tid tager det.\n\n3×3 blød: behandler 5 pixels i et 3×3 pixels vindue.\n3×3: behandler 9 pixels i et 3×3 pixels vindue.\n5×5 blød: behandler 13 pixels i et 5×5 pixel vindue.\n5×5: behandler 25 pixels i et 5×5 pixel vindue.\n7×7: behandler 49 pixels i et 7×7 pixel vindue.\n9×9: behandler 81 pixels i et 9×9 pixel vindue.\n\nNogle gange er det muligt at opnå højere kvalitet ved at køre flere iterationer med en mindre vinduesstørrelse end én iteration med et større vindue. +TP_DIRPYRDENOISE_TYPE_3X3;3×3 +TP_DIRPYRDENOISE_TYPE_3X3SOFT;3×3 blød +TP_DIRPYRDENOISE_TYPE_5X5;5×5 +TP_DIRPYRDENOISE_TYPE_5X5SOFT;5×5 blød +TP_DIRPYRDENOISE_TYPE_7X7;7×7 +TP_DIRPYRDENOISE_TYPE_9X9;9×9 +TP_DIRPYREQUALIZER_ALGO;Hudfarveområde +TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fint: tættere på hudens farver, minimerer virkningen på andre farver\nStor: undgår flere artefakter. +TP_DIRPYREQUALIZER_ARTIF;Reducér artefakter +TP_DIRPYREQUALIZER_HUESKIN;Hudfarve +TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;Denne pyramide er for den øverste del, så vidt algoritmen har sin maksimale effektivitet.\nTil den nederste del, overgangszonerne.\nHvis du har brug for at flytte området væsentligt til venstre eller højre - eller hvis der er artefakter: hvidbalancen er forkert\nDu kan reducere zonen lidt for at forhindre, at resten af billedet påvirkes. +TP_DIRPYREQUALIZER_LABEL;Kontrast efter Detalje Niveauer +TP_DIRPYREQUALIZER_LUMACOARSEST;Groveste +TP_DIRPYREQUALIZER_LUMACONTRAST_MINUS;Kontrast - +TP_DIRPYREQUALIZER_LUMACONTRAST_PLUS;Kontrast + +TP_DIRPYREQUALIZER_LUMAFINEST;Finest +TP_DIRPYREQUALIZER_LUMANEUTRAL;Neutral +TP_DIRPYREQUALIZER_SKIN;Hudmålretning/beskyttelse +TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Ved -100 bliver hudtoner angrebet.\nVed 0 behandles alle toner ens.\nVed +100 bliver hudtoner beskyttet, mens alle andre toner påvirkes. +TP_DIRPYREQUALIZER_THRESHOLD;Tærskel +TP_DIRPYREQUALIZER_TOOLTIP;Forsøger at reducere artefakter i overgangene mellem hudfarver (nuance, kroma, luma) og resten af billedet. +TP_DISTORTION_AMOUNT;Mængde +TP_DISTORTION_AUTO_TIP;Korrigerer automatisk objektivforvrængning i raw filer ved at matche dem med det indlejrede JPEG-billede, hvis et sådant findes og har fået dets objektivforvrængning automatisk korrigeret af kameraet. +TP_DISTORTION_LABEL;Forvrængningskorrektion +TP_EPD_EDGESTOPPING;Kantstopper +TP_EPD_GAMMA;Gamma +TP_EPD_LABEL;Tonekortlægning +TP_EPD_REWEIGHTINGITERATES;Genvægtning gentages +TP_EPD_SCALE;Vægt +TP_EPD_STRENGTH;Styrke +TP_EXPOSURE_AUTOLEVELS;Auto Niveauer +TP_EXPOSURE_AUTOLEVELS_TIP;Skifter udførelse af Auto Niveauer til automatisk at indstille Eksponeringsskyderværdier baseret på en billedanalyse.\nAktivér Højlys Rekonstruktion om nødvendigt. +TP_EXPOSURE_BLACKLEVEL;Sort +TP_EXPOSURE_BRIGHTNESS;Lyshed +TP_EXPOSURE_CLAMPOOG;Klip udenfor-farveskala farver +TP_EXPOSURE_CLIP;Klip % +TP_EXPOSURE_CLIP_TIP;Den del af pixels, der skal klippes i Auto Niveauer-indstilling. +TP_EXPOSURE_COMPRHIGHLIGHTS;Højlys kompression +TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Tærskel for højlys kompression +TP_EXPOSURE_COMPRSHADOWS;Skygge kompression +TP_EXPOSURE_CONTRAST;Kontrast +TP_EXPOSURE_CURVEEDITOR1;Tone kurve 1 +TP_EXPOSURE_CURVEEDITOR2;Tone kurve 2 +TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Se venligst RawPedia-artiklen "Eksponering > Tonekurver" for at lære, hvordan du opnår de bedste resultater ved at bruge to tonekurver. +TP_EXPOSURE_EXPCOMP;Eksponeringskompensation +TP_EXPOSURE_HISTMATCHING;Auto-matchet tonekurve +TP_EXPOSURE_HISTMATCHING_TOOLTIP;Justér automatisk skydere og kurver (undtagen eksponeringskompensation) for at matche udseendet af den indlejrede JPEG thumbnail. +TP_EXPOSURE_LABEL;Eksponering +TP_EXPOSURE_SATURATION;Mætning +TP_EXPOSURE_TCMODE_FILMLIKE;Film-like +TP_EXPOSURE_TCMODE_LABEL1;Kurvetilstand 1 +TP_EXPOSURE_TCMODE_LABEL2;Kurvetilstand 2 +TP_EXPOSURE_TCMODE_LUMINANCE;Luminans +TP_EXPOSURE_TCMODE_PERCEPTUAL;Perceptuel +TP_EXPOSURE_TCMODE_SATANDVALBLENDING;Mætning og værdiblanding +TP_EXPOSURE_TCMODE_STANDARD;Standard +TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Vægtet Standard +TP_EXPOS_BLACKPOINT_LABEL;Raw Sort-punkter +TP_EXPOS_WHITEPOINT_LABEL;Raw Hvid-punkter +TP_FILMNEGATIVE_BLUE;Blå forhold +TP_FILMNEGATIVE_GREEN;Referenceeksponent (kontrast) +TP_FILMNEGATIVE_GUESS_TOOLTIP;Indstil automatisk rødt- og blåt-forholdet ved at vælge to felter, som havde en neutral farvetone (ingen farve) i den originale scene. Feltrene bør afvige i lysstyrke. Indstil hvidbalancen bagefter. +TP_FILMNEGATIVE_LABEL;Film Negativ +TP_FILMNEGATIVE_PICK;Vælg neutrale felter +TP_FILMNEGATIVE_RED;Rødt-forholdet +TP_FILMSIMULATION_LABEL;Film Simulation +TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee er konfigureret til at søge efter Hald CLUT-billeder, som bruges til filmsimuleringsværktøjet, i en mappe, der tager for lang tid at indlæse.\nGå til Præferencer > Billedredigering > Filmsimulering\nfor at se, hvilken mappe der bruges. Du bør enten vise RawTherapee hen til en mappe, der kun indeholder Hald CLUT-billeder og intet andet, eller til en tom mappe, hvis du ikke vil bruge værktøjet Filmsimulering.\n\nLæs artiklen Filmsimulering i RawPedia for mere information. \n\nVil du annullere scanningen nu? +TP_FILMSIMULATION_STRENGTH;Styrke +TP_FILMSIMULATION_ZEROCLUTSFOUND;Sæt HaldCLUT mappe i Præferencer +TP_FLATFIELD_AUTOSELECT;Auto-selektion +TP_FLATFIELD_BLURRADIUS;Sløringsradius +TP_FLATFIELD_BLURTYPE;Sløringstype +TP_FLATFIELD_BT_AREA;Område +TP_FLATFIELD_BT_HORIZONTAL;Vandret +TP_FLATFIELD_BT_VERTHORIZ;Lodret + Vandret +TP_FLATFIELD_BT_VERTICAL;Lodret +TP_FLATFIELD_CLIPCONTROL;Klipkontrol +TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Klipkontrol undgår klippede højlys forårsaget af anvendelse af det flade felt. Hvis der allerede er klippede højlys, før det flade felt anvendes, bruges værdien 0. +TP_FLATFIELD_LABEL;Fladt-Felt +TP_GENERAL_11SCALE_TOOLTIP;Effekterne af dette værktøj er kun synlige, eller kun nøjagtige i en forhåndsvisningsskala på 1:1. +TP_GRADIENT_CENTER;Center +TP_GRADIENT_CENTER_X;Center X +TP_GRADIENT_CENTER_X_TOOLTIP;Flyt gradient til venstre (negative værdier) eller højre (positive værdier). +TP_GRADIENT_CENTER_Y;Center Y +TP_GRADIENT_CENTER_Y_TOOLTIP;Flyt gradient op (negative værdier) eller ned (positive værdier). +TP_GRADIENT_DEGREE;Vinkel +TP_GRADIENT_DEGREE_TOOLTIP;Rotationsvinkel i grader. +TP_GRADIENT_FEATHER;Fjer +TP_GRADIENT_FEATHER_TOOLTIP;Gradientbredde i procent af billeddiagonal. +TP_GRADIENT_LABEL;Gradueret Filter +TP_GRADIENT_STRENGTH;Styrke +TP_GRADIENT_STRENGTH_TOOLTIP;Filterstyrke i stop. +TP_HLREC_BLEND;Miks +TP_HLREC_CIELAB;CIELab Miksning +TP_HLREC_COLOR;Farveudbredelse +TP_HLREC_ENA_TOOLTIP;Kunne aktiveres af Auto Niveauer. +TP_HLREC_LABEL;Højlys rekonstruktion +TP_HLREC_LUMINANCE;Luminansgendannelse +TP_HLREC_METHOD;Metode: +TP_HSVEQUALIZER_CHANNEL;Kanal +TP_HSVEQUALIZER_HUE;H +TP_HSVEQUALIZER_LABEL;HSV Equalizer +TP_HSVEQUALIZER_SAT;S +TP_HSVEQUALIZER_VAL;V +TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline eksponering +TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Anvend den indlejrede DCP-baseline eksponeringsoffset. Indstillingen er kun tilgængelig, hvis den valgte DCP har en. +TP_ICM_APPLYHUESATMAP;Basistabel +TP_ICM_APPLYHUESATMAP_TOOLTIP;Anvend den indlejrede DCP-basistabel (FarvetoneSatMap). Indstillingen er kun tilgængelig, hvis den valgte DCP har en. +TP_ICM_APPLYLOOKTABLE;Look tabel +TP_ICM_APPLYLOOKTABLE_TOOLTIP;Brug den indlejrede DCP-looktabel. Indstillingen er kun tilgængelig, hvis den valgte DCP har en. +TP_ICM_BPC;Sortpunkts kompensation +TP_ICM_DCPILLUMINANT;Lyskilde +TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpoleret +TP_ICM_DCPILLUMINANT_TOOLTIP;Vælg hvilken indlejret DCP-lyskilde, der skal bruges. Standard er "interpoleret", hvilket er en blanding mellem de to baseret på hvidbalance. Indstillingen er kun tilgængelig, hvis en dual-illuminant DCP med interpolationsunderstøttelse er valgt. +TP_ICM_INPUTCAMERA;Kamera standard +TP_ICM_INPUTCAMERAICC;Automatisk matchet kameraprofil +TP_ICM_INPUTCAMERAICC_TOOLTIP;Brug RawTherapees kameraspecifikke DCP- eller ICC-inputfarveprofiler. Disse profiler er mere præcise end simplere matrixprofiler. De er ikke tilgængelige for alle kameraer. Disse profiler gemmes i mapperne /iccprofiles/input og /dcpprofiles og hentes automatisk baseret på et filnavn, der matcher kameraets nøjagtige modelnavn. +TP_ICM_INPUTCAMERA_TOOLTIP;Brug en simpel farvematrix fra dcraw, en forbedret RawTherapee-version (afhængig af hvilken der er tilgængelig baseret på kameramodel) eller en integreret i DNG. +TP_ICM_INPUTCUSTOM;Standard +TP_ICM_INPUTCUSTOM_TOOLTIP;Vælg din egen DCP/ICC farveprofil-fil til kameraet. +TP_ICM_INPUTDLGLABEL;Vælg Input DCP/ICC profil... +TP_ICM_INPUTEMBEDDED;Brug indlejret, hvis muligt +TP_ICM_INPUTEMBEDDED_TOOLTIP;Brug farveprofil, der er indlejret i ikke-raw filer. +TP_ICM_INPUTNONE;Ingen profil +TP_ICM_INPUTNONE_TOOLTIP;Brug ingen inputfarveprofil overhovedet.\nBrug kun i særlige tilfælde. +TP_ICM_INPUTPROFILE;Input Profil +TP_ICM_LABEL;Farvestyring +TP_ICM_NOICM;No ICM: sRGB Output +TP_ICM_OUTPUTPROFILE;Output Profil +TP_ICM_PROFILEINTENT;Ønsket gengivelse +TP_ICM_SAVEREFERENCE;Gem referencebillede +TP_ICM_SAVEREFERENCE_APPLYWB;Tilføj hvidbalance +TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generelt, tilføj hvidbalance når du gemmer billeder for at oprette ICC-profiler, og undlad at tilføje hvidbalance for at oprette DCP-profiler. +TP_ICM_SAVEREFERENCE_TOOLTIP;Gem det lineære TIFF-billede, før inputprofilen tilføjes. Resultatet kan bruges til kalibreringsformål og generering af en kameraprofil. +TP_ICM_TONECURVE;Tonekurve +TP_ICM_TONECURVE_TOOLTIP;Anvend den indlejrede DCP-tonekurve. Indstillingen er kun tilgængelig, hvis den valgte DCP har en tonekurve. +TP_ICM_WORKINGPROFILE;Arbejdsprofil +TP_ICM_WORKING_TRC;Toneresponskurve: +TP_ICM_WORKING_TRC_CUSTOM;Standard +TP_ICM_WORKING_TRC_GAMMA;Gamma +TP_ICM_WORKING_TRC_NONE;Ingen +TP_ICM_WORKING_TRC_SLOPE;Hældning +TP_ICM_WORKING_TRC_TOOLTIP;Kun til indbyggede profiler. +TP_IMPULSEDENOISE_LABEL;Impuls støjreduktion +TP_IMPULSEDENOISE_THRESH;Tærskel +TP_LABCURVE_AVOIDCOLORSHIFT;Undgå farveforskydning +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Tilpas farver til farveskalaen af arbejdsfarverum og tilføj Munsell korrektion. +TP_LABCURVE_BRIGHTNESS;Lyshed +TP_LABCURVE_CHROMATICITY;Kromaticitet +TP_LABCURVE_CHROMA_TOOLTIP;Indstil kromacitet til -100 for at anvende S/H toning. +TP_LABCURVE_CONTRAST;Kontrast +TP_LABCURVE_CURVEEDITOR;Luminans kurve +TP_LABCURVE_CURVEEDITOR_A_RANGE1;Grøn Mættet +TP_LABCURVE_CURVEEDITOR_A_RANGE2;Grøn Pastel +TP_LABCURVE_CURVEEDITOR_A_RANGE3;Rød Pastel +TP_LABCURVE_CURVEEDITOR_A_RANGE4;Rød Mættet +TP_LABCURVE_CURVEEDITOR_B_RANGE1;Blå Mættet +TP_LABCURVE_CURVEEDITOR_B_RANGE2;Blå Pastel +TP_LABCURVE_CURVEEDITOR_B_RANGE3;Gul Pastel +TP_LABCURVE_CURVEEDITOR_B_RANGE4;Gul Mættet +TP_LABCURVE_CURVEEDITOR_CC;CC +TP_LABCURVE_CURVEEDITOR_CC_RANGE1;Neutral +TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Kedelig +TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel +TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Mættet +TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Kromaticitet i forhold til kromaticitet C=f(C) +TP_LABCURVE_CURVEEDITOR_CH;CH +TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Kromaticitet i forhold til farvetone C=f(H) +TP_LABCURVE_CURVEEDITOR_CL;CL +TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Kromaticitet i forhold til luminans C=f(L) +TP_LABCURVE_CURVEEDITOR_HH;HH +TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Farvetone i forhold til farvetone H=f(H) +TP_LABCURVE_CURVEEDITOR_LC;LC +TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminans i forhold til kromaticitet L=f(C) +TP_LABCURVE_CURVEEDITOR_LH;LH +TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminans i forhold til farvetone L=f(H) +TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminans i forhold til luminans L=f(L) +TP_LABCURVE_LABEL;L*a*b* Justeringer +TP_LABCURVE_LCREDSK;Begræns LC til rød og hudtoner +TP_LABCURVE_LCREDSK_TIP;Hvis den er aktiveret, påvirker LC-kurven kun rød og hudtoner.\nHvis den er deaktiveret, gælder den for alle toner. +TP_LABCURVE_RSTPROTECTION;Rød og hudtone beskyttelse +TP_LABCURVE_RSTPRO_TOOLTIP;Virker på Kromaticitet-skyderen og CC-kurven. TP_LENSGEOM_AUTOCROP;Auto-beskæring +TP_LENSGEOM_FILL;Auto-udfyld +TP_LENSGEOM_LABEL;Objektiv/Geometri +TP_LENSGEOM_LIN;Lineær +TP_LENSGEOM_LOG;Logaritmisk +TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatisk valgt +TP_LENSPROFILE_CORRECTION_LCPFILE;LCP fil +TP_LENSPROFILE_CORRECTION_MANUAL;Manuelt valgt +TP_LENSPROFILE_LABEL;Profileret objektivkorrektion +TP_LENSPROFILE_LENS_WARNING;Advarsel: Beskæringsfaktoren, der bruges til objektivprofilering, er større end beskæringsfaktoren for kameraet, resultaterne kan være forkerte. +TP_LENSPROFILE_MODE_HEADER;Objektiv Profil +TP_LENSPROFILE_USE_CA;Kromatisk afvigelse +TP_LENSPROFILE_USE_GEOMETRIC;Geometrisk forvrængning +TP_LENSPROFILE_USE_HEADER;Korrekt +TP_LENSPROFILE_USE_VIGNETTING;Vignettering +TP_LOCALCONTRAST_AMOUNT;Mængde +TP_LOCALCONTRAST_DARKNESS;Mørk-niveau +TP_LOCALCONTRAST_LABEL;Lokal Kontrast +TP_LOCALCONTRAST_LIGHTNESS;Lys-niveau +TP_LOCALCONTRAST_RADIUS;Radius +TP_METADATA_EDIT;Tilføj modifikationer +TP_METADATA_MODE;Metadata kopiér mode +TP_METADATA_STRIP;Fjern alle metadata +TP_METADATA_TUNNEL;Kopiér uændret +TP_NEUTRAL;Nulstil +TP_NEUTRAL_TIP;Nulstiller eksponeringsskyderne til neutrale værdier.\nGælder for de samme kontroller, som Auto Niveauer gælder for, uanset om du har brugt Auto Niveauer eller ej. +TP_PCVIGNETTE_FEATHER;Fjer +TP_PCVIGNETTE_FEATHER_TOOLTIP;Fler(blødgøring):\n0 = kun hjørner,\n50 = halvvejs til center,\n100 = til center. +TP_PCVIGNETTE_LABEL;Vignetteringsfilter +TP_PCVIGNETTE_ROUNDNESS;Rundhed +TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Rundhed:\n0 = rektangel,\n50 = tilpasset ellipse,\n100 = cirkel. +TP_PCVIGNETTE_STRENGTH;Styrke +TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filterstyrke i stop (nået i hjørner). +TP_PDSHARPENING_LABEL;Input skærpning +TP_PERSPECTIVE_HORIZONTAL;Vandret +TP_PERSPECTIVE_LABEL;Perspektiv +TP_PERSPECTIVE_VERTICAL;Lodret +TP_PFCURVE_CURVEEDITOR_CH;Farvetone +TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Styrer defringe styrke efter farve.\nHøjere = mere,\nLavere = mindre. +TP_PREPROCESS_DEADPIXFILT;Døde-pixels filter +TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Forsøger at undertrykke døde pixels. +TP_PREPROCESS_GREENEQUIL;Grøn ligevægt +TP_PREPROCESS_HOTPIXFILT;Varme-pixels filter +TP_PREPROCESS_HOTPIXFILT_TOOLTIP;Forsøger at undertrykke varme pixels. +TP_PREPROCESS_LABEL;Forbehandling +TP_PREPROCESS_LINEDENOISE;Linje støjfilter +TP_PREPROCESS_LINEDENOISE_DIRECTION;Retning +TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Begge +TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Vandret +TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Vandret kun på PDAF rækker +TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Lodret +TP_PREPROCESS_NO_FOUND;Ingen fundet +TP_PREPROCESS_PDAFLINESFILTER;PDAF linjefilter +TP_PRSHARPENING_LABEL;Skærpning efter ændring af størrelse +TP_PRSHARPENING_TOOLTIP;Gør billedet skarpere efter ændring af størrelse. Virker kun, når "Lanczos"-størrelsesændringdsmetoden bruges. Det er umuligt at forhåndsvise virkningerne af dette værktøj. Se RawPedia for brugsinstruktioner. +TP_RAWCACORR_AUTO;Auto-korrektion +TP_RAWCACORR_AUTOIT;Gentagelser +TP_RAWCACORR_AUTOIT_TOOLTIP;Denne indstilling er tilgængelig, når "Autokorrektion" er markeret.\nAutokorrektion er konservativ, hvilket betyder, at den ofte ikke retter alle kromatiske afvigelser.\nFor at rette den resterende kromatisk afvigelse kan du bruge op til fem iterationer af automatisk kromatisk afvigelseskorrektion.\nHver iteration vil reducere den resterende kromatisk afvigelse fra sidste iteration, på bekostning af yderligere behandlingstid. +TP_RAWCACORR_AVOIDCOLORSHIFT;Undgå farveforskydning +TP_RAWCACORR_CABLUE;Blå +TP_RAWCACORR_CARED;Rød +TP_RAWCACORR_LABEL;Kromatisk Afvigelse Korrektion +TP_RAWEXPOS_BLACK_0;Grøn 1 (master) +TP_RAWEXPOS_BLACK_1;Rød +TP_RAWEXPOS_BLACK_2;Blå +TP_RAWEXPOS_BLACK_3;Grøn 2 +TP_RAWEXPOS_BLACK_BLUE;Blå +TP_RAWEXPOS_BLACK_GREEN;Grøn +TP_RAWEXPOS_BLACK_RED;Rød +TP_RAWEXPOS_LINEAR;Hvidpunkts korrektion +TP_RAWEXPOS_RGB;Rød, Grøn, Blå +TP_RAWEXPOS_TWOGREEN;Kæd grønne sammen +TP_RAW_1PASSMEDIUM;1-pass (Markesteijn) +TP_RAW_2PASS;1-pass+fast +TP_RAW_3PASSBEST;3-pass (Markesteijn) +TP_RAW_4PASS;3-pass+fast +TP_RAW_AHD;AHD +TP_RAW_AMAZE;AMaZE +TP_RAW_AMAZEVNG4;AMaZE+VNG4 +TP_RAW_BORDER;Billedkant +TP_RAW_DCB;DCB +TP_RAW_DCBENHANCE;DCB forbedring +TP_RAW_DCBITERATIONS;Antal DCB-iterationer +TP_RAW_DCBVNG4;DCB+VNG4 +TP_RAW_DMETHOD;Metode +TP_RAW_DMETHOD_PROGRESSBAR;%1 demosaiking... +TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demosaik forfining... +TP_RAW_DMETHOD_TOOLTIP;Bemærk: IGV og LMMSE er dedikeret til billeder med høj ISO for at hjælpe med støjreduktion uden at det fører til labyrintmønstre, posterisering eller et udvasket udseende.\nPixel Shift er til Pentax/Sony Pixel Shift-filer. Det falder tilbage til AMaZE for ikke-Pixel Shift-filer. +TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto tærskel +TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Hvis afkrydsningsfeltet er markeret (anbefales), beregner RawTherapee en optimal værdi baseret på flade områder i billedet.\nHvis der ikke er et fladt område i billedet, eller billedet er for støjfyldt, indstilles værdien til 0.\nFor at indstille værdien manuelt, fjern markeringen i afkrydsningsfeltet først (rimelige værdier afhænger af billedet). +TP_RAW_DUALDEMOSAICCONTRAST;Kontrasttærskel +TP_RAW_EAHD;EAHD +TP_RAW_FALSECOLOR;Trin til undertrykkelse af forkerte farver +TP_RAW_FAST;Hurtig +TP_RAW_HD;Tærskel +TP_RAW_HD_TOOLTIP;Lavere værdier gør detektion af varme/døde pixels mere aggressiv, men falske positiver kan føre til artefakter. Hvis du bemærker, at der opstår artefakter, når du aktiverer Varm/Død Pixel-filtrene, skal du gradvist øge tærskelværdien, indtil de forsvinder. +TP_RAW_HPHD;HPHD +TP_RAW_IGV;IGV +TP_RAW_IMAGENUM;Under-billede +TP_RAW_IMAGENUM_SN;SN tilstand +TP_RAW_IMAGENUM_TOOLTIP;Nogle raw-filer består af flere underbilleder (Pentax/Sony Pixel Shift, Pentax 3-i-1 HDR, Canon Dual Pixel, Fuji EXR).\n\nNår du bruger en anden demosaiking metode end Pixel Shift, vælger dette hvilket under-billede der bruges.\n\nNår du bruger Pixel Shift demosaiking metoden på et Pixel Shift raw, bruges alle underbilleder, og dette vælger hvilket underbillede der skal bruges til bevægelige dele. +TP_RAW_LABEL;Demosaiking +TP_RAW_LMMSE;LMMSE +TP_RAW_LMMSEITERATIONS;LMMSE forbedringstrin +TP_RAW_LMMSE_TOOLTIP;Tilføjer gamma (trin 1), median (trin 2-4) og forfining (trin 5-6) for at reducere artefakter og forbedre signal-til-støj-forholdet. +TP_RAW_MONO;Mono +TP_RAW_NONE;Ingen (Viser sensor mønster) +TP_RAW_PIXELSHIFT;Pixel Shift +TP_RAW_PIXELSHIFTBLUR;Slør bevægelsesmaske +TP_RAW_PIXELSHIFTDMETHOD;Demosaisk metode til bevægelse +TP_RAW_PIXELSHIFTEPERISO;Følsomhed +TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;Standardværdien på 0 burde fungere fint for basis ISO.\nHøjere værdier øger følsomheden af bevægelsesregistrering.\nSkift i små trin, og se bevægelsesmasken, mens du skifter.\nForøg følsomheden for undereksponerede eller høj-ISO billeder. +TP_RAW_PIXELSHIFTEQUALBRIGHT;Udligne lysstyrke af rammer +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Udlign pr. kanal +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Aktiveret: Udlign RGB-kanalerne individuelt.\nDeaktiveret: Brug samme udligningsfaktor for alle kanaler. +TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Udlign lysstyrken af rammerne til lysstyrken for den valgte ramme.\nHvis der er overeksponerede områder i rammerne, skal du vælge den mest lysstærke ramme for at undgå magentafarver i overeksponerede områder, eller aktivere bevægelseskorrektion. +TP_RAW_PIXELSHIFTGREEN;Tjek grøn kanal for bevægelse +TP_RAW_PIXELSHIFTHOLEFILL;Fyld huller i bevægelsesmasken +TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fyld huller i bevægelsesmasken +TP_RAW_PIXELSHIFTMEDIAN;Brug median til bevægelige dele +TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Brug medianen af alle rammer i stedet for den valgte ramme for områder med bevægelse.\nFjerner objekter, der er på forskellige steder i alle rammer.\nGiver bevægelseseffekt på objekter, der bevæger sig langsomt (overlappende). +TP_RAW_PIXELSHIFTMM_AUTO;Automatisk +TP_RAW_PIXELSHIFTMM_CUSTOM;Standard +TP_RAW_PIXELSHIFTMM_OFF;Fra +TP_RAW_PIXELSHIFTMOTIONMETHOD;Bevægelseskorrektion +TP_RAW_PIXELSHIFTNONGREENCROSS;Tjek rød/blå kanaler for bevægelse +TP_RAW_PIXELSHIFTSHOWMOTION;Vis bevægelsesmaske +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;Vis kun bevægelsesmaske +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;Viser bevægelsesmasken uden billedet. +TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Overlejrer billedet med en grøn maske, der viser områderne med bevægelse. +TP_RAW_PIXELSHIFTSIGMA;Sløringsradius +TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;Standardradius på 1,0 passer normalt godt til basis ISO.\nForøg værdien for billeder med høj ISO, 5,0 er et godt udgangspunkt.\nSe bevægelsesmasken, mens du ændrer værdien. +TP_RAW_PIXELSHIFTSMOOTH;Glatte overgange +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Glatte overgange mellem områder med bevægelse og områder uden.\nSæt til 0 for at deaktivere overgangsudjævning.\nSæt til 1 for enten at få AmaZE/LMMSE resultatet af den valgte frame (afhængigt af om "Brug LMMSE" er valgt), eller medianen af alle fire rammer, hvis "Brug median" er valgt. +TP_RAW_RCD;RCD +TP_RAW_RCDVNG4;RCD+VNG4 +TP_RAW_SENSOR_BAYER_LABEL;Sensor med Bayer Matrix +TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass giver de bedste resultater (anbefales til billeder med lav ISO).\n1-pass kan næsten ikke skelnes fra 3-pass for billeder med høj ISO og er hurtigere.\n+hurtig giver færre artefakter i flade områder +TP_RAW_SENSOR_XTRANS_LABEL;Sensor med X-Trans Matrix +TP_RAW_VNG4;VNG4 +TP_RAW_XTRANS;X-Trans +TP_RAW_XTRANSFAST;Hurtig X-Trans +TP_RESIZE_ALLOW_UPSCALING;Tillad opskalering +TP_RESIZE_APPLIESTO;Gælder for: +TP_RESIZE_CROPPEDAREA;Beskåret område +TP_RESIZE_FITBOX;Afgrænsningskasse +TP_RESIZE_FULLIMAGE;Fuldt billede +TP_RESIZE_H;Højde: +TP_RESIZE_HEIGHT;Højde +TP_RESIZE_LABEL;Ændr størrelse +TP_RESIZE_LANCZOS;Lanczos +TP_RESIZE_METHOD;Metode: +TP_RESIZE_NEAREST;Nærmeste +TP_RESIZE_SCALE;Vægt +TP_RESIZE_SPECIFY;Specificér: +TP_RESIZE_W;Bredde: +TP_RESIZE_WIDTH;Bredde +TP_RETINEX_CONTEDIT_HSL;HSL histogram +TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram +TP_RETINEX_CONTEDIT_LH;Farvetone +TP_RETINEX_CONTEDIT_MAP;Equalizer +TP_RETINEX_CURVEEDITOR_CD;L=f(L) +TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminans i henhold til luminans L=f(L)\nKorrigér raw data for at reducere glorier og artefakter. +TP_RETINEX_CURVEEDITOR_LH;Styrke=f(H) +TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Styrke i henhold til farvetone Styrke=f(H)\nDenne kurve virker også på kroma ved brug af "Højlys" retinex-metoden. +TP_RETINEX_CURVEEDITOR_MAP;L=f(L) +TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;Denne kurve kan påføres alene eller med en gaussisk maske eller wavelet-maske.\nPas på - artefakter! +TP_RETINEX_EQUAL;Equalizer +TP_RETINEX_FREEGAMMA;Fri gamma +TP_RETINEX_GAIN;Forstærk +TP_RETINEX_GAINOFFS;Forstærk og Offset (lysstyrke) +TP_RETINEX_GAINTRANSMISSION;Forstærk transmission +TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Forstærk eller reducér transmissionskortet for at opnå den ønskede luminans.\nX-aksen er transmissionen.\nY-aksen er forstærkningen. +TP_RETINEX_GAMMA;Gamma +TP_RETINEX_GAMMA_FREE;Fri +TP_RETINEX_GAMMA_HIGH;Høj +TP_RETINEX_GAMMA_LOW;Lav +TP_RETINEX_GAMMA_MID;Mellem +TP_RETINEX_GAMMA_NONE;Ingen +TP_RETINEX_GAMMA_TOOLTIP;Gendan toner ved at påføre gamma før og efter Retinex. Forskelligt fra Retinex-kurver eller andre kurver (Lab, Eksponering osv.). +TP_RETINEX_GRAD;Transmissionsgradient +TP_RETINEX_GRADS;Styrke gradient +TP_RETINEX_GRADS_TOOLTIP;Hvis skyderen står på 0, er alle iterationer identiske.\nHvis > 0 Styrken reduceres, når iterationerne øges, og omvendt. +TP_RETINEX_GRAD_TOOLTIP;Hvis skyderen står på 0, er alle iterationer identiske.\nHvis > 0 Varians og Tærskel reduceres, når iterationer øges, og omvendt. +TP_RETINEX_HIGH;Høj +TP_RETINEX_HIGHLIG;Højlys +TP_RETINEX_HIGHLIGHT;Højlys tærskel +TP_RETINEX_HIGHLIGHT_TOOLTIP;Forøg handlingen af Høj-algoritmen.\nKan kræve, at du genjusterer "Nabopixels" og øger "Hvidpunkts korrektion" på fanen Raw -> Raw hvide punkter. +TP_RETINEX_HSLSPACE_LIN;HSL-lineær +TP_RETINEX_HSLSPACE_LOG;HSL-Logaritmisk +TP_RETINEX_ITER;Gentagelser (Tone-mapping) +TP_RETINEX_ITERF; +TP_RETINEX_ITER_TOOLTIP;Simulér en tone-mapping-operator.\nHøje værdier øger behandlingstiden. +TP_RETINEX_LABEL;Retinex +TP_RETINEX_LABEL_MASK;Maske +TP_RETINEX_LABSPACE;L*a*b* +TP_RETINEX_LOW;Lav +TP_RETINEX_MAP;Metode +TP_RETINEX_MAP_GAUS;Gaussisk maske +TP_RETINEX_MAP_MAPP;Skarp maske (wavelet partiel) +TP_RETINEX_MAP_MAPT;Skarp maske (wavelet total) +TP_RETINEX_MAP_METHOD_TOOLTIP;Brug masken genereret af Gaussisk-funktionen ovenfor (Radius, Metode) til at reducere glorier og artefakter.\n\nKun kurve: tilføj en diagonal kontrastkurve på masken.\nPas på artefakter!\n\nGaussisk maske: generér og brug en Gaussisk sløring af den originale maske.\nHurtig.\n\nSkarp maske: generér og brug en wavelet på den originale maske.\nLangsom. +TP_RETINEX_MAP_NONE;Ingen +TP_RETINEX_MEDIAN;Transmission median filter +TP_RETINEX_METHOD;Metode +TP_RETINEX_METHOD_TOOLTIP;Lav = Forstærk svagt lys.\nEnsartet = Equalize handling.\nHøj = Forstærk højlys.\nHøjlys = Fjern magenta i højlys. +TP_RETINEX_MLABEL;Gendannet dis-fri Min=%1 Max=%2 +TP_RETINEX_MLABEL_TOOLTIP;Bør være tæt på min=0 max=32768\nGendannet billede uden blanding. +TP_RETINEX_NEIGHBOR;Radius +TP_RETINEX_NEUTRAL;Nulstil +TP_RETINEX_NEUTRAL_TIP;Nulstil alle skydere og kurver til deres standardværdier. +TP_RETINEX_OFFSET;Offset (lysstyrke) +TP_RETINEX_SCALES;Gaussian gradient +TP_RETINEX_SCALES_TOOLTIP;Hvis skyderen står på 0, er alle iterationer identiske.\nHvis > 0 Vægt og radius reduceres, når iterationer øges, og omvendt. +TP_RETINEX_SETTINGS;Indstillinger +TP_RETINEX_SKAL;Vægt +TP_RETINEX_SLOPE;Fri gamma hældning +TP_RETINEX_STRENGTH;Styrke +TP_RETINEX_THRESHOLD;Tærskel +TP_RETINEX_THRESHOLD_TOOLTIP;Begrænser ind/ud.\nInd = billedkilde,\nUd = billede gauss. +TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 +TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 +TP_RETINEX_TLABEL_TOOLTIP;Transmissionskortresultat.\Min og Max bruges af Variance.\Mean og Sigma.\nTm=Min TM=Maks af transmissionskort. +TP_RETINEX_TRANF;Transmission +TP_RETINEX_TRANSMISSION;Transmissionskort +TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission i henhold til transmission.\nVandret akse: transmission fra negative værdier (min), middelværdier og positive værdier (maks.).\nLodret akse: forstærkning eller reduktion. +TP_RETINEX_UNIFORM;Ensartet +TP_RETINEX_VARIANCE;Kontrast +TP_RETINEX_VARIANCE_TOOLTIP;Lav varians øger lokal kontrast og mætning, men kan føre til artefakter. +TP_RETINEX_VIEW;Proces +TP_RETINEX_VIEW_MASK;Mask +TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal visning.\nMaske - Viser masken.\nUskarp maske - Viser billedet med en uskarp maske med høj radius.\nTransmission - Auto/Fixet - Viser transmissionskortet før enhver handling på kontrast og lysstyrke.\n \nBemærk: masken svarer ikke til virkeligheden, men er forstærket for at gøre den mere synlig. +TP_RETINEX_VIEW_NONE;Standard +TP_RETINEX_VIEW_TRAN;Transmission - Auto +TP_RETINEX_VIEW_TRAN2;Transmission - Fixed +TP_RETINEX_VIEW_UNSHARP;Uskarp maske +TP_RGBCURVES_BLUE;B +TP_RGBCURVES_CHANNEL;Kanal +TP_RGBCURVES_GREEN;G +TP_RGBCURVES_LABEL;RGB Kurver +TP_RGBCURVES_LUMAMODE;Luminanstilstand +TP_RGBCURVES_LUMAMODE_TOOLTIP;Luminanstilstand gør det muligt at variere bidraget fra R-, G- og B-kanaler til billedets luminans uden at ændre billedfarven. +TP_RGBCURVES_RED;R +TP_ROTATE_DEGREE;Grad +TP_ROTATE_LABEL;Rotér +TP_ROTATE_SELECTLINE;Vælg lige linje +TP_SAVEDIALOG_OK_TIP;Genvej: Ctrl-Enter +TP_SHADOWSHLIGHTS_HIGHLIGHTS;Højlys +TP_SHADOWSHLIGHTS_HLTONALW;Højlys tonal bredde +TP_SHADOWSHLIGHTS_LABEL;Skygger/Højlys +TP_SHADOWSHLIGHTS_RADIUS;Radius +TP_SHADOWSHLIGHTS_SHADOWS;Skygger +TP_SHADOWSHLIGHTS_SHTONALW;Skygger tonal bredde +TP_SHARPENEDGE_AMOUNT;Mængde +TP_SHARPENEDGE_LABEL;Skærpen kanter +TP_SHARPENEDGE_PASSES;Gentagelser +TP_SHARPENEDGE_THREE;Kun luminans +TP_SHARPENING_AMOUNT;Mængde +TP_SHARPENING_BLUR;Sløringsradius +TP_SHARPENING_CONTRAST;Kontrasttærskel +TP_SHARPENING_EDRADIUS;Radius +TP_SHARPENING_EDTOLERANCE;Kanttolerance +TP_SHARPENING_HALOCONTROL;Gloriekontrol +TP_SHARPENING_HCAMOUNT;Mængde +TP_SHARPENING_ITERCHECK;Autobegræns gentagelser +TP_SHARPENING_LABEL;Skærpe +TP_SHARPENING_METHOD;Metode +TP_SHARPENING_ONLYEDGES;Skærp kun kanter +TP_SHARPENING_RADIUS;Radius +TP_SHARPENING_RADIUS_BOOST;Forstærkning af hjørneradius +TP_SHARPENING_RLD;RL Dekonvolution +TP_SHARPENING_RLD_AMOUNT;Mængde +TP_SHARPENING_RLD_DAMPING;Dæmpning +TP_SHARPENING_RLD_ITERATIONS;Gentagelser +TP_SHARPENING_THRESHOLD;Tærskel +TP_SHARPENING_USM;Uskarp maske +TP_SHARPENMICRO_AMOUNT;Mængde +TP_SHARPENMICRO_CONTRAST;Kontrasttærskel +TP_SHARPENMICRO_LABEL;Mikrokontrast +TP_SHARPENMICRO_MATRIX;3×3 matrix i stedet for 5×5 +TP_SHARPENMICRO_UNIFORMITY;Ensartethed +TP_SOFTLIGHT_LABEL;Blødt lys +TP_SOFTLIGHT_STRENGTH;Styrke +TP_TM_FATTAL_AMOUNT;Mængde +TP_TM_FATTAL_ANCHOR;Anker +TP_TM_FATTAL_LABEL;Dynamisk områdekomprimering +TP_TM_FATTAL_THRESHOLD;Detalje +TP_VIBRANCE_AVOIDCOLORSHIFT;Undgå farveforskydning +TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH +TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Hudtoner +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Rød/Lilla +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Rød +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Rød/Gul +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Gul +TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Farvetone i henhold til farvetone H=f(H) +TP_VIBRANCE_LABEL;Vibrance +TP_VIBRANCE_PASTELS;Pastel Toner +TP_VIBRANCE_PASTSATTOG;Knyt pastel og mættede toner sammen +TP_VIBRANCE_PROTECTSKINS;Beskyt hudtoner +TP_VIBRANCE_PSTHRESHOLD;Pastel/mættede toners tærskel +TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;Mætningstærskel +TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;Den lodrette akse repræsenterer pastel toner i bunden og mættede toner i toppen.\nDen vandrette akse repræsenterer mætningsområdet. +TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Pastel/mættet overgangsvægtning +TP_VIBRANCE_SATURATED;Mættede Toner +TP_VIGNETTING_AMOUNT;Mængde +TP_VIGNETTING_CENTER;Center +TP_VIGNETTING_CENTER_X;Center X +TP_VIGNETTING_CENTER_Y;Center Y +TP_VIGNETTING_LABEL;Vignettekorrektion +TP_VIGNETTING_RADIUS;Radius +TP_VIGNETTING_STRENGTH;Styrke +TP_WAVELET_1;Niveau 1 +TP_WAVELET_2;Niveau 2 +TP_WAVELET_3;Niveau 3 +TP_WAVELET_4;Niveau 4 +TP_WAVELET_5;Niveau 5 +TP_WAVELET_6;Niveau 6 +TP_WAVELET_7;Niveau 7 +TP_WAVELET_8;Niveau 8 +TP_WAVELET_9;Niveau 9 +TP_WAVELET_APPLYTO;Tilføj Til +TP_WAVELET_AVOID;Undgå farveskift +TP_WAVELET_B0;Sort +TP_WAVELET_B1;Grå +TP_WAVELET_B2;Resterende +TP_WAVELET_BACKGROUND;Baggrund +TP_WAVELET_BACUR;Kurve +TP_WAVELET_BALANCE;Kontrastbalance d/v-h +TP_WAVELET_BALANCE_TOOLTIP;Ændrer balancen mellem wavelet-retningerne: lodret-vandret og diagonal.\nHvis kontrast-, kroma- eller resttonemapping er aktiveret, er effekten på basis af balance forstærket. +TP_WAVELET_BALCHRO;Kroma balance +TP_WAVELET_BALCHRO_TOOLTIP;Hvis aktiveret, ændrer 'Kontrastbalance'-kurven eller -skyderen også kroma-balancen. +TP_WAVELET_BANONE;Ingen +TP_WAVELET_BASLI;Skyder +TP_WAVELET_BATYPE;Kontrastbalance metode +TP_WAVELET_CBENAB;Toning og Farveballance +TP_WAVELET_CB_TOOLTIP;For stærke værdier - produktfarvetoning ved at kombinere det eller ej med niveauer dekomponering 'toning'\nFor lave værdier kan du ændre hvidbalancen af baggrunden (himmel, ...) uden at ændre den for frontplanet, generelt mere kontrasteret +TP_WAVELET_CCURVE;Lokal kontrast +TP_WAVELET_CH1;Hele kroma området +TP_WAVELET_CH2;Mættet/pastel +TP_WAVELET_CH3;Sammenkæd kontrast niveauer +TP_WAVELET_CHCU;Kurve +TP_WAVELET_CHR;Kroma-kontrast sammenkæd styrke +TP_WAVELET_CHRO;Mættet/pastel tærskel +TP_WAVELET_CHRO_TOOLTIP;Sætter det wavelet niveau, som vil være tærskelværdien mellem mættede og pastel farver.\n1-x: mættet\nx-9: pastel\n\nHvis værdien overstiger mængden af wavelet niveauer du bruger, vil det blive ignoreret. +TP_WAVELET_CHR_TOOLTIP;Justerer kroma som en funktion af "contrast niveauer" og "kroma-kontrast sammenkæd styrke" +TP_WAVELET_CHSL;Skydere +TP_WAVELET_CHTYPE;Krominans metode +TP_WAVELET_COLORT;Opacitet Rød-Grøn +TP_WAVELET_COMPCONT;Kontrast +TP_WAVELET_COMPGAMMA;Kompressions gamma +TP_WAVELET_COMPGAMMA_TOOLTIP;Justering af gamma for det resterende billede giver dig mulighed for at afbalancere dataene og histogrammet. +TP_WAVELET_COMPTM; +TP_WAVELET_CONTEDIT;'efter' kontrast Kurve +TP_WAVELET_CONTR;Farveskala +TP_WAVELET_CONTRA;Kontrast +TP_WAVELET_CONTRAST_MINUS;Kontrast - +TP_WAVELET_CONTRAST_PLUS;Kontrast + +TP_WAVELET_CONTRA_TOOLTIP;Ændrer kontrast i det resterende billede. +TP_WAVELET_CTYPE;Krominans kontrol +TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modificerer lokal kontrast som en funktion af den oprindelige lokale kontrast (vandret akse).\nLave værdier på vandret akse repræsenterer lille lokal kontrast (reelle værdier omkring 10..20).\n50% på vandret akse repræsenterer gennemsnitlig lokal kontrast (virkelig værdi omkring 100..300).\n66% på vandret akse repræsenterer standard afvigelse af lokal kontrast (virkelig værdi ca. 300..800).\n100% på vandret akse repræsenterer maksimal lokal kontrast (virkelig værdi ca. 3000..8000). +TP_WAVELET_CURVEEDITOR_CH;Kontrastniveauer=f(Farvetone) +TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Ændrer hvert niveaus kontrast som en funktion af nuance.\nPas på ikke at overskrive ændringer foretaget med Farveskala-underværktøjets farvetonekontroller.\nKurven vil kun have en effekt, når wavelet-kontrastniveau-skydere er ikke-nul. +TP_WAVELET_CURVEEDITOR_CL;L +TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Påfører en endelig kontrastluminanskurve i slutningen af wavelet-behandlingen. +TP_WAVELET_CURVEEDITOR_HH;HH +TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Ændrer det resterende billedes farvetone som en funktion af farvetonen. +TP_WAVELET_DALL;Alle retninger +TP_WAVELET_DAUB;Kant ydeevne +TP_WAVELET_DAUB2;D2 - lav +TP_WAVELET_DAUB4;D4 - standard +TP_WAVELET_DAUB6;D6 - standard plus +TP_WAVELET_DAUB10;D10 - medium +TP_WAVELET_DAUB14;D14 - høj +TP_WAVELET_DAUB_TOOLTIP;Ændrer Daubechies-koefficienter:\nD4 = Standard,\nD14 = Ofte bedste ydeevne, 10% mere tidskrævende.\n\nPåvirker kantgenkendelse såvel som den generelle kvalitet af første niveauer. Kvaliteten er dog ikke strengt relateret til denne koefficient og kan variere med billeder og anvendelser. +TP_WAVELET_DONE;Lodret +TP_WAVELET_DTHR;Diagonal +TP_WAVELET_DTWO;Vandret +TP_WAVELET_EDCU;Kurve +TP_WAVELET_EDGCONT;Lokal kontrast +TP_WAVELET_EDGCONT_TOOLTIP;Justering af punkterne til venstre mindsker kontrasten, og til højre øges den.\nNederst til venstre, øverst til venstre, øverst til højre og nederst til højre repræsenterer henholdsvis lokal kontrast for lave værdier, middelværdi, middel+stdev og maksima. +TP_WAVELET_EDGE;Kantskarphed +TP_WAVELET_EDGEAMPLI;Basisforstærkning +TP_WAVELET_EDGEDETECT;Gradient følsomhed +TP_WAVELET_EDGEDETECTTHR;Tærskel lav (støj) +TP_WAVELET_EDGEDETECTTHR2;Tærskel høj (genkendelse) +TP_WAVELET_EDGEDETECTTHR_TOOLTIP;Denne skyder lader dig målrette kantgenkendelse for f. eks. at undgå at anvende kantskarphed på fine detaljer, såsom støj i himlen. +TP_WAVELET_EDGEDETECT_TOOLTIP;Flytning af skyderen til højre øger kantfølsomheden. Dette påvirker lokal kontrast, kantindstillinger og støj. +TP_WAVELET_EDGESENSI;Kantfølsomhed +TP_WAVELET_EDGREINF_TOOLTIP;Forstærk eller reducér virkningen af det første niveau, gør det modsatte af det andet niveau, og lad resten være uændret. +TP_WAVELET_EDGTHRESH;Detalje +TP_WAVELET_EDGTHRESH_TOOLTIP;Ændr opdelingen mellem det første niveau og de andre. Jo højere tærskel der er, desto mere er handlingen centreret på det første niveau. Vær forsigtig med negative værdier, de øger virkningen af høje niveauer og kan introducere artefakter. +TP_WAVELET_EDRAD;Radius +TP_WAVELET_EDRAD_TOOLTIP;Denne radiusjustering er meget forskellig fra dem i andre skærpeværktøjer. Dens værdi sammenlignes med hvert niveau gennem en kompleks funktion. I den forstand, at en værdi på nul stadig har effekt. +TP_WAVELET_EDSL;Tærskel Skydere +TP_WAVELET_EDTYPE;Lokalkontrast metode +TP_WAVELET_EDVAL;Styrke +TP_WAVELET_FINAL;Afsluttende Redigering +TP_WAVELET_FINEST;Fineste +TP_WAVELET_HIGHLIGHT;Højlys luminanceområde +TP_WAVELET_HS1;Hele luminansområdet +TP_WAVELET_HS2;Skygge/Højlys +TP_WAVELET_HUESKIN;Hudfarvenuance +TP_WAVELET_HUESKIN_TOOLTIP;De nederste punkter angiver begyndelsen af overgangszonen, og de øverste peger på slutningen af den, hvor effekten er maksimal.\n\nHvis du har brug for at flytte området betydeligt, eller hvis der er artefakter, er hvidbalance forkert. +TP_WAVELET_HUESKY;Himmelfarvenuance +TP_WAVELET_HUESKY_TOOLTIP;De nederste punkter angiver begyndelsen af overgangszonen, og de øverste peger på slutningen af den, hvor effekten er maksimal.\n\nHvis du har brug for at flytte området betydeligt, eller hvis der er artefakter, er hvidbalance forkert. +TP_WAVELET_ITER;Delta balance niveauer +TP_WAVELET_ITER_TOOLTIP;Venstre: øg lavt niveau og sænk højt niveauer,\nHøjre: sænk lavt niveau og øg højt niveau. +TP_WAVELET_LABEL;Wavelet Niveauer +TP_WAVELET_LARGEST;Grovste +TP_WAVELET_LEVCH;Kroma +TP_WAVELET_LEVDIR_ALL;Alle niveauer i alle retninger +TP_WAVELET_LEVDIR_INF;Under eller lig med niveauet +TP_WAVELET_LEVDIR_ONE;Et niveau +TP_WAVELET_LEVDIR_SUP;Over niveauet +TP_WAVELET_LEVELS;Wavelet niveauer +TP_WAVELET_LEVELS_TOOLTIP;Vælg antal detaljniveauer billedet skal dekomponeres til. Flere niveauer kræver mere RAM og kræver længere behandlingstid. +TP_WAVELET_LEVF;Kontrast +TP_WAVELET_LEVLABEL;Forhåndsvis maksimalt mulig niveauer = %1 +TP_WAVELET_LEVONE;Niveau 2 +TP_WAVELET_LEVTHRE;Niveau 4 +TP_WAVELET_LEVTWO;Niveau 3 +TP_WAVELET_LEVZERO;Niveau 1 +TP_WAVELET_LINKEDG;Sammenkæd med Kantskarpheds Styrke +TP_WAVELET_LIPST;Forbedret algoritme +TP_WAVELET_LOWLIGHT;Skyggeluminansområde +TP_WAVELET_MEDGREINF;Første niveau +TP_WAVELET_MEDI;Formindsk artefakter på blå himmel +TP_WAVELET_MEDILEV;Kantgenkendelse +TP_WAVELET_MEDILEV_TOOLTIP;Når du aktiverer Kantgenkendelse, anbefales det:\n- at deaktivere lavkontrastniveauer for at undgå artefakter,\n- at bruge høje værdier af gradientfølsomhed.\n\nDu kan modulere styrken med 'forfining' fra Støjfjernelse og Forfining. +TP_WAVELET_NEUTRAL;Neutral +TP_WAVELET_NOIS;Støjfjernelse +TP_WAVELET_NOISE;Støjfjernelse og raffinér +TP_WAVELET_NPHIGH;Høj +TP_WAVELET_NPLOW;Lav +TP_WAVELET_NPNONE;Ingen +TP_WAVELET_NPTYPE;Nabo pixels +TP_WAVELET_NPTYPE_TOOLTIP;Denne algoritme bruger nærheden af en pixel og otte af dens naboer. Hvis der er mindre forskel, forstærkes kanter. +TP_WAVELET_OPACITY;Opacitet Blå-Gul +TP_WAVELET_OPACITYW;Kontrast balance d/v-h kurve +TP_WAVELET_OPACITYWL;Endelig lokalkontrast +TP_WAVELET_OPACITYWL_TOOLTIP;Forandr den endelige lokalkontrast i slutningen af wavelet-redigeringen.\in\Venstre side repræsenterer den mindste lokalkontrast, gående til den højeste lokalkontrast i højre side. +TP_WAVELET_PASTEL;Pastel kroma +TP_WAVELET_PROC;Proces +TP_WAVELET_RE1;Forstærket +TP_WAVELET_RE2;Uændret +TP_WAVELET_RE3;Reduceret +TP_WAVELET_RESCHRO;Kroma +TP_WAVELET_RESCON;Skygger +TP_WAVELET_RESCONH;Højlys +TP_WAVELET_RESID;Resterende billede +TP_WAVELET_SAT;Mættet kroma +TP_WAVELET_SETTINGS;Wavelet Indstillinger +TP_WAVELET_SKIN;Hud målretning/beskyttelse +TP_WAVELET_SKIN_TOOLTIP;Ved -100 bliver hudtoner angrebet.\nVed 0 behandles alle toner ens.\nVed +100 er hudtoner beskyttet, mens alle andre toner påvirkes. +TP_WAVELET_SKY;Himmel målretning/beskyttelse +TP_WAVELET_SKY_TOOLTIP;Ved -100 angribes himmeltoner.\nVed 0 behandles alle toner ens.\nVed +100 er himmeltoner beskyttet, mens alle andre toner påvirkes. +TP_WAVELET_STREN;Styrke +TP_WAVELET_STRENGTH;Styrke +TP_WAVELET_SUPE;Ekstra +TP_WAVELET_THR;Skygge tærskel +TP_WAVELET_THRESHOLD;Højlys niveauer +TP_WAVELET_THRESHOLD2;Skygge niveauer +TP_WAVELET_THRESHOLD2_TOOLTIP;Kun niveauer mellem 9 og minus-9 værdien vil blive påvirket af skygge luminansområdet. Andre niveauer vil blive behandlet fuldt ud. Det højest mulige niveau er begrænset af højlysniveauværdien (minus-9 højlysniveauværdi). +TP_WAVELET_THRESHOLD_TOOLTIP;Kun niveauer ud over den valgte værdi vil blive påvirket af højlys luminansområdet. Andre niveauer vil blive behandlet fuldt ud. Den valgte værdi her begrænser den højest mulige værdi af skyggeniveauerne. +TP_WAVELET_THRH;Højlys tærskel +TP_WAVELET_TILESBIG;Store fliser +TP_WAVELET_TILESFULL;Fuldt billede +TP_WAVELET_TILESIZE;Fliseopdelingsmetode +TP_WAVELET_TILESLIT;Små fliser +TP_WAVELET_TILES_TOOLTIP;Redigering af det fulde billede fører til bedre kvalitet og er den anbefalede metode, mens brug af fliser er en nødløsning for brugere med lidt RAM. Se RawPedia for hukommelseskrav. +TP_WAVELET_TMSTRENGTH;Kompressionsstyrke +TP_WAVELET_TMSTRENGTH_TOOLTIP;Kontrolér styrken af tonemapping eller kontrastkomprimering af det resterende billede. Når værdien er forskellig fra 0, bliver skyderne Styrke og Gamma i Tone Mapping-værktøjet på fanen Eksponering grået-ud. +TP_WAVELET_TMTYPE;Kompressions metode +TP_WAVELET_TON;Toning +TP_WBALANCE_AUTO;Auto +TP_WBALANCE_CAMERA;Kamera +TP_WBALANCE_CLOUDY;Overskyet +TP_WBALANCE_CUSTOM;Bruger +TP_WBALANCE_DAYLIGHT;Dagslys (solrig) +TP_WBALANCE_EQBLUERED;Blå/Rød equalizer +TP_WBALANCE_EQBLUERED_TOOLTIP;Giver mulighed for at afvige fra den normale opførsel af "hvidbalance" ved at modulere blå/rød-balancen.\nDette kan være nyttigt, når optageforholdene:\na: er meget forskellige fra standardlyskilden (f.eks. under vand),\nb: hvor kalibrering blev udført,\nc: hvor matricerne eller ICC-profilerne er uegnede. +TP_WBALANCE_FLASH55;Leica +TP_WBALANCE_FLASH60;Standard, Canon, Pentax, Olympus +TP_WBALANCE_FLASH65;Nikon, Panasonic, Sony, Minolta +TP_WBALANCE_FLASH_HEADER;Flash +TP_WBALANCE_FLUO1;F1 - Dagslys +TP_WBALANCE_FLUO2;F2 – Kold hvid +TP_WBALANCE_FLUO3;F3 - Hvid +TP_WBALANCE_FLUO4;F4 - Varm hvid +TP_WBALANCE_FLUO5;F5 - Dagslys +TP_WBALANCE_FLUO6;F6 – Let hvid +TP_WBALANCE_FLUO7;F7 - D65 Dagslyssimulering +TP_WBALANCE_FLUO8;F8 - D50/Sylvania F40 Design +TP_WBALANCE_FLUO9;F9 – Kold hvid Deluxe +TP_WBALANCE_FLUO10;F10 - Philips TL85 +TP_WBALANCE_FLUO11;F11 - Philips TL84 +TP_WBALANCE_FLUO12;F12 - Philips TL83 +TP_WBALANCE_FLUO_HEADER;Fluorescent +TP_WBALANCE_GREEN;Farvenuance +TP_WBALANCE_GTI;GTI +TP_WBALANCE_HMI;HMI +TP_WBALANCE_JUDGEIII;JudgeIII +TP_WBALANCE_LABEL;Hvidbalance +TP_WBALANCE_LAMP_HEADER;Lampe +TP_WBALANCE_LED_CRS;CRS SP12 WWMR16 +TP_WBALANCE_LED_HEADER;LED +TP_WBALANCE_LED_LSI;LSI Lumelex 2040 +TP_WBALANCE_METHOD;Metode +TP_WBALANCE_PICKER;Pipette +TP_WBALANCE_SHADE;Skygge +TP_WBALANCE_SIZE;Størrelse: +TP_WBALANCE_SOLUX35;Solux 3500K +TP_WBALANCE_SOLUX41;Solux 4100K +TP_WBALANCE_SOLUX47;Solux 4700K (leverandør) +TP_WBALANCE_SOLUX47_NG;Solux 4700K (Nat. Galleri) +TP_WBALANCE_SPOTWB;Brug pipetten til at vælge hvidbalancen fra et egnet område, f.eks. hvidt/gråt/sort område i forhåndsvisningen. +TP_WBALANCE_TEMPBIAS;Automatisk hvidballance temperatur forskydning +TP_WBALANCE_TEMPBIAS_TOOLTIP;Kan kun bruges med "Metode" valgt til: "Auto"\n Ændrer beregningen af "auto hvidbalance" ved at forskyde den mod\nvarmere eller køligere temperaturer.\nForskydningen er udtrykt som en procentdel af den beregnede temperatur,\nså resultatet er givet ved "BeregnetTemp + BeregnetTemp * Forskydning". +TP_WBALANCE_TEMPERATURE;Temperatur +TP_WBALANCE_TUNGSTEN;Tungsten +TP_WBALANCE_WATER1;UnderVands 1 +TP_WBALANCE_WATER2;UnderVands 2 +TP_WBALANCE_WATER_HEADER;UnderVands +ZOOMPANEL_100;(100%) +ZOOMPANEL_NEWCROPWINDOW;Åbn (nyt) detaljevindue +ZOOMPANEL_ZOOM100;Zoom til 100%\nGenvej: z +ZOOMPANEL_ZOOMFITCROPSCREEN;Tilpas beskæring til skærmen\nGenvej: f +ZOOMPANEL_ZOOMFITSCREEN;Tilpas hele billedet til skærmen\nGenvej: Alt-f +ZOOMPANEL_ZOOMIN;Zoom Ind\nGenvej: + +ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - + +!!!!!!!!!!!!!!!!!!!!!!!!! +! Untranslated keys follow; remove the ! prefix after an entry is translated. +!!!!!!!!!!!!!!!!!!!!!!!!! + +!CURVEEDITOR_CURVES;Curves +!FILEBROWSER_POPUPINSPECT;Inspect +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;EvPixelShiftMotion +!HISTORY_MSG_447;EvPixelShiftMotionCorrection +!HISTORY_MSG_448;EvPixelShiftStddevFactorGreen +!HISTORY_MSG_450;EvPixelShiftNreadIso +!HISTORY_MSG_451;EvPixelShiftPrnu +!HISTORY_MSG_454;EvPixelShiftAutomatic +!HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal +!HISTORY_MSG_456;EvPixelShiftNonGreenVertical +!HISTORY_MSG_458;EvPixelShiftStddevFactorRed +!HISTORY_MSG_459;EvPixelShiftStddevFactorBlue +!HISTORY_MSG_460;EvPixelShiftGreenAmaze +!HISTORY_MSG_461;EvPixelShiftNonGreenAmaze +!HISTORY_MSG_463;EvPixelShiftRedBlueWeight +!HISTORY_MSG_466;EvPixelShiftSum +!HISTORY_MSG_467;EvPixelShiftExp0 +!HISTORY_MSG_470;EvPixelShiftMedian3 +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE -decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;Local - Denoise +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;Local - cbdl Blur +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;Local - Tool complexity mode +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CAT02PRESET;Cat02/16 automatic preset +!HISTORY_MSG_CATCAT;Cat02/16 mode +!HISTORY_MSG_CATCOMPLEX;Ciecam complexity +!HISTORY_MSG_CATMODEL;CAM Model +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;Illuminant +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold +!HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENMET;Local equalizer +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_LOCGROUP;Local +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Cat02/16 mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings - Preset +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CIECAM02 +!TP_COLORAPP_MOD16;CIECAM16 +!TP_COLORAPP_MODELCAT;CAM Model +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts +!TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode +!TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, ...), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +!TP_CROP_GTCENTEREDSQUARE;Centered square +!TP_DEHAZE_SATURATION;Saturation +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_BLUFRAME;Blue Primaries +!TP_ICM_FBW;Black-and-White +!TP_ICM_GREFRAME;Green Primaries +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode (‘working profile’) to a different mode (‘destination primaries’). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the ‘primaries’ is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When ‘Custom CIE xy diagram’ is selected in ‘Destination- primaries’’ combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 +!TP_LENSGEOM_AUTOCROP;Auto-Crop +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_ALL;All rubrics +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLSYM;Symmetric +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRESIDFRA;Blur Residual +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. +!TP_LOCALLAB_COMPLEX_METHOD;Software Complexity +!TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTL;Contrast (J) +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) +!TP_LOCALLAB_CURVENH;Super +!TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) +!TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or ‘salt & pepper’ noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. +!TP_LOCALLAB_DENOIS;Denoise +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;‘Excluding’ mode prevents adjacent spots from influencing certain parts of the image. Adjusting ‘Scope’ will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXPTRC;Tone Response Curve - TRC +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATANCHORA;Offset +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATRES;Amount Residual Image +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTW2;ƒ - Use Fast Fourier Transform (TIF, JPG,..) +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HLHZ;Hz +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_LUMONLY;Luminance only +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the GF will be applied progressively.\n if the mask is above the ‘light’ threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'Blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask'=0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable colorpicker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MED;Medium +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm +!TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCh +!TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) +!TP_LOCALLAB_MERGENONE;None +!TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERGETHR;Original + Mask LCh +!TP_LOCALLAB_MERGETWO;Original +!TP_LOCALLAB_MERGETYPE;Merge image and mask +!TP_LOCALLAB_MERGETYPE_TOOLTIP;None, use all mask in LCh mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘Scope’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT improve quality and allow big radius, but increases the treatment time.\nThe treatment time depends on the surface to be treated\nThe treatment time depends on the value of scale (be careful of high values).\nTo be used preferably for large radius.\n\nDimensions can be reduced by a few pixels to optimize FFTW.\nThis optimization can reduce the treatment time by a factor of 1.5 to 10.\nOptimization not used in Preview +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SAVREST;Save - Restore Current Image +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using 'Scope (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;”Ellipse” is the normal mode.\n “Rectangle” can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the Scope sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SIM;Simple +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘Scope’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate ‘Mask and modifications’ > ‘Show spot structure’ (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and ‘Local contrast’ (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either ‘Show modified image’ or ‘Show modified areas with mask’. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise") and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WAMASKCOL;Mask Wavelet level +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the ‘Edge sharpness’ tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHIGH;Wavelet high +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVLOW;Wavelet low +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) +!TP_LOCALLAB_WAVMED;Wavelet normal +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300% +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DEN12LOW;1 2 Low +!TP_WAVELET_DEN12PLUS;1 2 High +!TP_WAVELET_DEN14LOW;1 4 Low +!TP_WAVELET_DEN14PLUS;1 4 High +!TP_WAVELET_DENCONTRAST;Local contrast Equalizer +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENEQUAL;1 2 3 4 Equal +!TP_WAVELET_DENH;Threshold +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_QUANONE;Off +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500% +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESWAV;Balance threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USHARP_TOOLTIP;Origin : the source file is the file before Wavelet.\nWavelet : the source file is the file including wavelet threatment +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index 06e57e8bf..2ed179747 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -9,6 +9,7 @@ #09 2013-04-01 a3novy #10 2013-04-19 a3novy #11 2020-06-24 Yz2house +#12 2022-06-04 Yz2house ABOUT_TAB_BUILD;バージョン ABOUT_TAB_CREDITS;クレジット @@ -17,19 +18,19 @@ ABOUT_TAB_RELEASENOTES;リリースノート ABOUT_TAB_SPLASH;スプラッシュ ADJUSTER_RESET_TO_DEFAULT;クリック - デフォルト値にリセット\nCtrl+クリック - 初期値にリセット BATCH_PROCESSING;バッチ処理 -CURVEEDITOR_AXIS_IN;I: +CURVEEDITOR_AXIS_IN;入力値: CURVEEDITOR_AXIS_LEFT_TAN;LT: -CURVEEDITOR_AXIS_OUT;O: +CURVEEDITOR_AXIS_OUT;出力値: CURVEEDITOR_AXIS_RIGHT_TAN;RT: CURVEEDITOR_CATMULLROM;フレキシブル CURVEEDITOR_CURVE;カーブ CURVEEDITOR_CURVES;カーブ -CURVEEDITOR_CUSTOM;カスタム +CURVEEDITOR_CUSTOM;標準 CURVEEDITOR_DARKS;ダーク CURVEEDITOR_EDITPOINT_HINT;ボタンを押すと数値で入出力値を変えられるようになります\n\nカーブ上で目標ポイントを右クリックし、カーブ下に表示されるI(入力値)或いはO(出力値)\n編集するポイントを変更する場合はポイント以外の部分で右クリックします CURVEEDITOR_HIGHLIGHTS;ハイライト -CURVEEDITOR_LIGHTS;ライト -CURVEEDITOR_LINEAR;リニア +CURVEEDITOR_LIGHTS;明るさ +CURVEEDITOR_LINEAR;線形 CURVEEDITOR_LOADDLGLABEL;カーブの読み込み... CURVEEDITOR_MINMAXCPOINTS;イコライザ CURVEEDITOR_NURBS;コントロールケージ @@ -47,7 +48,7 @@ DONT_SHOW_AGAIN;次回からこのメッセージを表示しない DYNPROFILEEDITOR_DELETE;削除 DYNPROFILEEDITOR_EDIT;編集 DYNPROFILEEDITOR_EDIT_RULE;ダイナミックプロファイルの規定を変更 -DYNPROFILEEDITOR_ENTRY_TOOLTIP;既定の符号は鈍いので\n入力する際に"re:"という接頭語を付けます\n通常の表現を使います +DYNPROFILEEDITOR_ENTRY_TOOLTIP;整合性が悪い場合は、入力する際に"re:"という接頭語を付けます\n通常の表現を使います DYNPROFILEEDITOR_IMGTYPE_ANY;任意 DYNPROFILEEDITOR_IMGTYPE_HDR;HDR DYNPROFILEEDITOR_IMGTYPE_PS;ピクセルシフト @@ -55,7 +56,7 @@ DYNPROFILEEDITOR_IMGTYPE_STD;標準え DYNPROFILEEDITOR_MOVE_DOWN;下に移動 DYNPROFILEEDITOR_MOVE_UP;上に移動 DYNPROFILEEDITOR_NEW;新規 -DYNPROFILEEDITOR_NEW_RULE;新しいダイナミックプロファイルの規定 +DYNPROFILEEDITOR_NEW_RULE;新しいダイナミックプロファイルのルール DYNPROFILEEDITOR_PROFILE;処理プロファイル EDITWINDOW_TITLE;画像編集 EDIT_OBJECT_TOOLTIP;この機能を使うための目安に、プレビュー画面にガイドを表示する @@ -68,7 +69,7 @@ EXIFFILTER_FOCALLEN;焦点距離 EXIFFILTER_IMAGETYPE;画像の種類 EXIFFILTER_ISO;ISO EXIFFILTER_LENS;レンズ -EXIFFILTER_METADATAFILTER;メタデータ絞り込みの適用 +EXIFFILTER_METADATAFILTER;メタデータ絞り込みを有効にする EXIFFILTER_SHUTTER;シャッター EXIFPANEL_ADDEDIT;追加/編集 EXIFPANEL_ADDEDITHINT;新しいタグを追加、またはタグの編集 @@ -76,13 +77,13 @@ EXIFPANEL_ADDTAGDLG_ENTERVALUE;値の入力 EXIFPANEL_ADDTAGDLG_SELECTTAG;タグ選択 EXIFPANEL_ADDTAGDLG_TITLE;タグの追加/編集 EXIFPANEL_KEEP;そのまま -EXIFPANEL_KEEPHINT;出力ファイルに書き込む際、選択タグをそのままにする +EXIFPANEL_KEEPHINT;出力ファイルに書き込む際、選択されたタグをそのままにする EXIFPANEL_REMOVE;削除 -EXIFPANEL_REMOVEHINT;出力ファイルに書き込む際、選択タグは外す +EXIFPANEL_REMOVEHINT;出力ファイルに書き込む際、選択されたタグは外す EXIFPANEL_RESET;リセット EXIFPANEL_RESETALL;すべてリセット -EXIFPANEL_RESETALLHINT;すべて元の値にリセット -EXIFPANEL_RESETHINT;選択タグを元の値にリセット +EXIFPANEL_RESETALLHINT;すべてのタグを元の値にリセット +EXIFPANEL_RESETHINT;選択されたタグを元の値にリセット EXIFPANEL_SHOWALL;全て表示 EXIFPANEL_SUBDIRECTORY;サブディレクトリ EXPORT_BYPASS;迂回させる機能 @@ -107,7 +108,7 @@ EXPORT_FASTEXPORTOPTIONS;高速書き出しオプション EXPORT_INSTRUCTIONS;出力設定に要する時間と手間を省くために、高速書き出しを優先させるオプションです。処理速度が優先される場合や、既定の出力パラメータを変えずに何枚ものリサイズ画像が要求される場合に奨められる方法で、低解像度画像を迅速に生成します。 EXPORT_MAXHEIGHT;最大高: EXPORT_MAXWIDTH;最大幅: -EXPORT_PIPELINE;高速書き出しの方法 +EXPORT_PIPELINE;処理の流れ EXPORT_PUTTOQUEUEFAST; 高速書き出しのキューに追加 EXPORT_RAW_DMETHOD;デモザイクの方式 EXPORT_USE_FAST_PIPELINE;処理速度優先(リサイズした画像に調整を全て行う) @@ -153,6 +154,7 @@ FILEBROWSER_POPUPCOLORLABEL4;ラベル: ブルー FILEBROWSER_POPUPCOLORLABEL5;ラベル: パープル FILEBROWSER_POPUPCOPYTO;コピーします... FILEBROWSER_POPUPFILEOPERATIONS;ファイルの操作 +FILEBROWSER_POPUPINSPECT;カメラ出しJPEG FILEBROWSER_POPUPMOVEEND;キュー処理の最後に移動 FILEBROWSER_POPUPMOVEHEAD;キュー処理の最初に移動 FILEBROWSER_POPUPMOVETO;移動します... @@ -228,8 +230,10 @@ GENERAL_BEFORE;補正前 GENERAL_CANCEL;キャンセル GENERAL_CLOSE;閉じる GENERAL_CURRENT;現在 +GENERAL_DELETE_ALL;全て削除 GENERAL_DISABLE;無効 GENERAL_DISABLED;無効 +GENERAL_EDIT;編集 GENERAL_ENABLE;有効 GENERAL_ENABLED;有効 GENERAL_FILE;ファイル @@ -251,10 +255,19 @@ GIMP_PLUGIN_INFO;RawTherapee GIMPプラグインにようこそ!\n画像編 HISTOGRAM_TOOLTIP_B;ブルー・ヒストグラム 表示/非表示 HISTOGRAM_TOOLTIP_BAR;RGBインジケーター・バーの表示/非表示\nプレビュー画像上でマウスの右ボタンクリックで 固定/開放 HISTOGRAM_TOOLTIP_CHRO;色度・ヒストグラム 表示/非表示 +HISTOGRAM_TOOLTIP_CROSSHAIR;照準線 表示/非表示 HISTOGRAM_TOOLTIP_G;グリーン・ヒストグラム 表示/非表示 HISTOGRAM_TOOLTIP_L;CIEL*a*b* 輝度・ヒストグラム 表示/非表示 HISTOGRAM_TOOLTIP_MODE;ヒストグラムの尺度を線形、対数-線形、対数-対数でトグルします HISTOGRAM_TOOLTIP_R;レッド・ヒストグラム 表示/非表示 +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;スコープオプションボタンの見え方をトグル +HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;スコープの明るさを調整 +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;ヒストグラム +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw ヒストグラム +HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB パレード +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;色相-色度 ベクトルスコープ +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;色相-彩度 ベクトルスコープ +HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;波形グラフ HISTORY_CHANGED;変更されました HISTORY_CUSTOMCURVE;カスタムカーブ HISTORY_FROMCLIPBOARD;クリップボードから @@ -561,7 +574,7 @@ HISTORY_MSG_301;輝度ノイズの調整方法 HISTORY_MSG_302;色ノイズの調整方法 HISTORY_MSG_303;色ノイズの調整方法 HISTORY_MSG_304;W- コントラストレベル -HISTORY_MSG_305;ウェーブレット +HISTORY_MSG_305;W- ウェーブレットのレベル HISTORY_MSG_306;W- プロセス HISTORY_MSG_307;W- プレビュー HISTORY_MSG_308;W- プレビューの方向 @@ -574,19 +587,19 @@ HISTORY_MSG_314;W- 色域 アーティファクトの軽減 HISTORY_MSG_315;W- 残差 コントラスト HISTORY_MSG_316;W- 色域 肌色の目標/保護 HISTORY_MSG_317;W- 色域 肌色の色相 -HISTORY_MSG_318;W- コントラスト ハイライトレベル -HISTORY_MSG_319;W- コントラスト ハイライト範囲 -HISTORY_MSG_320;W- コントラスト シャドウ範囲 -HISTORY_MSG_321;W- コントラスト シャドウレベル +HISTORY_MSG_318;W- コントラスト 小さいディテールのレベル +HISTORY_MSG_319;W- コントラスト 小さいディテールのレベルの範囲 +HISTORY_MSG_320;W- コントラスト 大きいディテールのレベルの範囲 +HISTORY_MSG_321;W- コントラスト 大きいディテールのレベル HISTORY_MSG_322;W- 色域 色ずれの回避 HISTORY_MSG_323;W- ES ローカルコントラスト -HISTORY_MSG_324;W- 色度 明清色 -HISTORY_MSG_325;W- 色度 純色 -HISTORY_MSG_326;W- 色度 方法 +HISTORY_MSG_324;W- 色 明清色 +HISTORY_MSG_325;W- 色 純色 +HISTORY_MSG_326;W- 色 方法 HISTORY_MSG_327;W- コントラスト 適用先 -HISTORY_MSG_328;W- 色度 リンクを強化 -HISTORY_MSG_329;W- 色調 R/Gの不透明度 -HISTORY_MSG_330;W- 色調 B/Yの不透明度 +HISTORY_MSG_328;W- 色 リンクを強化 +HISTORY_MSG_329;W- 色 レッド/グリーンの不透明度 +HISTORY_MSG_330;W- 色 ブルー/イエローの不透明度 HISTORY_MSG_331;W- コントラストレベル エキストラ HISTORY_MSG_332;W- タイルの種類 HISTORY_MSG_333;W- 残差 シャドウ @@ -619,13 +632,13 @@ HISTORY_MSG_359;ホット/デッド しきい値 HISTORY_MSG_360;トーンマッピング ガンマ HISTORY_MSG_361;W- 最終 色度バランス HISTORY_MSG_362;W- 残差 圧縮の方法 -HISTORY_MSG_363;W- 残差 圧縮の強さ +HISTORY_MSG_363;W- 残差 ダイナミックレンジの圧縮 HISTORY_MSG_364;W- 最終 コントラストバランス HISTORY_MSG_365;W- 最終 デルタバランス HISTORY_MSG_366;W- 残差 圧縮のガンマ HISTORY_MSG_367;W- ES ローカルコントラストカーブ HISTORY_MSG_368;W- 最終 コントラストバランス -HISTORY_MSG_369;W- 最終 バランスの方法 +HISTORY_MSG_369;W- 最終 調整方法 HISTORY_MSG_370;W- 最終 ローカルコントラストカーブ HISTORY_MSG_371;リサイズ後のシャープニング(PRS) HISTORY_MSG_372;PRS アンシャープマスク - 半径 @@ -749,7 +762,7 @@ HISTORY_MSG_489;DRC - CbDL HISTORY_MSG_490;DRC - 量 HISTORY_MSG_491;ホワイトバランス HISTORY_MSG_492;RGBカーブ -HISTORY_MSG_493;ローカル調整 +HISTORY_MSG_493;L*a*b*調整 HISTORY_MSG_494;キャプチャーシャープニング HISTORY_MSG_496;ローカル スポット 削除 HISTORY_MSG_497;ローカル スポット 選択 @@ -770,10 +783,10 @@ HISTORY_MSG_511;ローカル スポット しきい値 HISTORY_MSG_512;ローカル スポット ΔEの減衰 HISTORY_MSG_513;ローカル スポット スコープ HISTORY_MSG_514;ローカル スポット 構造 -HISTORY_MSG_515;ローカル調整 +HISTORY_MSG_515;ローカル編集 HISTORY_MSG_516;ローカル - 色と明るさ HISTORY_MSG_517;ローカル - 強力を有効にする -HISTORY_MSG_518;ローカル - 明るさ +HISTORY_MSG_518;ローカル - 明度 HISTORY_MSG_519;ローカル - コントラスト HISTORY_MSG_520;ローカル - 色度 HISTORY_MSG_521;ローカル - スコープ @@ -793,14 +806,14 @@ HISTORY_MSG_534;ローカル - ウォームとクール HISTORY_MSG_535;ローカル - Exp スコープ HISTORY_MSG_536;ローカル - Exp コントラストカーブ HISTORY_MSG_537;ローカル - 自然な彩度 -HISTORY_MSG_538;ローカル - Vib 純色 -HISTORY_MSG_539;ローカル - Vib パステル -HISTORY_MSG_540;ローカル - Vib しきい値 -HISTORY_MSG_541;ローカル - Vib 肌色の保護 -HISTORY_MSG_542;ローカル - Vib 色ずれの回避 -HISTORY_MSG_543;ローカル - Vib リンク -HISTORY_MSG_544;ローカル - Vib スコープ -HISTORY_MSG_545;ローカル - Vib H カーブ +HISTORY_MSG_538;ローカル - 自然な彩度 純色 +HISTORY_MSG_539;ローカル - 自然な彩度 パステル +HISTORY_MSG_540;ローカル - 自然な彩度 しきい値 +HISTORY_MSG_541;ローカル - 自然な彩度 肌色の保護 +HISTORY_MSG_542;ローカル - 自然な彩度 色ずれの回避 +HISTORY_MSG_543;ローカル - 自然な彩度 リンク +HISTORY_MSG_544;ローカル - 自然な彩度 スコープ +HISTORY_MSG_545;ローカル - 自然な彩度 H カーブ HISTORY_MSG_546;ローカル - ぼかしとノイズ HISTORY_MSG_547;ローカル - 半径 HISTORY_MSG_548;ローカル - ノイズ @@ -824,41 +837,41 @@ HISTORY_MSG_565;ローカル - スコープ HISTORY_MSG_566;ローカル - レティネックス ゲインのカーブ HISTORY_MSG_567;ローカル - レティネックス 反対処理 HISTORY_MSG_568;ローカル - シャープニング -HISTORY_MSG_569;ローカル - Sh 半径 -HISTORY_MSG_570;ローカル - Sh 量 -HISTORY_MSG_571;ローカル - Sh 減衰 -HISTORY_MSG_572;ローカル - Sh 繰り返し -HISTORY_MSG_573;ローカル - Sh スコープ -HISTORY_MSG_574;ローカル - Sh 反対処理 -HISTORY_MSG_575;ローカル - 詳細レベルによるコントラスト調整 +HISTORY_MSG_569;ローカル - シャドウハイライト 半径 +HISTORY_MSG_570;ローカル - シャドウハイライト 量 +HISTORY_MSG_571;ローカル - シャドウハイライト 減衰 +HISTORY_MSG_572;ローカル - シャドウハイライト 繰り返し +HISTORY_MSG_573;ローカル - シャドウハイライト スコープ +HISTORY_MSG_574;ローカル - シャドウハイライト 反対処理 +HISTORY_MSG_575;ローカル - 詳細レベルによるコントラスト調整(CbDL) HISTORY_MSG_576;ローカル - CbDL 複数のレベル HISTORY_MSG_577;ローカル - CbDL 色度 HISTORY_MSG_578;ローカル - CbDL しきい値 HISTORY_MSG_579;ローカル - CbDL スコープ HISTORY_MSG_580;ローカル - ノイズ除去 -HISTORY_MSG_581;ローカル - ノイズ除去 輝度 細かい1 -HISTORY_MSG_582;ローカル - ノイズ除去 輝度 祖い -HISTORY_MSG_583;ローカル - ノイズ除去 細部の回復 +HISTORY_MSG_581;ローカル - ノイズ除去 輝度 番手の低いレベル +HISTORY_MSG_582;ローカル - ノイズ除去 輝度 番手の高いレベル +HISTORY_MSG_583;ローカル - ノイズ除去 ディテールの回復 HISTORY_MSG_584;ローカル - ノイズ除去 イコライザ 白黒 -HISTORY_MSG_585;ローカル - ノイズ除去 色度 細かい -HISTORY_MSG_586;ローカル - ノイズ除去 色度 粗い +HISTORY_MSG_585;ローカル - ノイズ除去 色度 番手の低いレベル +HISTORY_MSG_586;ローカル - ノイズ除去 色度 番手の高いレベル HISTORY_MSG_587;ローカル - ノイズ除去 色度の回復 HISTORY_MSG_588;ローカル - ノイズ除去 イコライザ ブルー-レッド HISTORY_MSG_589;ローカル - ノイズ除去 平滑化フィルタ HISTORY_MSG_590;ローカル - ノイズ除去 スコープ HISTORY_MSG_591;ローカル - 色ずれの回避 -HISTORY_MSG_592;ローカル - Sh コントラスト +HISTORY_MSG_592;ローカル - シャドウハイライト コントラスト HISTORY_MSG_593;ローカル - ローカルコントラスト HISTORY_MSG_594;ローカル - ローカルコントラスト 半径 HISTORY_MSG_595;ローカル - ローカルコントラスト 量 HISTORY_MSG_596;ローカル - ローカルコントラスト 暗さ -HISTORY_MSG_597;ローカル - ローカルコントラスト 明るさ +HISTORY_MSG_597;ローカル - ローカルコントラスト 明度 HISTORY_MSG_598;ローカル - ローカルコントラスト スコープ HISTORY_MSG_599;ローカル - レティネックス 霞除去 HISTORY_MSG_600;ローカル - ソフトライト 有効 HISTORY_MSG_601;ローカル - ソフトライト 強さ HISTORY_MSG_602;ローカル - ソフトライト スコープ -HISTORY_MSG_603;ローカル - Sh ぼかしの半径 +HISTORY_MSG_603;ローカル - シャドウハイライト ぼかしの半径 HISTORY_MSG_605;ローカル - 色と明るさの変更 HISTORY_MSG_606;ローカル - 露光の変更 HISTORY_MSG_607;ローカル - 色と明るさ マスク C @@ -882,23 +895,23 @@ HISTORY_MSG_624;ローカル - 色と明るさ 補正グリッド HISTORY_MSG_625;ローカル - 色と明るさ 補正の強さ HISTORY_MSG_626;ローカル - 色と明るさ 補正の方式 HISTORY_MSG_627;ローカル - シャドウ/ハイライト -HISTORY_MSG_628;ローカル - SH ハイライト -HISTORY_MSG_629;ローカル - SH ハイライトトーンの幅 -HISTORY_MSG_630;ローカル - SH シャドウ -HISTORY_MSG_631;ローカル - SH シャドウトーンの幅 -HISTORY_MSG_632;ローカル - SH 半径 -HISTORY_MSG_633;ローカル - SH スコープ +HISTORY_MSG_628;ローカル - シャドウハイライト ハイライト +HISTORY_MSG_629;ローカル - シャドウハイライト ハイライトトーンの幅 +HISTORY_MSG_630;ローカル - シャドウハイライト シャドウ +HISTORY_MSG_631;ローカル - シャドウハイライト シャドウトーンの幅 +HISTORY_MSG_632;ローカル - シャドウハイライト 半径 +HISTORY_MSG_633;ローカル - シャドウハイライト スコープ HISTORY_MSG_634;ローカル - 色と明るさ 半径 HISTORY_MSG_635;ローカル - 露光補正 半径 HISTORY_MSG_636;ローカル - 追加された機能 -HISTORY_MSG_637;ローカル - SH マスク C -HISTORY_MSG_638;ローカル - SH マスク L -HISTORY_MSG_639;ローカル - SH マスク H -HISTORY_MSG_640;ローカル - SH ブレンド -HISTORY_MSG_641;ローカル - SH マスクを使用 -HISTORY_MSG_642;ローカル - SH 半径 -HISTORY_MSG_643;ローカル - SH ぼかし -HISTORY_MSG_644;ローカル - SH 反対処理 +HISTORY_MSG_637;ローカル - シャドウハイライト マスク C +HISTORY_MSG_638;ローカル - シャドウハイライト マスク L +HISTORY_MSG_639;ローカル - シャドウハイライト マスク H +HISTORY_MSG_640;ローカル - シャドウハイライト ブレンド +HISTORY_MSG_641;ローカル - シャドウハイライト マスクを使用 +HISTORY_MSG_642;ローカル - シャドウハイライト 半径 +HISTORY_MSG_643;ローカル - シャドウハイライト ぼかし +HISTORY_MSG_644;ローカル - シャドウハイライト 反対処理 HISTORY_MSG_645;ローカル - 色差のバランス ab-L HISTORY_MSG_646;ローカル - 露光補正 色度のマスク HISTORY_MSG_647;ローカル - 露光補正 ガンマのマスク @@ -907,9 +920,9 @@ HISTORY_MSG_649;ローカル - 露光補正 ソフトな半径 HISTORY_MSG_650;ローカル - 色と明るさ 色度のマスク HISTORY_MSG_651;ローカル - 色と明るさ ガンマのマスク HISTORY_MSG_652;ローカル - 色と明るさ スロープのマスク -HISTORY_MSG_653;ローカル - SH 色度のマスク -HISTORY_MSG_654;ローカル - SH ガンマのマスク -HISTORY_MSG_655;ローカル - SH スロープのマスク +HISTORY_MSG_653;ローカル - シャドウハイライト 色度のマスク +HISTORY_MSG_654;ローカル - シャドウハイライト ガンマのマスク +HISTORY_MSG_655;ローカル - シャドウハイライト スロープのマスク HISTORY_MSG_656;ローカル - 色と明るさ ソフトな半径 HISTORY_MSG_657;ローカル - レティネックス アーティファクトの軽減 HISTORY_MSG_658;ローカル - CbDL ソフトな半径 @@ -946,7 +959,7 @@ HISTORY_MSG_688;ローカル - 削除された機能 HISTORY_MSG_689;ローカル - レティネックス 透過マップのマスク HISTORY_MSG_690;ローカル - レティネックス スケール HISTORY_MSG_691;ローカル - レティネックス 暗さ -HISTORY_MSG_692;ローカル - レティネックス 明るさ +HISTORY_MSG_692;ローカル - レティネックス 明度 HISTORY_MSG_693;ローカル - レティネックス しきい値 HISTORY_MSG_694;ローカル - レティネックス ラプラシアンのしきい値 HISTORY_MSG_695;ローカル - ソフトの方式 @@ -999,7 +1012,7 @@ HISTORY_MSG_747;ローカル 作成されたスポット HISTORY_MSG_748;ローカル - Exp ノイズ除去 HISTORY_MSG_749;ローカル - Reti 深度 HISTORY_MSG_750;ローカル - Reti モード 対数 - 線形 -HISTORY_MSG_751;ローカル - Reti 霞除去 輝度だけ +HISTORY_MSG_751;ローカル - Reti 霞除去 彩度 HISTORY_MSG_752;ローカル - Reti オフセット HISTORY_MSG_753;ローカル - Reti 透過マップ HISTORY_MSG_754;ローカル - Reti クリップ @@ -1009,7 +1022,7 @@ HISTORY_MSG_757;ローカル - Exp ラプラシアンマスク HISTORY_MSG_758;ローカル - Reti ラプラシアンマスク HISTORY_MSG_759;ローカル - Exp ラプラシアンマスク HISTORY_MSG_760;ローカル - Color ラプラシアンマスク -HISTORY_MSG_761;ローカル - SH ラプラシアンマスク +HISTORY_MSG_761;ローカル - シャドウハイライト ラプラシアンマスク HISTORY_MSG_762;ローカル - cbdl ラプラシアンマスク HISTORY_MSG_763;ローカル - Blur ラプラシアンマスク HISTORY_MSG_764;ローカル - Solve PDE ラプラシアンマスク @@ -1020,7 +1033,7 @@ HISTORY_MSG_768;ローカル - Grain 強さ HISTORY_MSG_769;ローカル - Grain スケール HISTORY_MSG_770;ローカル - Color コントラストカーブのマスク HISTORY_MSG_771;ローカル - Exp コントラストカーブのマスク -HISTORY_MSG_772;ローカル - SH コントラストカーブのマスク +HISTORY_MSG_772;ローカル - シャドウハイライト コントラストカーブのマスク HISTORY_MSG_773;ローカル - TM コントラストカーブのマスク HISTORY_MSG_774;ローカル - Reti コントラストカーブのマスク HISTORY_MSG_775;ローカル - CBDL コントラストカーブのマスク @@ -1034,15 +1047,15 @@ HISTORY_MSG_782;ローカル - Blur Denoise ウェーブレットのレベルの HISTORY_MSG_783;ローカル - 色と明るさ ウェーブレットのレベル HISTORY_MSG_784;ローカル - ΔEのマスク HISTORY_MSG_785;ローカル - ΔEのスコープのマスク -HISTORY_MSG_786;ローカル - SH 方式 +HISTORY_MSG_786;ローカル - シャドウハイライト 方式 HISTORY_MSG_787;ローカル - イコライザの乗数 HISTORY_MSG_788;ローカル - イコライザのディテール -HISTORY_MSG_789;ローカル - SH マスクの量 -HISTORY_MSG_790;ローカル - SH マスクのアンカー +HISTORY_MSG_789;ローカル - シャドウハイライト マスクの量 +HISTORY_MSG_790;ローカル - シャドウハイライト マスクのアンカー HISTORY_MSG_791;ローカル - マスク ショートLカーブ HISTORY_MSG_792;ローカル - マスク 背景輝度 -HISTORY_MSG_793;ローカル - SH TRCのガンマ -HISTORY_MSG_794;ローカル - SH TRCのスロープ +HISTORY_MSG_793;ローカル - シャドウハイライト TRCのガンマ +HISTORY_MSG_794;ローカル - シャドウハイライト TRCのスロープ HISTORY_MSG_795;ローカル - マスク 復元したイメージの保存 HISTORY_MSG_796;ローカル - 参考値の繰り返し HISTORY_MSG_797;ローカル - オリジナルとの融合方式 @@ -1057,17 +1070,17 @@ HISTORY_MSG_805;ローカル - ぼかしとノイズ マスクの構造 HISTORY_MSG_806;ローカル - 色と明るさ 機能としてのマスクの構造 HISTORY_MSG_807;ローカル - ぼかしとノイズ 機能としてのマスクの構造 HISTORY_MSG_808;ローカル - 色と明るさ マスクカーブ H(H) -HISTORY_MSG_809;ローカル - Vib カーブのマスク C(C) -HISTORY_MSG_810;ローカル - Vib カーブのマスク L(L) -HISTORY_MSG_811;ローカル - Vib カーブのマスク LC(H) +HISTORY_MSG_809;ローカル - 自然な彩度 カーブのマスク C(C) +HISTORY_MSG_810;ローカル - 自然な彩度 カーブのマスク L(L) +HISTORY_MSG_811;ローカル - 自然な彩度 カーブのマスク LC(H) HISTORY_MSG_813;ローカル - 自然な彩度 マスクを使う -HISTORY_MSG_814;ローカル - Vib ブレンドのマスク -HISTORY_MSG_815;ローカル - Vib 半径のマスク -HISTORY_MSG_816;ローカル - Vib 色度のマスク -HISTORY_MSG_817;ローカル - Vib ガンマのマスク -HISTORY_MSG_818;ローカル - Vib 勾配のマスク -HISTORY_MSG_819;ローカル - Vib ラプラシアンのマスク -HISTORY_MSG_820;ローカル - Vib コントラストカーブのマスク +HISTORY_MSG_814;ローカル - 自然な彩度 ブレンドのマスク +HISTORY_MSG_815;ローカル - 自然な彩度 半径のマスク +HISTORY_MSG_816;ローカル - 自然な彩度 色度のマスク +HISTORY_MSG_817;ローカル - 自然な彩度 ガンマのマスク +HISTORY_MSG_818;ローカル - 自然な彩度 勾配のマスク +HISTORY_MSG_819;ローカル - 自然な彩度 ラプラシアンのマスク +HISTORY_MSG_820;ローカル - 自然な彩度 コントラストカーブのマスク HISTORY_MSG_821;ローカル - 色と明るさ 背景のグリッド HISTORY_MSG_822;ローカル - 色と明るさ 背景の融合 HISTORY_MSG_823;ローカル - 色と明るさ 背景の融合 輝度だけ @@ -1075,89 +1088,87 @@ HISTORY_MSG_824;ローカル - Exp 減光マスクの強さ HISTORY_MSG_825;ローカル - Exp 減光マスクの角度 HISTORY_MSG_826;ローカル - Exp 減光の強さ HISTORY_MSG_827;ローカル - Exp 減光の角度 -HISTORY_MSG_828;ローカル - SH 階調 強さ -HISTORY_MSG_829;ローカル - SH 階調 角度 +HISTORY_MSG_828;ローカル - シャドウハイライト 階調 強さ +HISTORY_MSG_829;ローカル - シャドウハイライト 階調 角度 HISTORY_MSG_830;ローカル - 色と明るさ 階調 Lの強さ HISTORY_MSG_831;ローカル - 色と明るさ 階調 角度 HISTORY_MSG_832;ローカル - 色と明るさ 階調 Cの強さ HISTORY_MSG_833;ローカル - 減光のフェザー処理 HISTORY_MSG_834;ローカル - 色と明るさ 減光の強さ H -HISTORY_MSG_835;ローカル - Vib 諧調 Lの強さ -HISTORY_MSG_836;ローカル - Vib 階調 角度 -HISTORY_MSG_837;ローカル - Vib 階調 Cの強さ -HISTORY_MSG_838;ローカル - Vib 階調 Hの強さ +HISTORY_MSG_835;ローカル - 自然な彩度 諧調 Lの強さ +HISTORY_MSG_836;ローカル - 自然な彩度 階調 角度 +HISTORY_MSG_837;ローカル - 自然な彩度 階調 Cの強さ +HISTORY_MSG_838;ローカル - 自然な彩度 階調 Hの強さ HISTORY_MSG_839;ローカル - ソフトウェアの難易度 HISTORY_MSG_840;ローカル - CL カーブ HISTORY_MSG_841;ローカル - LC カーブ -HISTORY_MSG_842;ローカル - マスクぼかしのコントラストしきい値 -HISTORY_MSG_843;ローカル - マスクぼかしの半径 -HISTORY_MSG_844;ローカル - 色と明るさ マスク FTTW +HISTORY_MSG_842;ローカル - ぼかしマスクの半径 +HISTORY_MSG_843;ローカル - ぼかしマスクのコントラストしきい値 +HISTORY_MSG_844;ローカル - ぼかしマスクのFFTW HISTORY_MSG_845;ローカル - 対数符号化 -HISTORY_MSG_846;ローカル - 符号化 自動 -HISTORY_MSG_847;ローカル - グレーポイントの源泉 -HISTORY_MSG_848;ローカル - グレーポイントの源泉 自動 -HISTORY_MSG_849;ローカル - グレーポイントの自動選択 -HISTORY_MSG_850;ローカル - ブラックEv -HISTORY_MSG_851;ローカル - ホワイトEv -HISTORY_MSG_852;ローカル - グレーポイントの目標 -HISTORY_MSG_853;ローカル - ローカルコントラスト -HISTORY_MSG_854;ローカル - 対数符号化のスコープ -HISTORY_MSG_855;ローカル - 画像全体 -HISTORY_MSG_856;ローカル - 対数の基数 -HISTORY_MSG_857;ローカル - Contrast 残差のぼかし -HISTORY_MSG_858;ローカル - Contrast 輝度だけ -HISTORY_MSG_859;ローカル - Contrast 最大値 ぼかしレベル -HISTORY_MSG_860;ローカル - Contrast カーブ ぼかすレベル -HISTORY_MSG_861;ローカル - Contrast カーブ コントラストレベル -HISTORY_MSG_862;ローカル - Contrast シグマ 輝度 -HISTORY_MSG_863;ローカル - Contrast 元画像との融合 -HISTORY_MSG_864;ローカル - Contrast ディテール -HISTORY_MSG_865;ローカル - Contrast アンカー -HISTORY_MSG_866;ローカル - Contrast カーブの圧縮 -HISTORY_MSG_867;ローカル - Contrast 残差の量 -HISTORY_MSG_868;ローカル - ΔEのバランス C-H -HISTORY_MSG_869;ローカル - ノイズ除去カーブ 輝度 -HISTORY_MSG_870;ローカル - LC カーブのマスク LC(H) -HISTORY_MSG_871;ローカル - LC カーブのマスク C(C) -HISTORY_MSG_872;ローカル - LC カーブのマスク L(L) -HISTORY_MSG_873;ローカル - LC マスク 有効 -HISTORY_MSG_875;ローカル - LC マスク ブレンド -HISTORY_MSG_876;ローカル - LC マスク 半径 -HISTORY_MSG_877;ローカル - LC マスク 色度 -HISTORY_MSG_878;ローカル - LC カーブのマスク コントラスト -HISTORY_MSG_879;ローカル - LC 色度 レベル -HISTORY_MSG_880;ローカル - LC 色度のぼかし レベル -HISTORY_MSG_881;ローカル - Contrast オフセット 輝度 -HISTORY_MSG_882;ローカル - Contrast ぼかし -HISTORY_MSG_883;ローカル - Contrast レベルごと -HISTORY_MSG_884;ローカル - Contrast ダイナミックレンジ ラプラシアン -HISTORY_MSG_885;ローカル - Contrast ダイナミックレンジ ウェーブレット -HISTORY_MSG_886;ローカル - Contrast ウェーブレット カーブの圧縮 -HISTORY_MSG_887;ローカル - Contrast ウェーブレット 残差の圧縮 -HISTORY_MSG_888;ローカル - Contrast ウェーブレット バランスのしきい値 -HISTORY_MSG_889;ローカル - Contrast ウェーブレット 階調の強さ -HISTORY_MSG_890;ローカル - Contrast ウェーブレット 階調の角度 -HISTORY_MSG_891;ローカル - Contrast ウェーブレット 階調フィルタ +HISTORY_MSG_846;ローカル - 対数符号化 自動 +HISTORY_MSG_847;ローカル - 対数符号化 情報源 +HISTORY_MSG_849;ローカル - 対数符号化 情報源 自動 +HISTORY_MSG_850;ローカル - 対数符号化 ブラックEv +HISTORY_MSG_851;ローカル - 対数符号化 ホワイトEv +HISTORY_MSG_852;ローカル - 対数符号化 目標とするレンダリング +HISTORY_MSG_853;ローカル - 対数符号化 コントラスト +HISTORY_MSG_854;ローカル - 対数符号化 スコープ +HISTORY_MSG_855;ローカル - 対数符号化 画像全体 +HISTORY_MSG_856;ローカル - 対数符号化 シャドウの範囲 +HISTORY_MSG_857;ローカル - ウェーブレット ぼかし 残差画像 +HISTORY_MSG_858;ローカル - ウェーブレット ぼかし 輝度だけ +HISTORY_MSG_859;ローカル - ウェーブレット ぼかし 最大 +HISTORY_MSG_860;ローカル - ウェーブレット ぼかし レベル +HISTORY_MSG_861;ローカル - ウェーブレット コントラスト 詳細レベル1 +HISTORY_MSG_862;ローカル - ウェーブレット コントラストの減衰 ƒ +HISTORY_MSG_863;ローカル - ウェーブレット 元画像と融合 +HISTORY_MSG_864;ローカル - ウェーブレット 方向別コントラストの減衰 +HISTORY_MSG_865;ローカル - ウェーブレット 方向別コントラスト Δ +HISTORY_MSG_866;ローカル - ウェーブレット 方向別コントラスト 圧縮のガンマ +HISTORY_MSG_868;ローカル - ΔE C-Hのバランス +HISTORY_MSG_869;ローカル - レベルによるノイズ除去 +HISTORY_MSG_870;ローカル - ウェーブレット マスク カーブH +HISTORY_MSG_871;ローカル - ウェーブレット マスク カーブC +HISTORY_MSG_872;ローカル - ウェーブレット マスク カーブL +HISTORY_MSG_873;ローカル - ウェーブレット マスク +HISTORY_MSG_875;ローカル - ウェーブレット マスク ブレンド +HISTORY_MSG_876;ローカル - ウェーブレット マスク スムーズ +HISTORY_MSG_877;ローカル - ウェーブレット マスク 色度 +HISTORY_MSG_878;ローカル - ウェーブレット マスク コントラストのカーブ +HISTORY_MSG_879;ローカル - ウェーブレット コントラスト 色度 +HISTORY_MSG_880;ローカル - ウェーブレット ぼかし 色度 +HISTORY_MSG_881;ローカル - ウェーブレット コントラスト オフセット +HISTORY_MSG_882;ローカル - ウェーブレット ぼかし +HISTORY_MSG_883;ローカル - ウェーブレット レベルによるコントラスト +HISTORY_MSG_884;ローカル - ウェーブレット 方向別コントラスト +HISTORY_MSG_885;ローカル - ウェーブレット トーンマッピング +HISTORY_MSG_886;ローカル - ウェーブレット トーンマッピング 圧縮 +HISTORY_MSG_887;ローカル - ウェーブレット トーンマッピング 残差画像の圧縮 +HISTORY_MSG_888;ローカル - コントラスト ウェーブレット バランスのしきい値 +HISTORY_MSG_889;ローカル - コントラスト ウェーブレット 階調の強さ +HISTORY_MSG_890;ローカル - コントラスト ウェーブレット 階調の角度 +HISTORY_MSG_891;ローカル - コントラスト ウェーブレット 階調フィルタ HISTORY_MSG_892;ローカル - 対数符号化 階調の強さ HISTORY_MSG_893;ローカル - 対数符号化 階調の角度 HISTORY_MSG_894;ローカル - 色と明るさ 色差のプレビュー -HISTORY_MSG_897;ローカル - Contrast ウェーブレット ES 強さ -HISTORY_MSG_898;ローカル - Contrast ウェーブレット ES 半径 -HISTORY_MSG_899;ローカル - Contrast ウェーブレット ES ディテール -HISTORY_MSG_900;ローカル - Contrast ウェーブレット ES 勾配 -HISTORY_MSG_901;ローカル - Contrast ウェーブレット ES しきい値 低 -HISTORY_MSG_902;ローカル - Contrast ウェーブレット ES しきい値 高 -HISTORY_MSG_903;ローカル - Contrast ウェーブレット ES ローカルコントラスト -HISTORY_MSG_904;ローカル - Contrast ウェーブレット ES 最初のレベル -HISTORY_MSG_905;ローカル - Contrast ウェーブレット エッジシャープネス -HISTORY_MSG_906;ローカル - Contrast ウェーブレット ES 感度 -HISTORY_MSG_907;ローカル - Contrast ウェーブレット ES 増幅 -HISTORY_MSG_908;ローカル - Contrast ウェーブレット ES 隣接 -HISTORY_MSG_909;ローカル - Contrast ウェーブレット ES 表示 +HISTORY_MSG_897;ローカル - コントラスト ウェーブレット ES 強さ +HISTORY_MSG_898;ローカル - コントラスト ウェーブレット ES 半径 +HISTORY_MSG_899;ローカル - コントラスト ウェーブレット ES ディテール +HISTORY_MSG_900;ローカル - コントラスト ウェーブレット ES 勾配 +HISTORY_MSG_901;ローカル - コントラスト ウェーブレット ES しきい値 低 +HISTORY_MSG_902;ローカル - コントラスト ウェーブレット ES しきい値 高 +HISTORY_MSG_903;ローカル - コントラスト ウェーブレット ES ローカルコントラスト +HISTORY_MSG_904;ローカル - コントラスト ウェーブレット ES 最初のレベル +HISTORY_MSG_905;ローカル - コントラスト ウェーブレット エッジシャープネス +HISTORY_MSG_906;ローカル - コントラスト ウェーブレット ES 感度 +HISTORY_MSG_907;ローカル - コントラスト ウェーブレット ES 増幅 +HISTORY_MSG_908;ローカル - コントラスト ウェーブレット ES 隣接 +HISTORY_MSG_909;ローカル - コントラスト ウェーブレット ES 表示 HISTORY_MSG_910;ローカル - ウェーブレット エッジ検出の効果 HISTORY_MSG_911;ローカル - ぼかし 色度 輝度 HISTORY_MSG_912;ローカル - ガイド付きフィルターの強さのぼかし -HISTORY_MSG_913;ローカル - Contrast Wavelet Sigma DR +HISTORY_MSG_913;ローカル - コントラスト ウェーブレット シグマ DR HISTORY_MSG_914;ローカル - ウェーブレットのぼかし シグマ BL HISTORY_MSG_915;ローカル - ウェーブレットのエッジ シグマ ED HISTORY_MSG_916;ローカル - ウェーブレットの残差画像 シャドウ @@ -1169,16 +1180,241 @@ HISTORY_MSG_921;ローカル - ウェーブレット 階調のシグマ LC2 HISTORY_MSG_922;ローカル - 白黒での変更 HISTORY_MSG_923;ローカル - 機能の複雑度モード HISTORY_MSG_924;ローカル - 機能の複雑度モード -HISTORY_MSG_925;Local - カラー機能のスコープ -HISTORY_MSG_926;Local - マスクのタイプを表示 -HISTORY_MSG_927;Local - シャドウマスク -HISTORY_MSG_BLSHAPE;詳細レベルによるぼかし +HISTORY_MSG_925;ローカル - カラー機能のスコープ +HISTORY_MSG_926;ローカル - マスクのタイプを表示 +HISTORY_MSG_927;ローカル - シャドウマスク +HISTORY_MSG_928;ローカル - 共通のカラーマスク +HISTORY_MSG_929;ローカル - 共通のカラーマスク スコープ +HISTORY_MSG_930;ローカル - 共通のカラーマスク 輝度の融合 +HISTORY_MSG_931;ローカル - 共通のカラーマスク 有効 +HISTORY_MSG_932;ローカル - 共通のカラーマスク ソフトな半径 +HISTORY_MSG_933;ローカル - 共通のカラーマスク ラプラシアン +HISTORY_MSG_934;ローカル - 共通のカラーマスク 色度 +HISTORY_MSG_935;ローカル - 共通のカラーマスク ガンマ +HISTORY_MSG_936;ローカル - 共通のカラーマスク スロープ +HISTORY_MSG_937;ローカル - 共通のカラーマスク C(C)カーブ +HISTORY_MSG_938;ローカル - 共通のカラーマスク L(L)カーブ +HISTORY_MSG_939;ローカル - 共通のカラーマスク LC(H)カーブ +HISTORY_MSG_940;ローカル - 共通のカラーマスク 機能としての構造 +HISTORY_MSG_941;ローカル - 共通のカラーマスク 構造の強さ +HISTORY_MSG_942;ローカル - 共通のカラーマスク H(H)カーブ +HISTORY_MSG_943;ローカル - 共通のカラーマスク 高速フーリエ変換 +HISTORY_MSG_944;ローカル - 共通のカラーマスク ぼかしの半径 +HISTORY_MSG_945;ローカル - 共通のカラーマスク コントラストのしきい値 +HISTORY_MSG_946;ローカル - 共通のカラーマスク シャドウ +HISTORY_MSG_947;ローカル - 共通のカラーマスク コントラストカーブ +HISTORY_MSG_948;ローカル - 共通のカラーマスク ウェーブレットのカーブ +HISTORY_MSG_949;ローカル - 共通のカラーマスク レベルのしきい値 +HISTORY_MSG_950;ローカル - 共通のカラーマスク 階調調節の強さ +HISTORY_MSG_951;ローカル - 共通のカラーマスク 階調調節の角度 +HISTORY_MSG_952;ローカル - 共通のカラーマスク ソフトな半径 +HISTORY_MSG_953;ローカル - 共通のカラーマスク 色度の融合 +HISTORY_MSG_954;ローカル - 機能の表示/非表示 +HISTORY_MSG_955;ローカル - RT-スポットを有効にする +HISTORY_MSG_956;ローカル - CHカーブ +HISTORY_MSG_957;ローカル - ノイズ除去モード +HISTORY_MSG_958;ローカル - 全ての設定を表示 +HISTORY_MSG_959;ローカル - インバースぼかし +HISTORY_MSG_960;ローカル - 対数符号化 cat02 +HISTORY_MSG_961;ローカル - 対数符号化 色の見えモデル +HISTORY_MSG_962;ローカル - 対数符号化 絶対輝度の情報源 +HISTORY_MSG_963;ローカル - 対数符号化 絶対輝度の目標 +HISTORY_MSG_964;ローカル - 対数符号化 周囲 +HISTORY_MSG_965;ローカル - 対数符号化 彩度S +HISTORY_MSG_966;ローカル - 対数符号化 コントラスト J +HISTORY_MSG_967;ローカル - 対数符号化 マスクカーブ C +HISTORY_MSG_968;ローカル - 対数符号化 マスクカーブ L +HISTORY_MSG_969;ローカル - 対数符号化 マスクカーブ H +HISTORY_MSG_970;ローカル - 対数符号化 マスクは有効 +HISTORY_MSG_971;ローカル - 対数符号化 マスク ブレンド +HISTORY_MSG_972;ローカル - 対数符号化 マスク 半径 +HISTORY_MSG_973;ローカル - 対数符号化 マスク 色度 +HISTORY_MSG_974;ローカル - 対数符号化 マスク コントラスト +HISTORY_MSG_975;ローカル - 対数符号化 明度J +HISTORY_MSG_977;ローカル - 対数符号化 コントラストQ +HISTORY_MSG_978;ローカル - 対数符号化 周囲の環境 +HISTORY_MSG_979;ローカル - 対数符号化 明るさQ +HISTORY_MSG_980;ローカル - 対数符号化 鮮やかさM +HISTORY_MSG_981;ローカル - 対数符号化 強さ +HISTORY_MSG_982;ローカル - イコライザ 色相 +HISTORY_MSG_983;ローカル - ノイズ除去 しきい値マスク 明るい +HISTORY_MSG_984;ローカル - ノイズ除去 しきい値マスク 暗い +HISTORY_MSG_985;ローカル - ノイズ除去 ラプラス変換 +HISTORY_MSG_986;ローカル - ノイズ除去 強化 +HISTORY_MSG_987;ローカル - 階調フィルタ しきい値マスク +HISTORY_MSG_988;ローカル - 階調フィルタ 暗い領域のしきい値マスク +HISTORY_MSG_989;ローカル - 階調フィルタ 明るい領域のしきい値マスク +HISTORY_MSG_990;ローカル - ノイズ除去 しきい値マスク +HISTORY_MSG_991;ローカル - ノイズ除去 暗い領域のしきい値マスク +HISTORY_MSG_992;ローカル - ノイズ除去 明るい領域のしきい値マスク +HISTORY_MSG_993;ローカル - ノイズ除去 インバースのアルゴリズム +HISTORY_MSG_994;ローカル - 階調フィルタ インバースのアルゴリズム +HISTORY_MSG_995;ローカル - ノイズ除去の減衰 +HISTORY_MSG_996;ローカル - 色の復元のしきい値 +HISTORY_MSG_997;ローカル - 色 暗い領域のしきい値マスク +HISTORY_MSG_998;ローカル - 色 明るい領域のしきい値マスク +HISTORY_MSG_999;ローカル - 色 減衰 +HISTORY_MSG_1000;ローカル - グレー領域のノイズ除去 +HISTORY_MSG_1001;ローカル - 対数符号化 復元のしきい値 +HISTORY_MSG_1002;ローカル - 対数符号化 暗い領域のしきい値マスク +HISTORY_MSG_1003;ローカル - 対数符号化 明るい領域のしきい値マスク +HISTORY_MSG_1004;ローカル - 対数符号化 減衰 +HISTORY_MSG_1005;ローカル - 露光補正 復元のしきい値 +HISTORY_MSG_1006;ローカル - 露光補正 暗い領域のしきい値マスク +HISTORY_MSG_1007;ローカル - 露光補正 明るい領域のしきい値マスク +HISTORY_MSG_1008;ローカル - 露光補正 減衰 +HISTORY_MSG_1009;ローカル - シャドウハイライト 復元のしきい値 +HISTORY_MSG_1010;ローカル - シャドウハイライト 暗い領域のしきい値マスク +HISTORY_MSG_1011;ローカル - シャドウハイライト 明るい領域のしきい値マスク +HISTORY_MSG_1012;ローカル - シャドウハイライト 減衰 +HISTORY_MSG_1013;ローカル - 自然な彩度 復元のしきい値 +HISTORY_MSG_1014;ローカル - 自然な彩度 暗い領域のしきい値マスク +HISTORY_MSG_1015;ローカル - 自然な彩度 明るい領域のしきい値マスク +HISTORY_MSG_1016;ローカル - 自然な彩度 減衰 +HISTORY_MSG_1017;ローカル - ローカルコントラスト 復元のしきい値 +HISTORY_MSG_1018;ローカル - ローカルコントラスト 暗い領域のしきい値マスク +HISTORY_MSG_1019;ローカル - ローカルコントラスト 明るい領域のしきい値マスク +HISTORY_MSG_1020;ローカル - ローカルコントラスト 減衰 +HISTORY_MSG_1021;ローカル - グレー領域の色ノイズ除去 +HISTORY_MSG_1022;ローカル - トーンマッピング 復元のしきい値 +HISTORY_MSG_1023;ローカル - トーンマッピング 暗い領域のしきい値マスク +HISTORY_MSG_1024;ローカル - トーンマッピング 明るい領域のしきい値マスク +HISTORY_MSG_1025;ローカル - トーンマッピング 減衰 +HISTORY_MSG_1026;ローカル - cbdl 復元のしきい値 +HISTORY_MSG_1027;ローカル - cbdl 暗い領域のしきい値マスク +HISTORY_MSG_1028;ローカル - cbdl 明るい領域のしきい値マスク +HISTORY_MSG_1029;ローカル - cbdl 減衰 +HISTORY_MSG_1030;ローカル - レティネックス 復元のしきい値 +HISTORY_MSG_1031;ローカル - レティネックス 暗い領域のしきい値マスク +HISTORY_MSG_1032;ローカル - レティネックス 明るい領域のしきい値マスク +HISTORY_MSG_1033;ローカル - レティネックス 減衰 +HISTORY_MSG_1034;ローカル - ノンローカルミーン - 強さ +HISTORY_MSG_1035;ローカル - ノンローカルミーン - ディテール +HISTORY_MSG_1036;ローカル - ノンローカルミーン - パッチ +HISTORY_MSG_1037;ローカル - ノンローカルミーン - 半径 +HISTORY_MSG_1038;ローカル - ノンローカルミーン - ガンマ +HISTORY_MSG_1039;ローカル - 質感 - ガンマ +HISTORY_MSG_1040;ローカル - スポット - ソフトな半径 +HISTORY_MSG_1041;ローカル - スポット - マンセル補正 +HISTORY_MSG_1042;ローカル - 対数符号化 - しきい値 +HISTORY_MSG_1043;ローカル - Exp - 標準化 +HISTORY_MSG_1044;ローカル - ローカルコントラスト 強さ +HISTORY_MSG_1045;ローカル - 色と明るさ 強さ +HISTORY_MSG_1046;ローカル - ノイズ除去 強さ +HISTORY_MSG_1047;ローカル - シャドウ/ハイライトとトーンイコライザ 強さ +HISTORY_MSG_1048;ローカル - ダイナミックレンジと露光補正 強さ +HISTORY_MSG_1049;ローカル - トーンマッピング 強さ +HISTORY_MSG_1050;ローカル - 対数符号化 色度 +HISTORY_MSG_1051;Local - 残差画像 ウェーブレット ガンマ +HISTORY_MSG_1052;Local - 残差画像 ウェーブレット スロープ +HISTORY_MSG_1053;Local - ノイズ除去 ガンマ +HISTORY_MSG_1054;Local - ウェーブレット ガンマ +HISTORY_MSG_1055;Local - 色と明るさ ガンマ +HISTORY_MSG_1056;Local - ダイナミックレンジ圧縮と露光補正 ガンマ +HISTORY_MSG_1057;Local - CIECAM 有効 +HISTORY_MSG_1058;Local - CIECAM 全体的な強さ +HISTORY_MSG_1059;Local - CIECAM 自動グレー +HISTORY_MSG_1060;Local - CIECAM 元画像のの平均輝度 +HISTORY_MSG_1061;Local - CIECAM 元画像の絶対輝度 +HISTORY_MSG_1062;Local - CIECAM 元画像の周囲環境 +HISTORY_MSG_1063;Local - CIECAM 彩度 +HISTORY_MSG_1064;Local - CIECAM 色度 +HISTORY_MSG_1065;Local - CIECAM 明度 J +HISTORY_MSG_1066;Local - CIECAM 明るさ Q +HISTORY_MSG_1067;Local - CIECAM コントラスト J +HISTORY_MSG_1068;Local - CIECAM しきい値 +HISTORY_MSG_1069;Local - CIECAM コントラスト Q +HISTORY_MSG_1070;Local - CIECAM 鮮やかさ +HISTORY_MSG_1071;Local - CIECAM 絶対輝度 +HISTORY_MSG_1072;Local - CIECAM 平均輝度 +HISTORY_MSG_1073;Local - CIECAM Cat16 +HISTORY_MSG_1074;Local - CIECAM ローカルコントラスト +HISTORY_MSG_1075;Local - CIECAM 観視条件 +HISTORY_MSG_1076;Local - CIECAM スロープ +HISTORY_MSG_1077;Local - CIECAM モード +HISTORY_MSG_1078;Local - レッドと肌色トーンを保護 +HISTORY_MSG_1079;Local - CIECAM シグモイドの強さ J +HISTORY_MSG_1080;Local - CIECAM シグモイドのしきい値 +HISTORY_MSG_1081;Local - CIECAM シグモイドのブレンド +HISTORY_MSG_1082;Local - CIECAM シグモイド Q ブラックEv ホワイトEv +HISTORY_MSG_1083;Local - CIECAM 色相 +HISTORY_MSG_1084;Local - ブラックEvとホワイトEvを使う +HISTORY_MSG_1085;Local - Jz 明度 +HISTORY_MSG_1086;Local - Jz コントラスト +HISTORY_MSG_1087;Local - Jz 色度 +HISTORY_MSG_1088;Local - Jz 色相 +HISTORY_MSG_1089;Local - Jz シグモイドの強さ +HISTORY_MSG_1090;Local - Jz シグモイドのしきい値 +HISTORY_MSG_1091;Local - Jz シグモイドのブレンド +HISTORY_MSG_1092;Local - Jz 順応 +HISTORY_MSG_1093;Local - CAMのモデル +HISTORY_MSG_1094;Local - Jz ハイライト +HISTORY_MSG_1095;Local - Jz ハイライトのしきい値 +HISTORY_MSG_1096;Local - Jz シャドウ +HISTORY_MSG_1097;Local - Jz シャドウのしきい値 +HISTORY_MSG_1098;Local - Jz SHの半径 +HISTORY_MSG_1099;Local - Cz(Hz)カーブ +HISTORY_MSG_1100;Local - 100カンデラのJzの参考値 +HISTORY_MSG_1101;Local - Jz PQ 再配分 +HISTORY_MSG_1102;Local - Jz(Hz)カーブ +HISTORY_MSG_1103;Local - 自然な彩度 ガンマ +HISTORY_MSG_1104;Local - シャープネス ガンマ +HISTORY_MSG_1105;Local - CIECAM トーン調整の方法 +HISTORY_MSG_1106;Local - CIECAM トーンカーブ +HISTORY_MSG_1107;Local - CIECAM 色調整の方法 +HISTORY_MSG_1108;Local - CIECAM カラーカーブ +HISTORY_MSG_1109;Local - Jz(Jz)カーブ +HISTORY_MSG_1110;Local - Cz(Cz)カーブ +HISTORY_MSG_1111;Local - Cz(Jz)カーブ +HISTORY_MSG_1112;Local - 強制的なJz +HISTORY_MSG_1113;Local - HDR PQ +HISTORY_MSG_1114;Local - Cie マスク 有効 +HISTORY_MSG_1115;Local - Cie マスク Cカーブ +HISTORY_MSG_1116;Local - Cie マスク Lカーブ +HISTORY_MSG_1117;Local - Cie マスク Hカーブ +HISTORY_MSG_1118;Local - Cie マスク ブレンド +HISTORY_MSG_1119;Local - Cie マスク 半径 +HISTORY_MSG_1120;Local - Cie マスク 色度 +HISTORY_MSG_1121;Local - Cie マスク コントラストカーブ +HISTORY_MSG_1122;Local - Cie マスク 復元のしきい値 +HISTORY_MSG_1123;Local - Cie マスク 復元 暗い部分 +HISTORY_MSG_1124;Local - Cie マスク 復元 明るい部分 +HISTORY_MSG_1125;Local - Cie マスク 復元の減衰 +HISTORY_MSG_1126;Local - Cie マスク ラプラシアン +HISTORY_MSG_1127;Local - Cie マスク ガンマ +HISTORY_MSG_1128;Local - Cie マスク スロープ +HISTORY_MSG_1129;Local - Cie 相対輝度 +HISTORY_MSG_1130;Local - Cie 彩度 Jz +HISTORY_MSG_1131;Local - マスク 色ノイズ除去  +HISTORY_MSG_1132;Local - Cie ウェーブレット シグマ Jz +HISTORY_MSG_1133;Local - Cie ウェーブレット レベル Jz +HISTORY_MSG_1134;Local - Cie ウェーブレット ローカルコントラスト Jz +HISTORY_MSG_1135;Local - Cie ウェーブレット 明瞭 Jz +HISTORY_MSG_1136;Local - Cie ウェーブレット 明瞭 Cz +HISTORY_MSG_1137;Local - Cie ウェーブレット 明瞭 ソフト +HISTORY_MSG_1138;Local - ローカル - Hz(Hz)カーブ +HISTORY_MSG_1139;Local - Jz ソフト Hカーブ +HISTORY_MSG_1140;Local - Jz 色度のしきい値 +HISTORY_MSG_1141;Local - 色度のカーブ Jz(Hz) +HISTORY_MSG_1142;Local - 強さ ソフト +HISTORY_MSG_1143;Local - Jz ブラックEv +HISTORY_MSG_1144;Local - Jz ホワイトEv +HISTORY_MSG_1145;Local - Jz 対数符号化 +HISTORY_MSG_1146;Local - Jz 対数符号化 目標のグレー +HISTORY_MSG_1147;Local - Jz ブラックEv ホワイトEv +HISTORY_MSG_1148;Local - Jz シグモイド +HISTORY_MSG_1149;Local - Q シグモイド +HISTORY_MSG_1150;Local - シグモイドQの代わりに対数符号化Qを使う +HISTORY_MSG_BLSHAPE;レベルによるぼかし HISTORY_MSG_BLURCWAV;色度のぼかし HISTORY_MSG_BLURWAV;輝度のぼかし HISTORY_MSG_BLUWAV;減衰応答 HISTORY_MSG_CAT02PRESET;Cat02 自動プリセット +HISTORY_MSG_CATCAT;モード Cat02/16 +HISTORY_MSG_CATCOMPLEX;色の見えモデルの機能水準 +HISTORY_MSG_CATMODEL;色の見えモデルのバージョン HISTORY_MSG_CLAMPOOG;色域外の色を切り取る -HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - カラー補正 +HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - 色の補正 HISTORY_MSG_COLORTONING_LABREGION_AB;CT - 色の補正 HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - 色チャンネル HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - 色度のマスク @@ -1192,24 +1428,41 @@ HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - 強化 HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - 彩度 HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - マスクの表示 HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - スロープ +HISTORY_MSG_COMPLEX;ウェーブレットの機能水準 +HISTORY_MSG_COMPLEXRETI;レティネックスの機能水準 HISTORY_MSG_DEHAZE_DEPTH;霞除去 - 深度 HISTORY_MSG_DEHAZE_ENABLED;霞除去 -HISTORY_MSG_DEHAZE_LUMINANCE;霞除去 - 輝度のみ +HISTORY_MSG_DEHAZE_SATURATION;霞除去 - 彩度 HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;霞除去 - 深度マップの表示 HISTORY_MSG_DEHAZE_STRENGTH;霞除去 - 強さ HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;デュアルデモザイク - 自動しきい値 HISTORY_MSG_DUALDEMOSAIC_CONTRAST;AMaZE+VNG4 - コントラストのしきい値 HISTORY_MSG_EDGEFFECT;エッジの効果調整 +HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - 参考出力 +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;ネガフィルムの色空間 HISTORY_MSG_FILMNEGATIVE_ENABLED;ネガフィルム -HISTORY_MSG_FILMNEGATIVE_FILMBASE;フィルムのベースカラー +HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - 参考入力 HISTORY_MSG_FILMNEGATIVE_VALUES;ネガフィルムの値 HISTORY_MSG_HISTMATCHING;トーンカーブの自動調節 +HISTORY_MSG_HLBL;Color 色の波及 - ぼかし +HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +HISTORY_MSG_ICM_AINTENT;アブストラクトプロファイルの意図 +HISTORY_MSG_ICM_BLUX;原色 ブルー X +HISTORY_MSG_ICM_BLUY;原色 ブルー Y +HISTORY_MSG_ICM_FBW;白黒 +HISTORY_MSG_ICM_GREX;原色 グリーン X +HISTORY_MSG_ICM_GREY;原色 グリーン Y HISTORY_MSG_ICM_OUTPUT_PRIMARIES;出力 - プライマリ HISTORY_MSG_ICM_OUTPUT_TEMP;出力 - ICC-v4 光源 D HISTORY_MSG_ICM_OUTPUT_TYPE;出力 - タイプ +HISTORY_MSG_ICM_PRESER;ニュートラルを維持 +HISTORY_MSG_ICM_REDX;原色 レッド X +HISTORY_MSG_ICM_REDY;原色 レッド Y  HISTORY_MSG_ICM_WORKING_GAMMA;作業色空間 - ガンマ +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;輝度 方式 +HISTORY_MSG_ICM_WORKING_PRIM_METHOD;原色 方式 HISTORY_MSG_ICM_WORKING_SLOPE;作業色空間 - 勾配 -HISTORY_MSG_ICM_WORKING_TRC_METHOD;作業色空間 - TRCの方式 +HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRCの方式 HISTORY_MSG_ILLUM;輝度 HISTORY_MSG_LOCALCONTRAST_AMOUNT;ローカルコントラスト - 量 HISTORY_MSG_LOCALCONTRAST_DARKNESS;ローカルコントラスト - 暗い部分 @@ -1228,11 +1481,13 @@ HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - 周辺のシグマを増やす HISTORY_MSG_PERSP_CAM_ANGLE;パースペクティブ - カメラ HISTORY_MSG_PERSP_CAM_FL;パースペクティブ - カメラ HISTORY_MSG_PERSP_CAM_SHIFT;パースペクティブ - カメラ +HISTORY_MSG_PERSP_CTRL_LINE;パースペクティブ - 制御ライン HISTORY_MSG_PERSP_METHOD;パースペクティブ - 方法 HISTORY_MSG_PERSP_PROJ_ANGLE;パースペクティブ - 回復 HISTORY_MSG_PERSP_PROJ_ROTATE;パースペクティブ - PCA 回転 HISTORY_MSG_PERSP_PROJ_SHIFT;パースペクティブ - PCA -HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - 振れに対するデモザイクの方式 +HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - 平均 +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - ブレに対するデモザイクの方式 HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;ラインノイズフィルタの方向 HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAFラインフィルタ HISTORY_MSG_PREPROCWB_MODE;ホワイトバランスモードの前処理 @@ -1243,15 +1498,19 @@ HISTORY_MSG_RAWCACORR_AUTOIT;Rawの色収差補正 - 繰り返し HISTORY_MSG_RAWCACORR_COLORSHIFT;Rawの色収差補正 - 色ずれを回避 HISTORY_MSG_RAW_BORDER;Rawの境界 HISTORY_MSG_RESIZE_ALLOWUPSCALING;リサイズ - アップスケーリングを可能にする +HISTORY_MSG_RESIZE_LONGEDGE;リサイズ - ロングエッジ +HISTORY_MSG_RESIZE_SHORTEDGE;Resize - ショートエッジ HISTORY_MSG_SHARPENING_BLUR;シャープニング - ぼかしの半径 HISTORY_MSG_SHARPENING_CONTRAST;シャープニング - コントラストのしきい値 HISTORY_MSG_SH_COLORSPACE;S/H - 色空間 HISTORY_MSG_SIGMACOL;色度の効果調整 -HISTORY_MSG_SIGMADIR;Dirの効果調整 +HISTORY_MSG_SIGMADIR;方向の効果調整 HISTORY_MSG_SIGMAFIN;最終的なコントラストの効果調整 HISTORY_MSG_SIGMATON;トーンの効果調整 HISTORY_MSG_SOFTLIGHT_ENABLED;ソフトライト HISTORY_MSG_SOFTLIGHT_STRENGTH;ソフトライト - 強さ +HISTORY_MSG_SPOT;スポット除去 +HISTORY_MSG_SPOT_ENTRY;スポット除去 - ポイント変更 HISTORY_MSG_TEMPOUT;CAM02 自動色温度設定 HISTORY_MSG_THRESWAV;バランスのしきい値 HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - アンカー @@ -1259,21 +1518,41 @@ HISTORY_MSG_TRANS_METHOD;ジオメトリ - 方式 HISTORY_MSG_WAVBALCHROM;イコライザ 色度 HISTORY_MSG_WAVBALLUM;イコライザ 輝度 HISTORY_MSG_WAVBL;レベルのぼかし -HISTORY_MSG_WAVCHROMCO;粗い部分の色度 -HISTORY_MSG_WAVCHROMFI;細部の色度 +HISTORY_MSG_WAVCHR;レベルのぼかし - 色度のぼかし +HISTORY_MSG_WAVCHROMCO;大きいディテールの色度 +HISTORY_MSG_WAVCHROMFI;小さいディテールの色度 HISTORY_MSG_WAVCLARI;明瞭 +HISTORY_MSG_WAVDENLH;レベル5 +HISTORY_MSG_WAVDENMET;ローカルイコライザ +HISTORY_MSG_WAVDENOISE;ローカルコントラスト +HISTORY_MSG_WAVDENOISEH;番手の高いレベルのローカルコントラスト +HISTORY_MSG_WAVDETEND;ディテール ソフト HISTORY_MSG_WAVEDGS;エッジ停止 +HISTORY_MSG_WAVGUIDH;ローカルコントラスト-色相イコライザ +HISTORY_MSG_WAVHUE;イコライザ 色相 +HISTORY_MSG_WAVLABGRID_VALUE;色調 - 色は除く +HISTORY_MSG_WAVLEVDEN;高いレベルのイコライザ +HISTORY_MSG_WAVLEVELSIGM;ノイズ除去 - 半径 +HISTORY_MSG_WAVLEVSIGM;半径 +HISTORY_MSG_WAVLIMDEN;相互作用 レベル5~6 とレベル1~4 HISTORY_MSG_WAVLOWTHR;最小コントラストのしきい値 HISTORY_MSG_WAVMERGEC;色度の融合 HISTORY_MSG_WAVMERGEL;輝度の融合 +HISTORY_MSG_WAVMIXMET;ローカルコントラストの参考値 HISTORY_MSG_WAVOFFSET;オフセット HISTORY_MSG_WAVOLDSH;古いアルゴリズムを使う +HISTORY_MSG_WAVQUAMET;ノイズ除去モード HISTORY_MSG_WAVRADIUS;シャドウ/ハイライトの半径 HISTORY_MSG_WAVSCALE;スケール HISTORY_MSG_WAVSHOWMASK;ウェーブレットのマスクを表示 -HISTORY_MSG_WAVSIGMA;シグマ +HISTORY_MSG_WAVSIGM;シグマ +HISTORY_MSG_WAVSIGMA;減衰応答 +HISTORY_MSG_WAVSLIMET;方式 HISTORY_MSG_WAVSOFTRAD;明瞭のソフトな半径 HISTORY_MSG_WAVSOFTRADEND;最終画像のソフトな半径 +HISTORY_MSG_WAVSTREND;ソフトの強さ +HISTORY_MSG_WAVTHRDEN;ローカルコントラストのしきい値 +HISTORY_MSG_WAVTHREND;ローカルコントラストのしきい値 HISTORY_MSG_WAVUSHAMET;明瞭の方式 HISTORY_NEWSNAPSHOT;追加 HISTORY_NEWSNAPSHOT_TOOLTIP;ショートカット: Alt-s @@ -1292,11 +1571,12 @@ ICCPROFCREATOR_ILL_41;D41 ICCPROFCREATOR_ILL_50;D50 ICCPROFCREATOR_ILL_55;D55 ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_63;D63 : DCI-P3 映画館 ICCPROFCREATOR_ILL_65;D65 ICCPROFCREATOR_ILL_80;D80 ICCPROFCREATOR_ILL_DEF;デフォルト ICCPROFCREATOR_ILL_INC;StdA 2856K -ICCPROFCREATOR_ILL_TOOLTIP;ICC v4プロファイルに関する光源だけを設定することができます +ICCPROFCREATOR_ILL_TOOLTIP;ICC v4プロファイル、。v2プロファイルの光源が設定ができます。 ICCPROFCREATOR_PRIMARIES;プライマリ: ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1306,6 +1586,7 @@ ICCPROFCREATOR_PRIM_BETA;BetaRGB ICCPROFCREATOR_PRIM_BLUX;ブルー X ICCPROFCREATOR_PRIM_BLUY;ブルー Y ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 ICCPROFCREATOR_PRIM_GREX;グリーン X ICCPROFCREATOR_PRIM_GREY;グリーン Y ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1313,13 +1594,14 @@ ICCPROFCREATOR_PRIM_REC2020;Rec2020 ICCPROFCREATOR_PRIM_REDX;レッド X ICCPROFCREATOR_PRIM_REDY;レッド Y ICCPROFCREATOR_PRIM_SRGB;sRGB -ICCPROFCREATOR_PRIM_TOOLTIP;ICC v4プロファイルに関するカスタムプライマリーを設定することが出来ます +ICCPROFCREATOR_PRIM_TOOLTIP;ICC v4プロファイル、。v2プロファイルのカスタムプライマリーが設定ができます。 ICCPROFCREATOR_PRIM_WIDEG;Widegamut ICCPROFCREATOR_PROF_V2;ICC v2 ICCPROFCREATOR_PROF_V4;ICC v4 ICCPROFCREATOR_SAVEDIALOG_TITLE;...でICCプロファイルを保存 ICCPROFCREATOR_SLOPE;勾配 -ICCPROFCREATOR_TRC_PRESET;トーン再現カーブ: +ICCPROFCREATOR_TRC_PRESET;トーンレスポンスカーブ +INSPECTOR_WINDOW_TITLE;カメラ出し画像 IPTCPANEL_CATEGORY;カテゴリ IPTCPANEL_CATEGORYHINT;画像の意図 IPTCPANEL_CITY;都市 @@ -1368,7 +1650,7 @@ MAIN_BUTTON_NAVNEXT_TOOLTIP;エディタで開いている画像に対応する MAIN_BUTTON_NAVPREV_TOOLTIP;エディタで開いている画像に対応する前の画像に移動します\nショートカット: Shift-F3\n\nファイルブラウザで選択したサムネイルに対応する前の画像に移動するには\nショートカット: F3 MAIN_BUTTON_NAVSYNC_TOOLTIP;現在開いている画像のサムネイルを明示しエディタとファイルブラウザを同期させ、ファイルブラウザでのフィルタをクリアします \nショートカット: x\n\n上記と同じですが、ファイルブラウザでのフィルタをクリアしません\nショートカット: y\n(除外する場合、開いているファイルのサムネイルが表示されませんので注意してください). MAIN_BUTTON_PREFERENCES;環境設定 -MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;現在の画像をキュー処理に追加\nショートカット: Ctrl+b +MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;現在の画像を処理キューに追加\nショートカット: Ctrl+b MAIN_BUTTON_SAVE_TOOLTIP;現在の画像を保存\nショートカット: Ctrl+S MAIN_BUTTON_SENDTOEDITOR;外部エディタで画像を編集 MAIN_BUTTON_SENDTOEDITOR_TOOLTIP;現在の画像を外部エディタで編集\nショートカット: Ctrl+e @@ -1385,7 +1667,7 @@ MAIN_FRAME_QUEUE;キュー MAIN_FRAME_QUEUE_TOOLTIP;キューで処理します\nショートカット: Ctrl-F3 MAIN_FRAME_RECENT;最近開いたフォルダ MAIN_MSG_ALREADYEXISTS;ファイルはすでに存在します -MAIN_MSG_CANNOTLOAD;画像読み込みできません +MAIN_MSG_CANNOTLOAD;画像の読み込みができません MAIN_MSG_CANNOTSAVE;ファイル保存エラー MAIN_MSG_CANNOTSTARTEDITOR;エディタを開始することができません MAIN_MSG_CANNOTSTARTEDITOR_SECONDARY;"環境設定"で正しいパスを設定してください @@ -1414,7 +1696,7 @@ MAIN_TAB_FAVORITES_TOOLTIP;ショートカット: Alt-u MAIN_TAB_FILTER;絞り込み MAIN_TAB_INSPECT;カメラ出しJPEG MAIN_TAB_IPTC;IPTC -MAIN_TAB_LOCALLAB;ローカル調整 +MAIN_TAB_LOCALLAB;ローカル編集 MAIN_TAB_LOCALLAB_TOOLTIP;ショートカット Alt-o MAIN_TAB_METADATA;メタデータ MAIN_TAB_METADATA_TOOLTIP;ショートカット: Alt-m @@ -1428,8 +1710,8 @@ MAIN_TOOLTIP_BACKCOLOR2;プレビューの背景色を指定します: 中間のグレー\nショートカット: 9 MAIN_TOOLTIP_BEFOREAFTERLOCK;固定 / 固定解除 - 補正前 の表示設定\n\n固定: 補正前をそのまま表示し変更されません\n複数のツールの累積効果を評価するのに役立ちます\nさらに、比較は履歴上のどこからでも行うことができます\n\n固定解除: 現在使用のツールの効果が 補正後 に表示され、その1段階前が 補正前 に表示されます MAIN_TOOLTIP_HIDEHP;左パネル 表示/非表示 (履歴含む)\nショートカット: l -MAIN_TOOLTIP_INDCLIPPEDH;ハイライト・クリッピング領域の表示\nショートカット: < -MAIN_TOOLTIP_INDCLIPPEDS;シャドウ・クリッピング領域の表示\nショートカット: > +MAIN_TOOLTIP_INDCLIPPEDH;ハイライト・クリッピングの警告表示\nショートカット: < +MAIN_TOOLTIP_INDCLIPPEDS;シャドウ・クリッピングの警告表示\nショートカット: > MAIN_TOOLTIP_PREVIEWB;ブルー チャンネル表示\nショートカット: b MAIN_TOOLTIP_PREVIEWFOCUSMASK;フォーカス・マスク表示\nショートカット: Shift-f\n\n浅い被写界深度、低ノイズ、高ズームの画像の場合は、より正確に\n\nノイズの多い画像に対しては、検出精度を向上させるため10から30%縮小して評価します\n\nフォーカス・マスクをオンにすると表示に時間が掛かります MAIN_TOOLTIP_PREVIEWG;グリーン チャンネル表示\nショートカット: g @@ -1455,7 +1737,7 @@ NAVIGATOR_S;S: NAVIGATOR_V;V: NAVIGATOR_XY_FULL;幅 = %1, 高さ = %2 NAVIGATOR_XY_NA;x: --, y: -- -OPTIONS_BUNDLED_MISSING;付属のプロファイル "%1"が見つかりません\n\nインストールされたプロファイルが損傷しているかもしれません\n\nその場合はデフォルトの値が使われます +OPTIONS_BUNDLED_MISSING;付属のプロファイル '%1'が見つかりません\n\nインストールされたプロファイルが損傷しているかもしれません\n\nその場合はデフォルトの値が使われます OPTIONS_DEFIMG_MISSING;rawではない画像のデフォルプロファイルが見つからないか、設定されていません\n\nプロファイル・ディレクトリを確認してください、存在しないか破損しているかもしれません\n\nデフォルト設定値が使用されます OPTIONS_DEFRAW_MISSING;raw画像のデフォル・プロファイルが見つからないか、設定されていません\n\nプロファイル・ディレクトリを確認してください、存在しないか破損しているかもしれません\n\nデフォルト設定値が使用されます PARTIALPASTE_ADVANCEDGROUP;高度な設定 @@ -1498,10 +1780,10 @@ PARTIALPASTE_IMPULSEDENOISE;インパルス・ノイズ低減 PARTIALPASTE_IPTCINFO;IPTC PARTIALPASTE_LABCURVE;L*a*b* 調整 PARTIALPASTE_LENSGROUP;レンズ関係の設定 -PARTIALPASTE_LENSPROFILE;レンズ補正プロファイル +PARTIALPASTE_LENSPROFILE;プロファイルされたレンズ補正 PARTIALPASTE_LOCALCONTRAST;ローカルコントラスト -PARTIALPASTE_LOCALLAB;ローカル調整 -PARTIALPASTE_LOCALLABGROUP;ローカル調整の設定 +PARTIALPASTE_LOCALLAB;ローカル編集 +PARTIALPASTE_LOCALLABGROUP;ローカル編集の設定 PARTIALPASTE_LOCGROUP;ローカル PARTIALPASTE_METADATA;メタデータモード PARTIALPASTE_METAGROUP;メタデータ @@ -1537,6 +1819,7 @@ PARTIALPASTE_SHARPENEDGE;エッジ PARTIALPASTE_SHARPENING;シャープニング (USM/RL) PARTIALPASTE_SHARPENMICRO;マイクロコントラスト PARTIALPASTE_SOFTLIGHT;ソフトライト +PARTIALPASTE_SPOT;染み除去 PARTIALPASTE_TM_FATTAL;ダイナミックレンジ圧縮 PARTIALPASTE_VIBRANCE;自然な彩度 PARTIALPASTE_VIGNETTING;周辺光量補正 @@ -1572,14 +1855,17 @@ PREFERENCES_CHUNKSIZE_RAW_CA;Raw 色収差補正 PREFERENCES_CHUNKSIZE_RAW_RCD;RCD デモザイク PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans デモザイク PREFERENCES_CHUNKSIZE_RGB;RGB 処理 -PREFERENCES_CLIPPINGIND;クリッピング領域の表示 +PREFERENCES_CIE;Ciecam +PREFERENCES_CIEARTIF;アーティファクトを回避 +PREFERENCES_CLIPPINGIND;クリッピング警告の表示 PREFERENCES_CLUTSCACHE;HaldCLUT cache PREFERENCES_CLUTSCACHE_LABEL;cacheに入れるHaldCLUTの最大数 PREFERENCES_CLUTSDIR;HaldCLUTのディレクトリー PREFERENCES_CMMBPC;ブラックポイントの補正 -PREFERENCES_COMPLEXITYLOC;ローカル調整のデフォルトの複雑度 -PREFERENCES_COMPLEXITY_EXP;エキスパート -PREFERENCES_COMPLEXITY_NORM;通常 +PREFERENCES_COMPLEXITYLOC;デフォルトで表示するローカル編集の機能水準 +PREFERENCES_COMPLEXITY_EXP;高度 +PREFERENCES_COMPLEXITY_NORM;標準 +PREFERENCES_COMPLEXITY_SIMP;基本 PREFERENCES_CROP;切り抜き画像の編集 PREFERENCES_CROP_AUTO_FIT;切り抜き画像を自動的に拡大します PREFERENCES_CROP_GUIDES;切り抜き画像が編集されていない時はガイドを表示します @@ -1611,11 +1897,17 @@ PREFERENCES_DIRSELECTDLG;起動時の画像ディレクトリ選択... PREFERENCES_DIRSOFTWARE;インストール・ディレクトリ PREFERENCES_EDITORCMDLINE;カスタムコマンドライン PREFERENCES_EDITORLAYOUT;編集 レイアウト +PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;出力プロファイルを迂回 +PREFERENCES_EXTEDITOR_DIR;出力ディレクトリ +PREFERENCES_EXTEDITOR_DIR_CURRENT;入力画像と同じ +PREFERENCES_EXTEDITOR_DIR_CUSTOM;カスタム +PREFERENCES_EXTEDITOR_DIR_TEMP;OS 一時ディレクトリ +PREFERENCES_EXTEDITOR_FLOAT32;32-ビット 浮動小数点TIFF出力 PREFERENCES_EXTERNALEDITOR;外部エディタ PREFERENCES_FBROWSEROPTS;ファイルブラウザ/サムネイルのオプション PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;ファイルブラウザのツールバーを圧縮 PREFERENCES_FLATFIELDFOUND;検出 -PREFERENCES_FLATFIELDSDIR;フラットフィールド・ディレクトリ +PREFERENCES_FLATFIELDSDIR;フラットフィールドのディレクトリ PREFERENCES_FLATFIELDSHOTS;ショット PREFERENCES_FLATFIELDTEMPLATES;テンプレート PREFERENCES_FORIMAGE;rawではない画像 @@ -1625,9 +1917,10 @@ PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;サムネイルのサイズが異な PREFERENCES_GIMPPATH;GIMP インストール ディレクトリ PREFERENCES_HISTOGRAMPOSITIONLEFT;左パネルにヒストグラム PREFERENCES_HISTOGRAM_TOOLTIP;これを有効にすると、ヒストグラムとナビゲーターの表示に、出力プロファイル(ガンマ適用)の代わりに作業プロファイルを使います -PREFERENCES_HLTHRESHOLD;ハイライト・クリッピング領域のしきい値 +PREFERENCES_HLTHRESHOLD;ハイライト・クリッピング警告のしきい値 PREFERENCES_ICCDIR;カラープロファイルを含むディレクトリ PREFERENCES_IMPROCPARAMS;画像処理のデフォルト値 +PREFERENCES_INSPECTORWINDOW;カメラ出し画像を独自のウィンドウ或いはフルスクリーンで開く PREFERENCES_INSPECT_LABEL;カメラ出しJPEG PREFERENCES_INSPECT_MAXBUFFERS_LABEL;cacheに入れる画像の最大数 PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;ファイルブラウザの操作中にcacheに入れられる画像の最大数。RAM容量が小さい場合(2G以下)の場合は、設定値を1或いは2にするべき @@ -1645,12 +1938,12 @@ PREFERENCES_MENUGROUPLABEL;"カラーラベル"のグループ PREFERENCES_MENUGROUPPROFILEOPERATIONS;"処理プロファイル操作"のグループ PREFERENCES_MENUGROUPRANK;"ランキング"のグループ PREFERENCES_MENUOPTIONS;メニューオプションの状況 -PREFERENCES_MONINTENT;デフォルトのレンダリングの目標 +PREFERENCES_MONINTENT;デフォルトのレンダリングインテント PREFERENCES_MONITOR;モニター PREFERENCES_MONPROFILE;デフォルトのモニタープロファイル PREFERENCES_MONPROFILE_WARNOSX;MacのOSの制約により、サポート出来るのはsRGBだけです PREFERENCES_MULTITAB;マルチ編集タブモード -PREFERENCES_MULTITABDUALMON;独自のウィンドウモードによるマルチ編集タブ +PREFERENCES_MULTITABDUALMON;特定のウィンドウでマルチ編集タブを使う PREFERENCES_NAVIGATIONFRAME;ナビゲーション PREFERENCES_OVERLAY_FILENAMES;ファイル名をサムネイル上に透過表示する PREFERENCES_OVERLAY_FILENAMES_FILMSTRIP;ファイル名を編集パネルのサムネイル上に透過表示する @@ -1681,9 +1974,9 @@ PREFERENCES_PROFILESAVEINPUT;処理プロファイルのパラメータを入力 PREFERENCES_PROFILESAVELOCATION;処理プロファイルが保存されている場所 PREFERENCES_PROFILE_NONE;なし PREFERENCES_PROPERTY;プロパティ -PREFERENCES_PRTINTENT;目標とするレンダリング +PREFERENCES_PRTINTENT;レンダリングインテント PREFERENCES_PRTPROFILE;カラープロファイル -PREFERENCES_PSPATH;Adobe Photoshop のインストール・ディレクトリ +PREFERENCES_PSPATH;Adobe Photoshop(c)のインストール・ディレクトリ PREFERENCES_REMEMBERZOOMPAN;ズームレベルとパン速度を記憶する PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;現在の画像のズームレベルとパン速度を記憶し、新しく開く画像に適用\n\nこのオプションが使えるのは、編集画面のモードが“シングル編集”で、“プレビューのズームレベルが100%以下の場合に使うデモザイク”が“pp3に従う”と設定されている場合だけです。 PREFERENCES_SAVE_TP_OPEN_NOW;機能パネルの今の開閉状態を保存する @@ -1697,13 +1990,13 @@ PREFERENCES_SHOWDATETIME;日付表示 PREFERENCES_SHOWEXPOSURECOMPENSATION;露光補正追加 PREFERENCES_SHOWFILMSTRIPTOOLBAR;画像スライドにツールバーを表示する PREFERENCES_SHOWTOOLTIP;ローカル調整の機能のヒントを表示 -PREFERENCES_SHTHRESHOLD;シャドウ・クリッピング領域のしきい値 -PREFERENCES_SINGLETAB;シングルタブモードモード +PREFERENCES_SHTHRESHOLD;シャドウ・クリッピング警告のしきい値 +PREFERENCES_SINGLETAB;シングルタブ編集モード PREFERENCES_SINGLETABVERTAB;シングル編集タブモード, 垂直タブ PREFERENCES_SND_HELP;ファイルパスを入力 または空欄(無音).\nWindowsはシステムサウンドの "SystemDefault", "SystemAsterisk"など..\nLinuxはシステムサウンドの "complete", "window-attention"などを使用します PREFERENCES_SND_LNGEDITPROCDONE;編集処理 終了 PREFERENCES_SND_QUEUEDONE;キュー処理 終了 -PREFERENCES_SND_THRESHOLDSECS;秒後 +PREFERENCES_SND_THRESHOLDSECS;数秒後 PREFERENCES_STARTUPIMDIR;起動時の画像・ディレクトリ PREFERENCES_TAB_BROWSER;ファイルブラウザ PREFERENCES_TAB_COLORMGR;カラーマネジメント @@ -1720,6 +2013,7 @@ PREFERENCES_TP_LABEL;ツール パネル: PREFERENCES_TP_VSCROLLBAR;ツールパネルの垂直スクロールバーを隠す PREFERENCES_USEBUNDLEDPROFILES;付属のプロファイルを使用 PREFERENCES_WORKFLOW;レイアウト +PREFERENCES_ZOOMONSCROLL;スクロールを使って画像の拡大・縮小 PROFILEPANEL_COPYPPASTE;コピーするパラメータ PROFILEPANEL_GLOBALPROFILES;付属のプロファイル PROFILEPANEL_LABEL;処理プロファイル @@ -1785,7 +2079,7 @@ SAVEDLG_AUTOSUFFIX;ファイルが存在する場合、自動的に末尾に文 SAVEDLG_FILEFORMAT;ファイル形式 SAVEDLG_FILEFORMAT_FLOAT;浮動小数点 SAVEDLG_FORCEFORMATOPTS;強制保存オプション -SAVEDLG_JPEGQUAL;JPEG 品質 +SAVEDLG_JPEGQUAL;JPEGの質 SAVEDLG_PUTTOQUEUE;キュー処理に追加 SAVEDLG_PUTTOQUEUEHEAD;キュー処理の最初に追加 SAVEDLG_PUTTOQUEUETAIL;キュー処理の最後に追加 @@ -1808,10 +2102,11 @@ THRESHOLDSELECTOR_HINT;個々のコントロールポイントを移動するに THRESHOLDSELECTOR_T;上 THRESHOLDSELECTOR_TL;上-左 THRESHOLDSELECTOR_TR;上-右 -TOOLBAR_TOOLTIP_COLORPICKER;ロック式カラーピッカー\n\n有効にすると:\nプレビュー画像上でマウスを左クリックするとカラーピッカーが追加されます。\n左のボタンを押しながらマウスを動かすとカラーピッカーも移動します\nカラーピッカーを削除する時はマウスを右クリックします\nカラーピッカー全てを削除する場合は、Shiftボタンを押しながらマウスを右クリックします\nカラーピッカーのマーク以外の部分でマウスを右クリックすれば、ハンドツールに戻ります +TOOLBAR_TOOLTIP_COLORPICKER;ロック式カラーピッカー\n追加したピッカー上でShiftキーを押しながら左クリックすると、表示される色情報がRGB、Lab、HSVの順に変わります。\n\n有効にすると:\n- ピッカーの追加:左クリック\n- ピッカーの移動:左クリックしたまま移動\n- 1個のピッカーの削除:右クリック\n- 全てのピッカーを削除:ContlキーとShiftキーを押しながら右クリック\n- ハンドツールに戻す:ピッカーのアイコン以外の部分で右クリック TOOLBAR_TOOLTIP_CROP;切り抜き範囲選択\nショートカット: c TOOLBAR_TOOLTIP_HAND;手の平ツール\nショートカット: h -TOOLBAR_TOOLTIP_STRAIGHTEN;直線選択 / 角度補正\nショートカット: s\nプレビュー画像上にガイド線を描画し、垂直または水平方向を指示します。回転角度は、ガイド線の隣に表示されます。回転の中心は、プレビュー画像の中心です +TOOLBAR_TOOLTIP_PERSPECTIVE;遠近感の補正\n\n遠近感の歪みを補正するため制御ラインを調整します。ボタンをもう一度押すと調整が適用されます。 +TOOLBAR_TOOLTIP_STRAIGHTEN;直線選択 / 角度補正\nショートカット: s\n画像上にガイド線を描画し、垂直または水平方向を指示します。回転角度は、ガイド線の隣に表示されます。回転の中心は、プレビュー画像の中心です TOOLBAR_TOOLTIP_WB;スポット・ホワイトバランス\nショートカット: w TP_BWMIX_ALGO;アルゴリズム OYCPM TP_BWMIX_ALGO_LI;リニア @@ -1887,6 +2182,7 @@ TP_COARSETRAF_TOOLTIP_ROTLEFT;90度左回転\nショートカット: [\n\ TP_COARSETRAF_TOOLTIP_ROTRIGHT;90度右回転\nショートカット: ]\n\nシングル・エディタ・タブのショートカット: Alt-] TP_COARSETRAF_TOOLTIP_VFLIP;上下反転 TP_COLORAPP_ABSOLUTELUMINANCE;絶対輝度 +TP_COLORAPP_ADAPSCEN_TOOLTIP;カンデラ平方メートルで表せる撮影時の輝度に相当します。Exifデータから自動的に計算されます。 TP_COLORAPP_ALGO;アルゴリズム TP_COLORAPP_ALGO_ALL;すべて TP_COLORAPP_ALGO_JC;明度 + 色度 (JC) @@ -1894,34 +2190,43 @@ TP_COLORAPP_ALGO_JS;明度 + 彩度 (JS) TP_COLORAPP_ALGO_QM;明るさ + 鮮やかさ (QM) TP_COLORAPP_ALGO_TOOLTIP;サブセット、或いは全てのパラメータの中から選択 TP_COLORAPP_BADPIXSL;ホット/バッドピクセルフィルター -TP_COLORAPP_BADPIXSL_TOOLTIP;明るい部分のホット/バッドピクセルを圧縮します\n 0は効果なし 1は中間 2はガウスほかし\n\nこれらアーティファクトはCIECAM02の限界に起因するものです。色域を抑制する代わりに、イメージに暗い影が現れるのを防ぎます +TP_COLORAPP_BADPIXSL_TOOLTIP;明るい部分のホット/バッドピクセルを圧縮します\n 0は効果なし 1は中間 2はガウスほかし\n\nこれらアーティファクトはCIECAM02/16の限界に起因するものです。色域を抑制する代わりに、イメージに暗い影が現れるのを防ぎます TP_COLORAPP_BRIGHT;明るさ (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM02の明るさは L*a*b*やRGBとは異なり、白の輝度を計算に入れます +TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM02/16の明るさは 色刺激から発せられた知覚された光の量のことで、L*a*b*やRGBの明るさとは異なります。 TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;設定を手動で行う場合、65以上の設定値を推奨 +TP_COLORAPP_CATCLASSIC;クラシック +TP_COLORAPP_CATMET_TOOLTIP;クラシック - 従来のCIECAMの作用です。色順応変換が、基本的な光源をベースにした'場面条件'と、基本的な光源をベースにした'観視条件'に対し、別々に作用します。\n\nシンメトリック – 色順応がホワイトバランスをベースにして作用します。'場面条件'、'画像の調整'、'観視条件'の設定はニュートラルになります。\n\n混成 – 作用は'クラシック'と同じですが、色順応はホワイトバランスをベースにします。 +TP_COLORAPP_CATMOD;モード Cat02/16 +TP_COLORAPP_CATSYMGEN;自動シンメトリック +TP_COLORAPP_CATSYMSPE;混成 TP_COLORAPP_CHROMA;色度 (C) TP_COLORAPP_CHROMA_M;鮮やかさ (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM02の鮮やかさは L*a*b*やRGBの鮮やかさとは異なります +TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM02/16の鮮やかさは、グレーと比較して知覚される色の量のことで、その色刺激の映り方に彩が多いか少ないかを意味します。 TP_COLORAPP_CHROMA_S;彩度 (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM02の彩度は L*a*b*やRGBの彩度とは異なります -TP_COLORAPP_CHROMA_TOOLTIP;CIECAM02の色度は L*a*b*やRGBの色度とは異なります -TP_COLORAPP_CIECAT_DEGREE;CAT02 +TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM02/16の彩度は、色刺激自体が持つ明るさと比較したその色合いに該当するもので、L*a*b*やRGBの彩度とは異なります。 +TP_COLORAPP_CHROMA_TOOLTIP;CIECAM02の色度は、同一の観視環境の下では白に見える色刺激と比較した、その色刺激の'色合い'に相当するもので、L*a*b*やRGBの色度とは異なります。 +TP_COLORAPP_CIECAT_DEGREE;CAT02/16(色順応変換02/16) TP_COLORAPP_CONTRAST;コントラスト (J) TP_COLORAPP_CONTRAST_Q;コントラスト (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;CIECAM02のコントラスト(明るさQ)スライダーは L*a*b*やRGBとは異なります -TP_COLORAPP_CONTRAST_TOOLTIP;CIECAM02のコントラスト(明度J)スライダーは L*a*b*やRGBとは異なります +TP_COLORAPP_CONTRAST_Q_TOOLTIP;CIECAM02/16のコントラスト(Q) は明るさに基づくもので、L*a*b*やRGBのコントラストとは異なります +TP_COLORAPP_CONTRAST_TOOLTIP;CIECAM02/16のコントラスト(J)は明度に基づくもので、L*a*b*やRGBのコントラストとは異なります TP_COLORAPP_CURVEEDITOR1;トーンカーブ1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;CIECAM02調整前のL(L*a*b*)のヒストグラムを表示\n CIECAM出力のヒストグラム表示チェックボックスが有効になっている場合は、CIECAM調整後の JまたはQのヒストグラムを表示します\n\n(J、Q)はメイン・ヒストグラムパネルには表示されません\n\n最終出力はメインのヒストグラムパネルを参照してください +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;CIECAM02/16調整前のL(L*a*b*)のヒストグラムを表示\n CIECAMの出力のヒストグラムが有効になっている場合は、CIECAM調整後の JまたはQのヒストグラムを表示します\n\n(J、Q)はメイン・ヒストグラムパネルには表示されません\n\n最終出力はメインのヒストグラムパネルを参照してください TP_COLORAPP_CURVEEDITOR2;トーンカーブ2 -TP_COLORAPP_CURVEEDITOR2_TOOLTIP;2番目の露光トーンカーブも同じ使い方です +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;最初のJ(J)カーブトーンカーブも同じ使い方です TP_COLORAPP_CURVEEDITOR3;カラーカーブ -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;色度、彩度、鮮やかさのいずれかを調整します\n\nCIECAM02調整前の色度(L*a*b*)のヒストグラムを表示します\nチェックボックスの"カーブにCIECAM02出力のヒストグラムを表示" が有効の場合、CIECAM02調整後のC,sまたはMのヒストグラムを表示します\n\nC, sとMは、メインのヒストグラム・パネルには表示されません\n最終出力は、メインのヒストグラム・パネルを参照してください -TP_COLORAPP_DATACIE;カーブでCIECAM02出力のヒストグラムを表示 -TP_COLORAPP_DATACIE_TOOLTIP;有効の場合、CIECAM02カーブのヒストグラムは、JかQ、CIECAM02調整後のCかs、またはMの値/範囲の近似値を表示します\nこの選択はメイン・ヒストグラムパネルには影響を与えません\n\n無効の場合、CIECAM02カーブのヒストグラムは、CIECAM調整前のL*a*b*値を表示します -TP_COLORAPP_FREE;任意の色温度と色偏差 + CAT02 + [出力] +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;色度、彩度、鮮やかさのいずれかを調整します\n\nCIECAM02/16調整前の色度(L*a*b*)のヒストグラムを表示します\nチェックボックスの'カーブにCIECAM02出力のヒストグラム' が有効の場合、CIECAM02調整後のC,sまたはMのヒストグラムを表示します\n\nC, sとMは、メインのヒストグラム・パネルには表示されません\n最終出力は、メインのヒストグラム・パネルを参照してください +TP_COLORAPP_DATACIE;カーブでCIECAM02/16出力のヒストグラムを表示 +TP_COLORAPP_DATACIE_TOOLTIP;有効の場合、CIECAM02/16カーブのヒストグラムは、JかQ、CIECAM02調整後のCかs、またはMの値/範囲の近似値を表示します\nこの選択はメイン・ヒストグラムパネルには影響を与えません\n\n無効の場合、CIECAM02カーブのヒストグラムは、CIECAM調整前のL*a*b*値を表示します +TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光源(例えばD65)のホワイトポイントの値を、別な光源(例えばD50 やD55)のホワイトポイントの値に変換することです(WPモデルを参照)。 +TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光源(例えばD50)のホワイトポイントの値を、別な光源(例えばD75)のホワイトポイントの値に変換することです(WPモデルを参照)。 +TP_COLORAPP_FREE;任意の色温度と色偏差 + CAT02/16 + [出力] TP_COLORAPP_GAMUT;色域制御 (L*a*b*) TP_COLORAPP_GAMUT_TOOLTIP;L*a*b*モードの色域制御を可能にします +TP_COLORAPP_GEN;設定 - プリセット +TP_COLORAPP_GEN_TOOLTIP;この機能モジュールは、CIECAM02/16(色の見えモデル)をベースにしています。異なる光源の下での、人間の視覚の知覚を、より適切に真似るように設計された色モデルです(例えば、青白い光の中で見る物の色)。\n各色の条件を計算に入れながら、人間の視覚が認識する色に可能な限り近づくように変換します。\nまた、画像の場面や表示デバイスに応じて、その色が維持されるように、予定している出力条件(モニター、TV、プロジェクター、プリンターなど)を考慮します。 TP_COLORAPP_HUE;色相 (h) -TP_COLORAPP_HUE_TOOLTIP;色相 (h) - 0° から 360°の角度 +TP_COLORAPP_HUE_TOOLTIP;色相(h)は色相環におけるその色刺激の角度で、レッド、グリーン、ブルー、イエローで表現されます。 TP_COLORAPP_IL41;D41 TP_COLORAPP_IL50;D50 TP_COLORAPP_IL55;D55 @@ -1932,27 +2237,34 @@ TP_COLORAPP_ILA;白熱灯標準A 2856K TP_COLORAPP_ILFREE;フリー TP_COLORAPP_ILLUM;光源 TP_COLORAPP_ILLUM_TOOLTIP;撮影条件に最も近い条件を選択します\n一般的にはD50 ですが、時間と緯度に応じて変えます -TP_COLORAPP_LABEL;CIE色の見えモデル2002 +TP_COLORAPP_LABEL;色の見えモデル(CIECAM02/16) TP_COLORAPP_LABEL_CAM02;画像の調整 -TP_COLORAPP_LABEL_SCENE;撮影環境 -TP_COLORAPP_LABEL_VIEWING;観視環境 +TP_COLORAPP_LABEL_SCENE;場面条件 +TP_COLORAPP_LABEL_VIEWING;観視条件 TP_COLORAPP_LIGHT;明度 (J) -TP_COLORAPP_LIGHT_TOOLTIP;CIECAM02の明度は L*a*b*やRGBの明度とは異なります -TP_COLORAPP_MEANLUMINANCE;中間輝度 (Yb%) +TP_COLORAPP_LIGHT_TOOLTIP;CIECAM02の明度は、同じような環視環境の下で白に見える色刺激の明瞭度と、その色の明瞭度を比較したもので、L*a*b*やRGBの明度とは異なります。 +TP_COLORAPP_MEANLUMINANCE;平均輝度 (Yb%) +TP_COLORAPP_MOD02;CIECAM02 +TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_MODEL;ホワイトポイント・モデル -TP_COLORAPP_MODEL_TOOLTIP;WB [RT] + [出力]:\nRTのホワイトバランスは、撮影環境に使用されます。CIECAM02はD50の設定, 出力デバイスのホワイトバランスは「環境設定」の「カラーマネジメント」の設定\n\nWB [RT+CAT02] + [出力]:\nRTのホワイトバランス設定は、CAT02で使用され、出力デバイスのホワイトバランスは環境設定の値を使用します +TP_COLORAPP_MODELCAT;色の見えモデル +TP_COLORAPP_MODELCAT_TOOLTIP;色の見えモデルはCIECAM02或いはCIECAM16のどちらかを選択出来ます\n CIECAM02の方がより正確な場合があります\n CIECAM16の方がアーティファクトの発生が少ないでしょう +TP_COLORAPP_MODEL_TOOLTIP;ホワイトポイントモデル\n\nWB [RT] + [出力]\:周囲環境のホワイトバランスは、カラータブのホワイトバランスが使われます。CIECAM02/16の光源にはD50が使われ, 出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\nWB [RT+CAT02] + [出力]:カラータブのホワイトバランスがCAT02で使われます。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\n任意の色温度と色偏差 + CAT02 + [出力]:色温度と色偏差はユーザーが設定します。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます TP_COLORAPP_NEUTRAL;リセット TP_COLORAPP_NEUTRAL_TIP;全てのスライダーチェックボックスとカーブをデフォルトにリセットします -TP_COLORAPP_PRESETCAT02;cat02の自動プリセット -TP_COLORAPP_PRESETCAT02_TIP;これを有効にすると、スライダー、色温度、色偏差がCAT02自動に合わせて設定されます\n撮影環境の輝度は変えることが出来ます\n必要であれば、CAT02の観視環境を変更します\n必要に応じて観視環境の色温度、色偏差、を変更します +TP_COLORAPP_PRESETCAT02;cat02/16の自動プリセット シンメトリックモード +TP_COLORAPP_PRESETCAT02_TIP;これを有効にすると、CAT02/16のためのスライダー、色温度、色偏差が自動的に設定されます。\n 撮影環境の輝度は変えることが出来ます。\n 必要であれば、CAT02/16の観視環境を変更します。\n 必要に応じて観視環境の色温度、色偏差、を変更します。\n 全ての自動チェックボックスが無効になります。 TP_COLORAPP_RSTPRO;レッドと肌色トーンを保護 TP_COLORAPP_RSTPRO_TOOLTIP;レッドと肌色トーンを保護はスライダーとカーブの両方に影響します -TP_COLORAPP_SURROUND;周囲環境 -TP_COLORAPP_SURROUND_AVER;普通 +TP_COLORAPP_SOURCEF_TOOLTIP;撮影条件に合わせて、その条件とデータを通常の範囲に収めます。ここで言う“通常”とは、平均的或いは標準的な条件とデータのことです。例えば、CIECAM02の補正を計算に入れずに収める。 +TP_COLORAPP_SURROUND;観視時の周囲環境 +TP_COLORAPP_SURROUNDSRC;撮影時の周囲環境 +TP_COLORAPP_SURROUND_AVER;平均 TP_COLORAPP_SURROUND_DARK;暗い TP_COLORAPP_SURROUND_DIM;薄暗い -TP_COLORAPP_SURROUND_EXDARK;非常に暗い (Cutsheet) -TP_COLORAPP_SURROUND_TOOLTIP;トーンとカラーの変更は、出力デバイスの観視条件を計算に入れます\n\n普通:\n平均的な明るい環境 (標準)\n画像は変更されません\n\n薄暗い:\n薄暗い環境 (TV)\n画像は若干暗くなります\n\n暗い:\n暗い環境 (プロジェクター)\n画像はかなり暗くなります\n\n非常に暗い:\n非常に暗い環境 (Cutsheet)\n画像はとても暗くなります +TP_COLORAPP_SURROUND_EXDARK;非常に暗い +TP_COLORAPP_SURROUND_TOOLTIP;出力デバイスで観視する時の周囲環境を考慮するため、画像の明暗と色を変えます\n\n平均:\n周囲が平均的な明るさ(標準)\n画像は変わりません\n\n薄暗い:\n薄暗い環境、例、TVを見る環境\n画像は若干暗くなります\n\n暗い:\n暗い環境 例、プロジェクターを見る環境\n画像はかなり暗くなります\n\n非常に暗い:\n非常に暗い環境 (例、カットシートを使っている)\n画像はとても暗くなります +TP_COLORAPP_SURSOURCE_TOOLTIP;撮影時の周囲環境を考慮するため、画像の明暗と色を変えます。\n平均:周囲が平均的な明るさ(標準)。画像は変化しません。\n\n薄暗い:画像が少し明るくなります。\n\n暗い:画像が更に明るくなります。\n\n非常に暗い:画像は非常に明るくなります。 TP_COLORAPP_TCMODE_BRIGHTNESS;明るさ TP_COLORAPP_TCMODE_CHROMA;色度 TP_COLORAPP_TCMODE_COLORF;鮮やかさ @@ -1961,21 +2273,24 @@ TP_COLORAPP_TCMODE_LABEL2;カーブ・モード2 TP_COLORAPP_TCMODE_LABEL3;カーブ・色度モード TP_COLORAPP_TCMODE_LIGHTNESS;明度 TP_COLORAPP_TCMODE_SATUR;彩度 -TP_COLORAPP_TEMP2_TOOLTIP;シンメトリカルモードの場合は色温度 = White balance.\n色偏差は常に1.0\n\nA光源 色温度=2856\nD41 色温度=4100\nD50 色温度=5003\nD55 色温度=5503\nD60 色温度=6000\nD65 色温度=6504\nD75 色温度=7504 +TP_COLORAPP_TEMP2_TOOLTIP;シンメトリカルモードの場合はホワイトバランスの色温度を使います\n色偏差は常に1.0\n\nA光源 色温度=2856\nD41 色温度=4100\nD50 色温度=5003\nD55 色温度=5503\nD60 色温度=6000\nD65 色温度=6504\nD75 色温度=7504 TP_COLORAPP_TEMPOUT_TOOLTIP;色温度と色偏差を変えるために無効にします TP_COLORAPP_TEMP_TOOLTIP;選択した光源に関し色偏差は常に1が使われます\n\n色温度=2856\nD50 色温度=5003\nD55 色温度=5503\nD65 色温度=6504\nD75 色温度=7504 -TP_COLORAPP_TONECIE;CIECAM02 明るさ(Q)を使用してトーンマッピング -TP_COLORAPP_TONECIE_TOOLTIP;このオプションが無効になっている場合、トーンマッピングはL*a*b*空間を使用します\nこのオプションが有効になっている場合、トーンマッピングは、CIECAM02を使用します\nトーンマッピング(L*a*b*/CIECAM02)ツールを有効にするには、この設定を有効にする必要があります -TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;観視環境の絶対輝度\n(通常 16cd/m2) -TP_COLORAPP_WBCAM;WB [RT+CAT02] + [出力] +TP_COLORAPP_TONECIE;CIECAM02/16を使ったトーンマッピング +TP_COLORAPP_TONECIE_TOOLTIP;このオプションが無効になっている場合、トーンマッピングはL*a*b*空間を使用します\nこのオプションが有効になっている場合、トーンマッピングは、CIECAM02/16を使用します\nトーンマッピング(L*a*b*/CIECAM02)ツールを有効にするには、この設定を有効にする必要があります +TP_COLORAPP_VIEWINGF_TOOLTIP;周囲環境だけでなく、最終的に画像を見る媒体(モニター、TV、プロジェクター、プリンター。。。)を考慮します。この処理は、“画像調整”から持って来たデータを、周囲条件を考慮した観視環境に合わせて調整することです。 +TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;観視条件の絶対輝度\n通常 平方メートル当たり16カンデラ +TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [出力] TP_COLORAPP_WBRT;WB [RT] + [出力] +TP_COLORAPP_YBOUT_TOOLTIP;Ybは背景の相対輝度のことで、グレーの割合%で表現します。グレー18%という数値は、CIEの明度で50%の背景輝度に相当します。\nYbは画像の平均輝度から算出されます。 +TP_COLORAPP_YBSCEN_TOOLTIP;Ybは背景の相対輝度のことで、グレーの割合%で表現します。グレー18%という数値は、CIEの明度で50%の背景輝度に相当します。\nYbは画像の平均輝度から算出されます。 TP_COLORTONING_AB;o C/L -TP_COLORTONING_AUTOSAT;自動彩度 +TP_COLORTONING_AUTOSAT;自動彩度調節 TP_COLORTONING_BALANCE;バランス TP_COLORTONING_BY;o C/L TP_COLORTONING_CHROMAC;不透明度 -TP_COLORTONING_COLOR;カラー -TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;C=f(L)の明度に応じたクロマの不透明度 +TP_COLORTONING_COLOR;カラー: +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;C=f(L)の明度に応じた色の不透明度 TP_COLORTONING_HIGHLIGHT;ハイライト TP_COLORTONING_HUE;色相 TP_COLORTONING_LAB;L*a*b*モデルでブレンド @@ -2009,24 +2324,25 @@ TP_COLORTONING_METHOD_TOOLTIP;L*a*b*モデルのブレンドはカラー補間 TP_COLORTONING_MIDTONES;中間トーン TP_COLORTONING_NEUTRAL;スライダーをリセット TP_COLORTONING_NEUTRAL_TIP;スライダーの全ての値(SMH:シャドウ、ミッドトーン、ハイライト)をデフォルトに戻す -TP_COLORTONING_OPACITY;不透明度 +TP_COLORTONING_OPACITY;不透明度: TP_COLORTONING_RGBCURVES;RGB - カーブ TP_COLORTONING_RGBSLIDERS;RGB - スライダー TP_COLORTONING_SA;彩度の保護 TP_COLORTONING_SATURATEDOPACITY;強さ TP_COLORTONING_SATURATIONTHRESHOLD;しきい値 TP_COLORTONING_SHADOWS;シャドウ -TP_COLORTONING_SPLITCO;S/M/Hでカラートーン調整 -TP_COLORTONING_SPLITCOCO;S/M/Hでカラーバランス +TP_COLORTONING_SPLITCO;シャドウ/中間トーン/ハイライト +TP_COLORTONING_SPLITCOCO;シャドウ/中間トーン/ハイライトのカラーバランス TP_COLORTONING_SPLITLR;2色の彩度でカラートーン調整 TP_COLORTONING_STR;強さ TP_COLORTONING_STRENGTH;強さ TP_COLORTONING_TWO2;特定のクロマ‘2色’ TP_COLORTONING_TWOALL;特定のクロマ -TP_COLORTONING_TWOBY;特定の'a*'と'b*' +TP_COLORTONING_TWOBY;特定のa*とb* TP_COLORTONING_TWOCOLOR_TOOLTIP;標準的クロマ:\n線形的作用 a*=b*\n特定のクロマ:\n線形的作用 a*=b*、同じ増減率、カーブを対角線より下に下げると不透明度の値はマイナスになる、色相全体が影響を受ける\n特定のa*とb*:\n線形的作用 a*、b*別々に調整、特殊効果が目的\n特定のクロマ2色:\nカラーカーブで特定された2つの色相だけが影響を受ける TP_COLORTONING_TWOSTD;標準的クロマ TP_CROP_FIXRATIO;縦横比固定 +TP_CROP_GTCENTEREDSQUARE;センタリング正方形 TP_CROP_GTDIAGONALS;対角線 TP_CROP_GTEPASSPORT;バイオメトリック・パスポート TP_CROP_GTFRAME;フレーム @@ -2052,14 +2368,14 @@ TP_DEFRINGE_RADIUS;半径 TP_DEFRINGE_THRESHOLD;しきい値 TP_DEHAZE_DEPTH;深度 TP_DEHAZE_LABEL;霞除去 -TP_DEHAZE_LUMINANCE;輝度のみ +TP_DEHAZE_SATURATION;彩度 TP_DEHAZE_SHOW_DEPTH_MAP;深度マップの表示 TP_DEHAZE_STRENGTH;強さ TP_DIRPYRDENOISE_CHROMINANCE_AMZ;自動(多分割方式) TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;自動(分割方式) TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;ブルー/イエロー TP_DIRPYRDENOISE_CHROMINANCE_CURVE;色ノイズ低減のカーブ -TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;クロミナンススライダー全ての値を増幅します\n色度をベースにこのカーブで色ノイズ低減の強さを加減します。例えば彩度の低い部分で作用を強める、或いは色度の高い部分で作用を弱めるように使います +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;色ノイズに関するスライダーの全ての値を増幅します\n色度をベースにこのカーブで色ノイズ低減の強さを加減します。例えば彩度の低い部分で作用を強める、或いは色度の高い部分で作用を弱めるように使います TP_DIRPYRDENOISE_CHROMINANCE_FRAME;色ノイズ TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;手動 TP_DIRPYRDENOISE_CHROMINANCE_MASTER;色(マスター) @@ -2096,7 +2412,7 @@ TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;メディアンフィルター TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;輝度のみ TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;フィルタリングの方式で、"輝度のみ"と"L*a*b*"を選択した場合、メディアンフィルタリングはノイズ低減行程でウェーブレット変換が行われた直後に適用されます\n"RGB"モードの場合は、ノイズ低減行程の最後で適用されます +TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;'輝度のみ'と'L*a*b*'方式を選択した場合、メディアンフィルタはノイズ低減処理でウェーブレット変換が行われた直後に実行されます\n'RGB'モードの場合は、ノイズ低減処理の最後の行程で実行されます TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;加重平均 L* (少なめ) + a*b* (普通) TP_DIRPYRDENOISE_MEDIAN_PASSES;フィルタリングの繰り返し回数 TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;計算領域が3x3ピクセルのメディアンフィルタを3回繰り返し適用する方が、計算領域が7x7ピクセルのメディアンフィルタを1回適用するより結果が良くなることがままあります。 @@ -2162,14 +2478,21 @@ TP_EXPOSURE_TCMODE_WEIGHTEDSTD;加重平均 TP_EXPOS_BLACKPOINT_LABEL;raw ブラック・ポイント TP_EXPOS_WHITEPOINT_LABEL;raw ホワイト・ポイント TP_FILMNEGATIVE_BLUE;ブルーの比率 -TP_FILMNEGATIVE_FILMBASE_PICK;フィルのベースカラーをピック -TP_FILMNEGATIVE_FILMBASE_TOOLTIP;実際のフィルムのベースカラーを取得して、処理プロファイルに保存するために未露光のスポットをピック(例 フレームの境)\nこの方が、同じフィルムロールからの複数の画像をバッチ処理する際に、一貫性のあるカラーバランスを取り易いです\n変換する画像が極端に暗い、明るい、色のバランスが悪い場合に使えます。 -TP_FILMNEGATIVE_FILMBASE_VALUES;フィルムをベースにしたRGB: -TP_FILMNEGATIVE_GREEN;参考指数(コントラスト) -TP_FILMNEGATIVE_GUESS_TOOLTIP;原画像の中で色相がニュートラルな部分2か所をピックすることでレッドとブルーの比率を自動で設定します。明るさが異なる2か所をピックします。その後、ホワイトバランスを設定します。 +TP_FILMNEGATIVE_BLUEBALANCE;クール/ウォーム +TP_FILMNEGATIVE_COLORSPACE;反転の色空間: +TP_FILMNEGATIVE_COLORSPACE_INPUT;入力色空間 +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;ネガの反転を実行する色空間を選びます:\n入力色空間 : 以前のRawTherapeeバージョンのように入力プロファイルの適用前に反転を実行します\n作業色空間 : 入力プロファイル適用後に反転を実行します。現在選択されている作業色空間を使います。 +TP_FILMNEGATIVE_COLORSPACE_WORKING;作業色空間 +TP_FILMNEGATIVE_GREEN;参考指数 +TP_FILMNEGATIVE_GREENBALANCE;マゼンタ/グリーン +TP_FILMNEGATIVE_GUESS_TOOLTIP;レッドとブルーの比率を、元画像の中で色相がニュートラルな2つの部分(明るさは異なる)をピックアップして、自動で設定します。 TP_FILMNEGATIVE_LABEL;ネガフィルム +TP_FILMNEGATIVE_OUT_LEVEL;出力のレベル TP_FILMNEGATIVE_PICK;ニュートラルなポイントをピック TP_FILMNEGATIVE_RED;レッドの比率 +TP_FILMNEGATIVE_REF_LABEL;入力RGB: %1 +TP_FILMNEGATIVE_REF_PICK;ホワイトバランスのスポットをピックアップ +TP_FILMNEGATIVE_REF_TOOLTIP;ポジの画像でホワイトバランスの取れているグレーの部分をピックアップします TP_FILMSIMULATION_LABEL;フィルムシミュレーション TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapeeはフィルムシミュレーション機能に使う画像をHald CLUTフォルダーの中から探すよう設計されています(プログラムに組み込むにはフォルダーが大き過ぎるため)。\n変更するには、環境設定 > 画像処理 > フィルムシミュレーションと進み\nどのフォルダーが使われているか確認します。機能を利用する場合は、Hald CLUTだけが入っているフォルダーを指定するか、 この機能を使わない場合はそのフォルダーを空にしておきます。\n\n詳しくはRawPediaを参照して下さい。\n\nフィルム画像のスキャンを止めますか? TP_FILMSIMULATION_STRENGTH;強さ @@ -2201,6 +2524,7 @@ TP_HLREC_BLEND;ブレンド TP_HLREC_CIELAB;CIEL*a*b* ブレンディング TP_HLREC_COLOR;色の波及 TP_HLREC_ENA_TOOLTIP;自動露光でも動作可 +TP_HLREC_HLBLUR;ぼかし TP_HLREC_LABEL;ハイライト復元 TP_HLREC_LUMINANCE;輝度復元 TP_HLREC_METHOD;方式: @@ -2209,18 +2533,22 @@ TP_HSVEQUALIZER_HUE;H TP_HSVEQUALIZER_LABEL;HSV イコライザ TP_HSVEQUALIZER_SAT;S TP_HSVEQUALIZER_VAL;V -TP_ICM_APPLYBASELINEEXPOSUREOFFSET;基本露出オフセット +TP_ICM_APPLYBASELINEEXPOSUREOFFSET;基本露出 TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;DCPに埋め込まれている基本露出オフセットを用います。但し、適用するDCPにこのタグがある場合に限ります。 TP_ICM_APPLYHUESATMAP;ベーステーブル TP_ICM_APPLYHUESATMAP_TOOLTIP;DCPに埋め込まれているベーステーブル(色相彩度マップ)を用います。但し、適用するDCPにこのタグがある場合に限ります。 TP_ICM_APPLYLOOKTABLE;ルックテーブル TP_ICM_APPLYLOOKTABLE_TOOLTIP;DCPに埋め込まれているルックテーブルを用います。但し、適用するDCPにこのタグがある場合に限ります。 +TP_ICM_BLUFRAME;ブルー 原色 TP_ICM_BPC;ブラックポイント補正 TP_ICM_DCPILLUMINANT;光源 TP_ICM_DCPILLUMINANT_INTERPOLATED;補間 TP_ICM_DCPILLUMINANT_TOOLTIP;埋め込まれているDCPの光源のどちらを使うか選択。デフォルトではホワイトバランスに基づいて二つの光源の中間に補間する。この設定は二つのDCPの光源が補間サポートされる、を選択している場合に有効。 +TP_ICM_FBW;白黒 +TP_ICM_GREFRAME;グリーン 原色 +TP_ICM_ILLUMPRIM_TOOLTIP;撮影条件に最も相応しい光源を選びます\n変更が行われるのは、‘変換先の原色’で‘カスタム (スライダー)’が選択された時だけです。 TP_ICM_INPUTCAMERA;カメラの標準的プロファイル -TP_ICM_INPUTCAMERAICC;カメラ固有のプロファイル +TP_ICM_INPUTCAMERAICC;カメラプロファイルの自動調和 TP_ICM_INPUTCAMERAICC_TOOLTIP;RawTherapeeが持っているカメラ固有のDCP或いはICCプロファイルを使用 シンプルなマトリクスより正確だが一部のカメラだけに利用可能 TP_ICM_INPUTCAMERA_TOOLTIP;dcrawのシンプルなカラー・マトリクス、RawTherapeeの拡張バージョン(カメラの機種によりどちらでも可能)またはDNGの埋め込みを使用 TP_ICM_INPUTCUSTOM;カスタム @@ -2231,27 +2559,72 @@ TP_ICM_INPUTEMBEDDED_TOOLTIP;raw以外のファイルに埋め込まれたカラ TP_ICM_INPUTNONE;プロファイルなし TP_ICM_INPUTNONE_TOOLTIP;すべてにカラープロファイルを使用しない 特殊な場合にのみ使用 TP_ICM_INPUTPROFILE;入力プロファイル -TP_ICM_LABEL;カラー・マネジメント +TP_ICM_LABEL;カラーマネジメント +TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +TP_ICM_NEUTRAL;リセット TP_ICM_NOICM;No ICM: sRGB 出力 TP_ICM_OUTPUTPROFILE;出力プロファイル -TP_ICM_PROFILEINTENT;目標とするレンダリング +TP_ICM_OUTPUTPROFILE_TOOLTIP;デフォルトでは、全てのRTv4或いはRTv2プロファイルでTRC - sRGB: ガンマ=2.4 勾配=12.92が適用されています\n\n'ICCプロファイルクリエーター'でv4或いはv2のプロファイルを以下の条件で作成出来ます;\n 原色: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n TRC: BT709, sRGB, 線形, 標準ガンマ=2.2, 標準ガンマ=1.8, カスタム\n 光源: D41, D50, D55, D60, D65, D80, stdA 2856K +TP_ICM_PRIMBLU_TOOLTIP;原色 ブルー:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;原色 グリーン:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMILLUM_TOOLTIP;画像を元のモード(“作業プロファイル”)から異なるモード(“変換先の原色”)に変えることが出来ます。画像に対し異なるカラーモードを選択すると、画像の色値を恒久的に変えることになります。\n\n‘原色’の変更は非常に複雑で、その使い方は非常に難しいものです。熟達した経験が必要です。\nチャンネルミキサーの原色のように、エキゾチックな色の調整が可能です。\nカスタム(スライダー)を使ってカメラのキャリブレーションを変えることが出来ます。 +TP_ICM_PRIMRED_TOOLTIP;原色 レッド:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +TP_ICM_PROFILEINTENT;レンダリングの意図 +TP_ICM_REDFRAME;カスタム 原色 TP_ICM_SAVEREFERENCE;参照画像を保存 TP_ICM_SAVEREFERENCE_APPLYWB;ホワイトバランスを適用 TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;一般的に、ICCプロファイルを作成するための画像を保存する際に適用するホワイトバランスです、DCPプロファイルを作成する時は適用しません。 TP_ICM_SAVEREFERENCE_TOOLTIP;入力プロファイルが適用される前のリニアなTIFF画像を保存します。キャリブレーション目的やカメラプロファイルの作成などに使います。 -TP_ICM_TONECURVE;DCPトーンカーブ使用 -TP_ICM_TONECURVE_TOOLTIP;DCPのプロファイルに含まれているトーンカーブを使用することができます +TP_ICM_TONECURVE;トーンカーブ +TP_ICM_TONECURVE_TOOLTIP;DCPに埋め込まれているトーンカーブを適用します。但し、この設定は選択したDCPにトーンカーブが埋め込まれている場合だけです。 +TP_ICM_TRCFRAME;アブストラクトプロファイル +TP_ICM_TRCFRAME_TOOLTIP;このプロファイルは‘シンセティック’または‘バーチャル’プロファイルとしても知られ、処理工程の最後(CIECAMの前))に適用されるもので、独自の画像効果を作ることが出来ます\n以下の要素に変更を加えることが出来ます:\n 画像のトーンを変えられる‘トーンリプロダクションカーブ’\n 撮影条件に適合するようにプロファイルの原色を変更する‘光源’\n 主にチャンネルミキサー、キャリブレーションの2つを使って変換先の原色を変える‘変換先の原色’\n注意: アブストラクトプロファイルは組み込まれている作業プロファイルを考慮するだけで、作業プロファイルの変更は行いません。カスタム作業プロファイルでは動作しません +TP_ICM_TRC_TOOLTIP;RawTherapeeのデフォルトで使われている‘トーンリプロダクションカーブ(TRC)’(g=2.4、s=12.92)を変えることが出来ます。\nTRCは画像のトーンを変えます。RGB、L*a*b*の値、ヒストグラム、出力(スクリーン、TIF、JPEG)が変わります。\nガンマは主に明るいトーンを変え、勾配は暗いトーンを変えます。\nどの様な‘ガンマ’と‘勾配’が選択出来ます(但し、1より大きい値)。このアルゴリズムはカーブの線形部分と放物線部分の連続性を確保します。\n‘なし’以外の選択で、‘光源’と‘変換先の原色’の中の一覧が有効になります。 TP_ICM_WORKINGPROFILE;作業プロファイル -TP_ICM_WORKING_TRC;TRC: +TP_ICM_WORKING_CIEDIAG;CIE xy ダイヤグラム +TP_ICM_WORKING_ILLU;光源 +TP_ICM_WORKING_ILLU_1500;タングステン 1500K +TP_ICM_WORKING_ILLU_2000;タングステン 2000K +TP_ICM_WORKING_ILLU_D41;D41 +TP_ICM_WORKING_ILLU_D50;D50 +TP_ICM_WORKING_ILLU_D55;D55 +TP_ICM_WORKING_ILLU_D60;D60 +TP_ICM_WORKING_ILLU_D65;D65 +TP_ICM_WORKING_ILLU_D80;D80 +TP_ICM_WORKING_ILLU_D120;D120 +TP_ICM_WORKING_ILLU_NONE;デフォルト +TP_ICM_WORKING_ILLU_STDA;stdA 2875K +TP_ICM_WORKING_PRESER;パステルトーンを維持 +TP_ICM_WORKING_PRIM;変換先の原色 +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;‘変換先の原色’のコンボボックスの中から‘カスタムCIE xyダイヤグラム’を選択すると、3つの原色がダイヤグラム上で変更可能となります。\n注意:この場合、ダイヤグラムのホワイトポイントの位置は更新されません。 +TP_ICM_WORKING_PRIM_AC0;ACESp0 +TP_ICM_WORKING_PRIM_ACE;ACESp1 +TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +TP_ICM_WORKING_PRIM_BET;Beta RGB +TP_ICM_WORKING_PRIM_BRU;BruceRGB +TP_ICM_WORKING_PRIM_BST;BestRGB +TP_ICM_WORKING_PRIM_CUS;カスタム(スライダー) +TP_ICM_WORKING_PRIM_CUSGR;カスタム(CIE xy ダイヤグラム) +TP_ICM_WORKING_PRIM_NONE;デフォルト +TP_ICM_WORKING_PRIM_PROP;ProPhoto +TP_ICM_WORKING_PRIM_REC;Rec2020 +TP_ICM_WORKING_PRIM_SRGB;sRGB +TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_TRC;トーンリプロダクションカーブ: +TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +TP_ICM_WORKING_TRC_22;Adobe g=2.2 +TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 TP_ICM_WORKING_TRC_CUSTOM;カスタム TP_ICM_WORKING_TRC_GAMMA;ガンマ +TP_ICM_WORKING_TRC_LIN;リニア g=1 TP_ICM_WORKING_TRC_NONE;なし TP_ICM_WORKING_TRC_SLOPE;勾配 +TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 TP_ICM_WORKING_TRC_TOOLTIP;組み込まれたプロファイルだけ TP_IMPULSEDENOISE_LABEL;インパルスノイズ低減 TP_IMPULSEDENOISE_THRESH;しきい値 TP_LABCURVE_AVOIDCOLORSHIFT;色ずれを回避 -TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;作業色空間の色域に色を合わせ、マンセル補正を適用します +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;作業色空間の色域に色を合わせ、マンセル補正を適用します(均等知覚色空間) TP_LABCURVE_BRIGHTNESS;明度 TP_LABCURVE_CHROMATICITY;色度 TP_LABCURVE_CHROMA_TOOLTIP;白黒トーンを適用するには、彩度を-100に設定します @@ -2295,7 +2668,7 @@ TP_LENSGEOM_LOG;対数 TP_LENSPROFILE_CORRECTION_AUTOMATCH;自動で選択 TP_LENSPROFILE_CORRECTION_LCPFILE;LCPファイル TP_LENSPROFILE_CORRECTION_MANUAL;手動で選択 -TP_LENSPROFILE_LABEL;レンズ補正 プロファイル +TP_LENSPROFILE_LABEL;プロファイルされているレンズ補正 TP_LENSPROFILE_LENS_WARNING;注意:レンズプロファイルに使われるクロップファクターはカメラのクロップファクターより大きいので、誤った結果になる可能性があります。 TP_LENSPROFILE_MODE_HEADER;レンズプロファイル TP_LENSPROFILE_USE_CA;色収差 @@ -2308,133 +2681,197 @@ TP_LOCALCONTRAST_LABEL;ローカルコントラスト TP_LOCALCONTRAST_LIGHTNESS;明るい部分のレベル TP_LOCALCONTRAST_RADIUS;半径 TP_LOCALLAB_ACTIV;輝度だけ -TP_LOCALLAB_ADJ;イコライザ ブルー/イエロー レッド/グリーン +TP_LOCALLAB_ACTIVSPOT;RT-スポットを有効にする +TP_LOCALLAB_ADJ;イコライザ カラー TP_LOCALLAB_ALL;全ての種類 TP_LOCALLAB_AMOUNT;量 TP_LOCALLAB_ARTIF;形状検出 -TP_LOCALLAB_ARTIF_TOOLTIP;色差の軽減を強めることで形状検出を向上させますが、形状の検出の範囲が狭まることがあります\n画像の形状のしきい値が画像のベタな部分のレベルを考慮します -TP_LOCALLAB_AUTOGRAY;自動 +TP_LOCALLAB_ARTIF_TOOLTIP;ΔE-スコープのしきい値:スコープを適用するΔEの幅が変わります。色域の広い画像には高いしきい値を使います。\nΔEの減衰:値を増やすと形状検出の質は向上しますが、スコープの範囲が狭くなります。 +TP_LOCALLAB_AUTOGRAY;自動平均輝度(Yb%) +TP_LOCALLAB_AUTOGRAYCIE;自動 +TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;自動で“平均輝度”と“絶対輝度”を計算します\nJz、Cz、Hzに関しては、自動的に"均一的知覚の順応"と"ブラックEv"、"ホワイトEv"を自動的に計算します。 TP_LOCALLAB_AVOID;色ずれの回避 -TP_LOCALLAB_BALAN;ΔEのバランス ab-L -TP_LOCALLAB_BALANEXP;ΔØ PDE バランス -TP_LOCALLAB_BALANH;ΔEのバランス C-H -TP_LOCALLAB_BALAN_TOOLTIP;色差のアルゴリズムのパラメータを変えます。\nab-L、C - Hを増減させます\nノイズ除去は変わりません +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;作業色空間の色域に色を収め、マンセル補正を行います(均一的な知覚のLab)\nJz或いはCAM16が使われている場合は、マンセル補正が常に無効になります。 +TP_LOCALLAB_AVOIDMUN;マンセル補正だけ +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Jz或いはCAM16が使われている場合は、マンセル補正が常に無効になります。 +TP_LOCALLAB_AVOIDRAD;ソフトな半径 +TP_LOCALLAB_BALAN;ab-Lのバランス(ΔE) +TP_LOCALLAB_BALANEXP;ラプラシアンのバランス +TP_LOCALLAB_BALANH;C-Hのバランス(ΔE) +TP_LOCALLAB_BALAN_TOOLTIP;ΔEのアルゴリズムのパラメータを変えます。\nL*a*b*の構成要素、或いはC、Hをある程度考慮します\nノイズ除去のバランスは変わりません TP_LOCALLAB_BASELOG;対数の基数 TP_LOCALLAB_BILATERAL;平滑化フィルタ TP_LOCALLAB_BLACK_EV;ブラックEv TP_LOCALLAB_BLCO;色度だけ TP_LOCALLAB_BLENDMASKCOL;ブレンド +TP_LOCALLAB_BLENDMASKMASK;輝度マスクを強める/弱める +TP_LOCALLAB_BLENDMASKMASKAB;色度マスクを強める/弱める +TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;スライダーの値が0の場合は作用しません\n元画像にマスクを追加したり、追加したマスクを削除します TP_LOCALLAB_BLENDMASK_TOOLTIP;ブレンド=0の場合は、形状検出だけが改善します\nブレンドが0より大きい場合は、画像にマスクが追加されます。 ブレンドが0より小さい場合は、画像からマスクが除かれます。 TP_LOCALLAB_BLGUID;ガイド付きフィルタ TP_LOCALLAB_BLINV;インバース TP_LOCALLAB_BLLC;輝度と色度 TP_LOCALLAB_BLLO;輝度だけ TP_LOCALLAB_BLMED;メディアン -TP_LOCALLAB_BLMETHOD_TOOLTIP;通常-全ての設定に対し、直接的なぼかしとノイズ\n反対‐スコープと拡張アルゴリズムを除いた設定で、ぼかしとノイズの反対処理\nシンメトリック‐全ての設定でぼかしとノイズの反対処理(予期せぬ結果になることが有り) -TP_LOCALLAB_BLNOI_EXP;ぼかし & ノイズ +TP_LOCALLAB_BLMETHOD_TOOLTIP;通常:全ての設定に対し、直接的なぼかしとノイズ処理\nインバース:ぼかしとノイズ処理\n注意:設定によっては予期しない結果になることがあります +TP_LOCALLAB_BLNOI_EXP;ぼかし & ノイズ除去 TP_LOCALLAB_BLNORM;通常 TP_LOCALLAB_BLSYM;シンメトリック -TP_LOCALLAB_BLUFR;平滑化 - ぼかし - 質感 - ノイズ除去 -TP_LOCALLAB_BLUMETHOD_TOOLTIP;背景をぼかし、前景を分離するために:\n*RT-スポットが画像全体をカバーできるようにして(スコープと境界を高くする)背景をぼかします-通常或いはリバースモード\n*使用したい機能で一つ以上の除外RT-スポットを追加し(スコープを大きくします)、前景を分離します、マスクを使うことで効果を増幅出来ます -TP_LOCALLAB_BLUR;ガウスぼかし - ノイズ - ノイズ除去 +TP_LOCALLAB_BLUFR;ぼかし/質感とノイズ除去 +TP_LOCALLAB_BLUMETHOD_TOOLTIP;背景をぼかし、前景を区分けするために:\n画像全体をRT-スポットで完全に囲み(スコープと境界値は高くします)背景をぼかします-'通常’或いは’インバース’モードを選択します\n*一つ以上のRT-スポットで’除外’モードを使い、スコープ値を高くして前景を区分けします\n\nこの機能モジュール('メディアン’及び’ガイド付きフィルタ’を含む)は、メインのノイズ低減と併用できます。 +TP_LOCALLAB_BLUR;ガウスぼかし - ノイズ - 質感 TP_LOCALLAB_BLURCBDL;ぼかしのレベル 0-1-2-3-4 -TP_LOCALLAB_BLURCOL;マスクぼかしの半径 +TP_LOCALLAB_BLURCOL;半径 +TP_LOCALLAB_BLURCOLDE_TOOLTIP;孤立したピクセルが計算に入るの避けるため、ΔEを計算するために使われる画像に少しぼかしをかけます TP_LOCALLAB_BLURDE;形状検出のぼかし TP_LOCALLAB_BLURLC;輝度だけ TP_LOCALLAB_BLURLEVELFRA;レベルのぼかし -TP_LOCALLAB_BLURMASK_TOOLTIP;コントラストのしきい値と構造を考慮したマスクぼかしのスライダーでぼかしマスクを生成します。 +TP_LOCALLAB_BLURMASK_TOOLTIP;マスクを生成するために半径の大きなぼかしを使います。これにより画像のコントラストを変えたり、画像の一部を暗く、又は明るくすることが出来ます。 TP_LOCALLAB_BLURRESIDFRA;残差のぼかし -TP_LOCALLAB_BLUR_TOOLNAME;平滑化ぼかし 質感 & ノイズ除去 - 1 -TP_LOCALLAB_BLWH;全ての変更を強制的に白黒にする -TP_LOCALLAB_BLWH_TOOLTIP;色の構成要素、"a"と"b"の値を強制的にゼロにします -TP_LOCALLAB_BUTTON_ADD;追加 +TP_LOCALLAB_BLURRMASK_TOOLTIP;ガウスぼかしの’半径’を変えることが出来ます(0~1000) +TP_LOCALLAB_BLUR_TOOLNAME;ぼかし/質感 & ノイズ除去 +TP_LOCALLAB_BLWH;全ての変更を白黒画像で行う +TP_LOCALLAB_BLWH_TOOLTIP;色の構成要素、'a'と'b'の値を強制的にゼロにします。\n白黒、或いはフィルムシミュレーションの画像の処理に便利です。 +TP_LOCALLAB_BUTTON_ADD;作成/追加 TP_LOCALLAB_BUTTON_DEL;削除 TP_LOCALLAB_BUTTON_DUPL;複製 TP_LOCALLAB_BUTTON_REN;名前の変更 TP_LOCALLAB_BUTTON_VIS;表示/非表示 -TP_LOCALLAB_CBDL;詳細レベルによるコントラスト調整 - 不良の補正 -TP_LOCALLAB_CBDLCLARI_TOOLTIP;中間トーンを強化します -TP_LOCALLAB_CBDL_ADJ_TOOLTIP;ウェーブレット機能のように作用します\n最初のレベル(0)は2x2ピクセルで解析します\n最後のレベル(5)は64x64ピクセルで解析します +TP_LOCALLAB_BWFORCE;ブラックEvとホワイトEvを使う +TP_LOCALLAB_CAM16PQREMAP;HDR PQ(最大輝度) +TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;CAM16に適応したPQ (知覚量子化)。これによりPQの内部関数を変えることが出来ます(通常は10000カンデラ毎平方メートル - デフォルトは100カンデラ毎平方メートルですが無効になります\n異なるデバイスや画像を扱う場合に使えます。 +TP_LOCALLAB_CAM16_FRA;CAM16による画像の調整 +TP_LOCALLAB_CAMMODE;CAMのモデル +TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +TP_LOCALLAB_CAMMODE_CAM16;CAM16 +TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CAMMODE_ZCAM;ZCAMだけ +TP_LOCALLAB_CATAD;色順応 - Cat16 +TP_LOCALLAB_CBDL;詳細レベルによるコントラスト調整 +TP_LOCALLAB_CBDLCLARI_TOOLTIP;中間トーンのローカルコントラストを強化します +TP_LOCALLAB_CBDL_ADJ_TOOLTIP;ウェーブレットと同じです\n最初のレベル(0)は2x2ピクセルのディテールで解析します\n最後のレベル(5)は64x64ピクセルのディテールで解析します TP_LOCALLAB_CBDL_THRES_TOOLTIP;ノイズが先鋭化するのを避けます -TP_LOCALLAB_CBDL_TOOLNAME;詳細レベルによるコントラスト調整 (不良部分の補正) - 2 +TP_LOCALLAB_CBDL_TOOLNAME;詳細レベルによるコントラスト調整 TP_LOCALLAB_CENTER_X;センターX TP_LOCALLAB_CENTER_Y;センターY -TP_LOCALLAB_CH;カーブ CL - LC +TP_LOCALLAB_CH;CL - LC TP_LOCALLAB_CHROMA;色度 TP_LOCALLAB_CHROMABLU;色度のレベル -TP_LOCALLAB_CHROMABLU_TOOLTIP;輝度のスライダーと比べて増幅と減衰の作用の働きをします\n1以下で減衰、1以上で増幅の作用となります +TP_LOCALLAB_CHROMABLU_TOOLTIP;輝度の設定に応じて、効果を増やしたり減らしたりします\n設定値が1以下の場合は効果が減ります。1より大きいと効果が増えます TP_LOCALLAB_CHROMACBDL;色度 -TP_LOCALLAB_CHROMACB_TOOLTIP;輝度のスライダーと比べて増幅と減衰の作用の働きをします\n100以下で減衰、100以上で増幅の作用となります +TP_LOCALLAB_CHROMACB_TOOLTIP;輝度の設定に応じて、効果を増やしたり減らしたりします\n設定値が1以下の場合は効果が減ります。1より大きいと効果が増えます TP_LOCALLAB_CHROMALEV;色度のレベル -TP_LOCALLAB_CHROMASKCOL;色度のマスク +TP_LOCALLAB_CHROMASKCOL;色度 TP_LOCALLAB_CHROMASK_TOOLTIP;このスライダーを使って背景の彩度を下げることが出来ます(インバースマスクで言う0に近いカーブ).\n色度に対するマスクの作用を強めることも出来ます。 +TP_LOCALLAB_CHROML;色度 (C) TP_LOCALLAB_CHRRT;色度 -TP_LOCALLAB_CIRCRADIUS;スポットサイズ -TP_LOCALLAB_CIRCRAD_TOOLTIP;RT-スポットの参考値を含んでいるので、形状検出(色相、輝度、色度、Sobel)に有利です\n小さい値は花びらの補正などに便利です\n大きな値は肌などの補正に便利です +TP_LOCALLAB_CIE;色の見えモデル(CAM16とJzCzHz) +TP_LOCALLAB_CIEC;色の見えモデルの環境変数を使う +TP_LOCALLAB_CIECAMLOG_TOOLTIP;このモジュールはCIE色の見えモデルをベースにしています。このモデルは異なる光源の下で人の目が知覚する色を真似るものです。\n最初の処理は’場面条件’で対数符号化によって実行されます。この際、撮影時の’絶対輝度’が使われます。\n次の処理は単純化した’画像の調整’で3つに絞り込んだ変数(ローカルコントラスト、コントラストJ、彩度S)を使います。\n3つ目の処理は’観視条件’で出力画像を見る条件(モニター、TV、プロジェクター、プリンターなどのこと)を考慮します。この処理により表示媒体に関わらず同じ画像の色やコントラストを維持します。 +TP_LOCALLAB_CIECOLORFRA;色 +TP_LOCALLAB_CIECONTFRA;コントラスト +TP_LOCALLAB_CIELIGHTCONTFRA;明度とコントラスト +TP_LOCALLAB_CIELIGHTFRA;明度 +TP_LOCALLAB_CIEMODE;処理過程の位置の変更 +TP_LOCALLAB_CIEMODE_COM;デフォルト +TP_LOCALLAB_CIEMODE_DR;ダイナミックレンジ +TP_LOCALLAB_CIEMODE_LOG;対数符号化 +TP_LOCALLAB_CIEMODE_TM;トーンマッピング +TP_LOCALLAB_CIEMODE_TOOLTIP;デフォルトではCIECAMが処理過程の最後になっています。"マスクと修正領域"と"輝度マスクをベースにした回復"は"CAM16 + JzCzHz"で使えます。\n好みに併せて他の機能(トーンマッピング、ダイナミックレンジ圧縮、対数符号化)にCIECAMを統合することも出来ます。調整結果はCIECAMを統合しなかった場合と異なります。このモードでは"マスクと修正領域"と"輝度マスクをベースにした回復"が使えます。 +TP_LOCALLAB_CIEMODE_WAV;ウェーブレット +TP_LOCALLAB_CIETOOLEXP;カーブ +TP_LOCALLAB_CIE_TOOLNAME;色の見えモデル(CAM16とJzCzHz) +TP_LOCALLAB_CIRCRADIUS;スポットの中心の大きさ +TP_LOCALLAB_CIRCRAD_TOOLTIP;この円内の情報がRT-スポットの編集の参考値となります。色相、輝度、色度、Sobelの形状検出に使います。\n小さい半径は花の色などの補正に。\n大きな半径は肌などの補正に適しています。 TP_LOCALLAB_CLARICRES;色度を融合 -TP_LOCALLAB_CLARIFRA;明瞭とシャープマスク - ブレンド & ソフトイメージ +TP_LOCALLAB_CLARIFRA;明瞭とシャープマスク/ブレンド & ソフトイメージ +TP_LOCALLAB_CLARIJZ_TOOLTIP;レベル0から4まではシャープマスクが働きます\nレベル5以上では明瞭が働きます TP_LOCALLAB_CLARILRES;輝度の融合 TP_LOCALLAB_CLARISOFT;ソフトな半径 -TP_LOCALLAB_CLARISOFT_TOOLTIP;輝度の融合が0以外の場合に明瞭とシャープマスクが有効となります。\n\nウェーブレットピラミッドモジュールの全てが有効となります\nソフトな半径が0の場合は無効となります +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;‘ソフトな半径’のスライダー (ガイド付きフィルタのアルゴリズム) は、明瞭、シャープマスク、Jzのローカルコントラスト(ウェーブレット)に関連するハロやアーティファクトを軽減するために使います。 +TP_LOCALLAB_CLARISOFT_TOOLTIP;'ソフトな半径’のスライダーは(ガイド付きフィルタのアルゴリズム)、明瞭とシャープマスク、及び全てのウェーブレットピラミッドの処理に起因するハロと不規則性を軽減します。作用を無効にするには値を0にします。 TP_LOCALLAB_CLARITYML;明瞭 -TP_LOCALLAB_CLARI_TOOLTIP;ウェーブレットのレベルが4以下の場合は、’シャープマスク’が有効となります。\n5以上のレベルでは’明瞭化’が有効となります。 +TP_LOCALLAB_CLARI_TOOLTIP;'シャープマスク’はレベル0~4で有効です。\n’明瞭’はレベル5以上で有効です。\n'レベルのダイナミックレンジ圧縮’を利用する場合に役立ちます。 TP_LOCALLAB_CLIPTM;復元されたデータの切り取り(ゲイン) -TP_LOCALLAB_COFR;色と明るさ - 小さな不良 -TP_LOCALLAB_COLORDE;プレビューのカラー選択 ΔE - 強さ +TP_LOCALLAB_COFR;色と明るさ +TP_LOCALLAB_COLORDE;ΔEのプレビューカラー - 強さ TP_LOCALLAB_COLORDEPREV_TOOLTIP;有効になっている機能が1つだけの時は、設定のパネル(拡張する)のΔEのプレビューボタンを使います。\n複数の機能が有効になっている時は、各機能に備わっているマスクと調節の中のΔEのプレビューを使います。 -TP_LOCALLAB_COLORDE_TOOLTIP;設定値がマイナスの場合は色差(ΔE)のプレビューの色をブルーで表示、プラスの場合はグリーンで表示\n\nマスクと調節(マスクなしで調節を表示):プラスであれば、実際の変更を表示、マイナスであれば、強化した調節(輝度のみ)をブルーとイエローで表示 +TP_LOCALLAB_COLORDE_TOOLTIP;設定値がマイナスの場合は色差(ΔE)のプレビューの色をブルーで表示、プラスの場合はグリーンで表示\n\nマスクと調節(マスクなしで変更された領域を表示):プラスであれば、実際の変更を表示、マイナスであれば、強化された変更(輝度のみ)をブルーとイエローで表示 TP_LOCALLAB_COLORSCOPE;カラー機能のスコープ -TP_LOCALLAB_COLORSCOPE_TOOLTIP;色と明るさ、露光補正(標準)、シャドウ/ハイライト、自然な彩度は共通したスコープを使います。\n他の機能に関しては、それぞれ特定のスコープを使います。 -TP_LOCALLAB_COLOR_TOOLNAME;色&&明るさ (不良部分の補正) - 11 +TP_LOCALLAB_COLORSCOPE_TOOLTIP;色と明るさ、露光補正(標準)、シャドウ/ハイライト、自然な彩度の機能にはこのスコープを使います。\n他の機能に関しては、それぞれのモジュールに属しているスコープを使います。 +TP_LOCALLAB_COLOR_CIE;カラーカーブ +TP_LOCALLAB_COLOR_TOOLNAME;色と明るさ TP_LOCALLAB_COL_NAME;名前 TP_LOCALLAB_COL_VIS;ステータス TP_LOCALLAB_COMPFRA;詳細レベルの方向によるコントラスト -TP_LOCALLAB_COMPFRAME_TOOLTIP;特殊な効果を付けるために使います。アーティファクトを軽減するためには'明瞭 & シャープマスク、ブレンド & ソフトイメージ'を使います\n処理時間が大きく増えます -TP_LOCALLAB_COMPLEX_METHOD;ソフトウェアの複雑度 -TP_LOCALLAB_COMPLEX_TOOLTIP; ローカル調整の扱いの複雑度を選択出来ます -TP_LOCALLAB_COMPREFRA;ウェーブレットを使ったレベルのダイナミックレンジ(非)圧縮 -TP_LOCALLAB_COMPRESS_TOOLTIP;アーティファクトを軽減するため必要に応じて'明瞭 & シャープマスク、ブレンド & ソフトイメージ'の'ソフトな半径'使います -TP_LOCALLAB_CONTCOL;マスクぼかしのコントラストしきい値 +TP_LOCALLAB_COMPFRAME_TOOLTIP;特殊な効果を付けるために使います。アーティファクトを軽減するためには'明瞭とシャープマスク/ブレンド & ソフトイメージ'を使います\n処理時間が大きく増えます +TP_LOCALLAB_COMPLEX_METHOD;機能の水準 +TP_LOCALLAB_COMPLEX_TOOLTIP;ローカル編集の機能水準を選択出来ます +TP_LOCALLAB_COMPREFRA;ウェーブレットのレベルを使ったトーンマッピング +TP_LOCALLAB_COMPRESS_TOOLTIP;アーティファクトを軽減するため必要に応じて'明瞭とシャープマスク/ブレンド & ソフトイメージ'の'ソフトな半径'使います +TP_LOCALLAB_CONTCOL;コントラストしきい値 TP_LOCALLAB_CONTFRA;レベルによるコントラスト調整 +TP_LOCALLAB_CONTL;コントラスト(J) TP_LOCALLAB_CONTRAST;コントラスト -TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;メインのマスクのコントラストをコントロール +TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;連続した漸進的なカーブを使わずに、マスクのコントラスト(ガンマとスロープ)を自由に変えられます。但し、’スムーズな半径’、或いは’ラプラシアンのしきい値’スライダーを使って処理しなければならないようなアーティファクトが発生する可能性があります。 +TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;マスクのコントラストを自由に変更できますが、アーティファクトが発生するかもしれません。 TP_LOCALLAB_CONTRESID;コントラスト +TP_LOCALLAB_CONTTHMASK_TOOLTIP;質感をベースに、画像のどの部分に影響を与えるか決定出来ます TP_LOCALLAB_CONTTHR;コントラストのしきい値 -TP_LOCALLAB_CSTHRESHOLD;Ψ ウェーブレットのレベル -TP_LOCALLAB_CSTHRESHOLDBLUR;Ψ ウェーブレットレベルのマスク -TP_LOCALLAB_CURV;明るさ - コントラスト - 色度 "強力" +TP_LOCALLAB_CONTWFRA;ローカルコントラスト +TP_LOCALLAB_CSTHRESHOLD;ウェーブレットのレベル +TP_LOCALLAB_CSTHRESHOLDBLUR;ウェーブレットのレベルの選択 +TP_LOCALLAB_CURV;明度 - コントラスト - 色度 "強力" TP_LOCALLAB_CURVCURR;通常 -TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;カーブが最上部に位置している時は、マスクが完全に黒く表示され、マスクの作用がない状態\nカーブを下に下げるにつれ、マスクの色が変わり、合わせて画像の状態も変わる -TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;使うためには'カーブを有効にする'に✔を入れる +TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;カーブが最上部に位置している時は、マスクは黒一色で、画像は変化しません\nカーブを下げると、徐々にマスクに彩りが現れて明るくなり、 画像が漸進的に変化します\n\n必須ではありませんが、カーブの頂点をRT-スポットの色度、輝度、色相の基準値を示しているグレーの境界線に来るように位置することを奨めます +TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;カーブが最上部に位置している時は、マスクは黒一色で、画像は変化しません\nカーブを下げると、徐々にマスクに彩りが現れて明るくなり、 画像が漸進的に変化します\n\n必須ではありませんが、カーブの頂点をRT-スポットの色度、輝度、色相の基準値を示しているグレーの境界線に来るように位置することを奨めます +TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;カーブを有効にするには、’カーブのタイプ’のコンボボックスから’標準’を選びます TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;トーンカーブ TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), 色と明るさでL(H)との併用可 -TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'通常', L=f(L)カーブはスライダーと同じアルゴリズムを使っています\n'強力' L=f(L)カーブで作用を強めた新しいアルゴリズムを使っていますが、場合によってアーティファクトが出ることがあります +TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'通常', L=f(L)カーブは明るさのスライダーと同じアルゴリズムを使っています TP_LOCALLAB_CURVENCONTRAST;強力+コントラストのしきい値(試験的) TP_LOCALLAB_CURVENH;強力 TP_LOCALLAB_CURVENHSU;色相と色度の組み合わせ(試験的) TP_LOCALLAB_CURVENSOB2;色相と色度の組み合わせ+コントラストのしきい値(試験的) +TP_LOCALLAB_CURVES_CIE;トーンカーブ TP_LOCALLAB_CURVNONE;カーブを無効 TP_LOCALLAB_DARKRETI;暗さ TP_LOCALLAB_DEHAFRA;霞除去 TP_LOCALLAB_DEHAZ;強さ +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;大気に起因する霞を除去します。全体の彩度とディテールが向上します\n色被りも除去できますが、青味がかかることがあるので、その場合は別な機能で補正します TP_LOCALLAB_DEHAZ_TOOLTIP;マイナス値にすると霞が増えます -TP_LOCALLAB_DELTAD;色差のバランス +TP_LOCALLAB_DELTAD;デルタバランス TP_LOCALLAB_DELTAEC;ΔE画像のマスク -TP_LOCALLAB_DENOIS;Ψ ノイズ除去 +TP_LOCALLAB_DENOI1_EXP;輝度マスクをベースにしたノイズ除去 +TP_LOCALLAB_DENOI2_EXP;輝度マスクをベースにした詳細の復元 +TP_LOCALLAB_DENOIBILAT_TOOLTIP;インパルスノイズ、或いは‘ソルト & ペッパー’ノイズを軽減します +TP_LOCALLAB_DENOICHROC_TOOLTIP;ブロッチノイズとパケットノイズを処理します +TP_LOCALLAB_DENOICHRODET_TOOLTIP;漸進的にフーリエ変換(離散コサイン変換)を適用することで、ディテールの色度を回復します +TP_LOCALLAB_DENOICHROF_TOOLTIP;小さいディテールの色ノイズを調整します +TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;ブルー/イエロー、或いはレッド/グリーンの補色次元で色ノイズを軽減します +TP_LOCALLAB_DENOIEQUAL_TOOLTIP;シャドウ、或いはハイライト部分で、ある程度ノイズ低減を実行出来ます +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;漸進的にフーリエ変換(離散コサイン変換)を適用することで、輝度のディテールを回復します +TP_LOCALLAB_DENOIMASK;色ノイズのマスク +TP_LOCALLAB_DENOIMASK_TOOLTIP;全ての機能でマスクの色ノイズの程度を加減することが出来ます。\nLC(h)カーブを使う際、アーティファクトを避けたり、色度をコントロールするのに便利です。 +TP_LOCALLAB_DENOIQUA_TOOLTIP;’控え目’なモードでは、低周波ノイズは除去されません。’積極的’なモードは低周波ノイズも除去します。\n’控え目’も’積極的’も、ウェーブレットとDCTを使いますが、’輝度のノンローカルミーン’を併用することも出来ます。 +TP_LOCALLAB_DENOIS;ノイズ除去 +TP_LOCALLAB_DENOITHR_TOOLTIP;均一及び低コントラスト部分のノイズを減らす補助としてエッジ検出を調整します TP_LOCALLAB_DENOI_EXP;ノイズ除去 -TP_LOCALLAB_DENOI_TOOLTIP;このモジュール(処理工程の後の方に位置)だけで使うことも、メインのノイズ低減(処理工程の最初の方に位置)と併用することも出来ます\nスコープは色(ΔE)に応じてノイズ除去の作用に違いを持たせます。\n”メディアン”と”ガイド付きフィルタ”(平滑化ぼかし)も使えば、ノイズ除去のパフォーマンスが良くなります。\n”レベルのぼかし”や”ウェーブレットピラミッド”の併用で更にノイズ除去のパフォーマンスが上がります。 +TP_LOCALLAB_DENOI_TOOLTIP;このモジュールは単独のノイズ低減機能(処理工程の最後の方に位置)として、或いはメインのディテールタブに付属するノイズ低減(処理工程の最初の方に位置)の追加機能として使うことが出来ます。\n色(ΔE)を基本に、スコープを使って作用に差を付けることが出来ます。\n但し、RT-スポットは最低128x128の大きさの必要です TP_LOCALLAB_DEPTH;深度 TP_LOCALLAB_DETAIL;ローカルコントラスト +TP_LOCALLAB_DETAILFRA;エッジ検出 - DCT TP_LOCALLAB_DETAILSH;ディテール -TP_LOCALLAB_DETAILTHR;細部の色の明るさのしきい値 (DCT) +TP_LOCALLAB_DETAILTHR;輝度と色の詳細のしきい値 +TP_LOCALLAB_DIVGR;ガンマ TP_LOCALLAB_DUPLSPOTNAME;コピー TP_LOCALLAB_EDGFRA;エッジシャープネス -TP_LOCALLAB_EDGSHOW;全ての機能を表示 +TP_LOCALLAB_EDGSHOW;設定機能を全て表示 TP_LOCALLAB_ELI;楕円 TP_LOCALLAB_ENABLE_AFTER_MASK;トーンマッピングを使う TP_LOCALLAB_ENABLE_MASK;マスクを有効にする TP_LOCALLAB_ENABLE_MASKAFT;露光補正の全てのアルゴリズムを使う -TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;元のデータの代わりに透過マップを使った後は、有効にしたマスクは保持されているデータを使います。 +TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;元のデータの代わりに透過マップを使った後は、有効にしたマスクは修復されたデータを使います。 TP_LOCALLAB_ENH;強化 TP_LOCALLAB_ENHDEN;強化 + 色ノイズの軽減 TP_LOCALLAB_EPSBL;ディテール @@ -2447,163 +2884,305 @@ TP_LOCALLAB_EV_NVIS_ALL;全て非表示 TP_LOCALLAB_EV_VIS;表示 TP_LOCALLAB_EV_VIS_ALL;全て表示 TP_LOCALLAB_EXCLUF;除外 -TP_LOCALLAB_EXCLUF_TOOLTIP;スコープを動かして色を拡張するような場合、データの一部を除外する場合に使います\nRT-スポットに対する全ての設定で適用できます。 +TP_LOCALLAB_EXCLUF_TOOLTIP;’除外’モードはRT-スポットの中に編集の影響を受けたくない部分がある場合、別なRT-スポットで除外モードを選択し、その部分の編集効果を無効にします。’スコープ’を使えば影響を無効にする範囲を調整出来ます\n除外スポットに別な機能を追加することが出来るので、通常スポットの様に使うことも可能です(目標とする効果を無効にして、別な機能の効果を出すような場合) TP_LOCALLAB_EXCLUTYPE;スポットのタイプ -TP_LOCALLAB_EXCLUTYPE_TOOLTIP;通常方式は、スポットのデータを繰り返して使います\n例外方式は元のデータに戻して使う方式です +TP_LOCALLAB_EXCLUTYPE_TOOLTIP;通常スポットが使う情報は再帰的になります。\n\n除外スポットはローカル調整のデータを再初期化します。\nそれまでの作用を一部、或いは全てキャンセルするために使います。或いは、インバースモードで動作を実行するために使います。\n\n’画像全体’はローカル編集の機能を画像全体で使うためのモードです。\nRT-スポットのフレーム(外枠)がプレビュー画像の外側に自動で設定されます。\n’境界の階調調節’の境界値が自動で100に設定されます。\n注意1:目標とする調整に応じて、RT-スポットの中心円の位置や大きさを変えます。\n注意2:このスポットタイプでノイズ除去やウェーブレット、或いは高速フーリエ変換を使う場合はメモリー消費量が非常に大きくなります。PCのスペックが低いとプログラムがクラッシュすることがあります。 TP_LOCALLAB_EXECLU;除外スポット +TP_LOCALLAB_EXFULL;画像全体 TP_LOCALLAB_EXNORM;通常スポット -TP_LOCALLAB_EXPCBDL_TOOLTIP;センサーの汚れに起因する不良で、それらが画像の大切な部分にある、或いは複数個所にそれらある場合\n\na) RT-スポットをその部分に作成(必要であれば大きさを調節); b) または複数個所をカバーするスポットを作成; c) 比較的大きな境界の調整を設定; d) レベル3と4のスライダー、場合によっては2の値も100以下にします。必要に応じて色度のスライダーも使います。 +TP_LOCALLAB_EXPCBDL_TOOLTIP;センサーやレンズの汚れ跡を、それに該当する詳細レベルのコントラストを減らすことで除去します。 TP_LOCALLAB_EXPCHROMA;色度の補間 -TP_LOCALLAB_EXPCHROMA_TOOLTIP;この機能は露光量補正とPDE IPOLだけに関わります\n色が褪せるのを避けます -TP_LOCALLAB_EXPCOLOR_TOOLTIP;不良個所か小さい場合:\n\n赤目 : 中心円を赤い部分に合わせ、RT-スポットの範囲を眼の大きさ程度にします。スコープの値を小さくし、"明るさ" -100, "色" -100にします\n\n赤外線センサーのスポット:中心円を不良個所に合わせます、 RT-スポットの範囲はデフォルトに近い大きさで構いません - "色"を減らし、場合によっては"スコープ"を使って作用の及ぶ範囲を調節します\n\nセンサーの汚れ(小):中心円を不良部分に合わせます(スポットサイズも調整します)、RT-スポットの範囲が不良個所にあまり近づかないようにします(境界部分が目立たないようにする) a) "境界の調節"は小さくします; b) "輝度"、場合によっては"色" を使って不良個所のレンダリングを正常な部分のレンダリングに近づけます; c) "スコープ"を適度に使って作用の及ぶ範囲を調節します -TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;ウェーブレットのレベル或いはノイズ除去の説明を参照して下さい。\n但し、幾つか変更されている部分もあります:より多くの機能がノイズ除去に関する詳細が多くなっています。\nウェーブレットのレベルのトーンマッピング -TP_LOCALLAB_EXPCONTRAST_TOOLTIP;大きさが50x50ピクセルより小さいスポットを使うのは避けます\n代わりに、境界値を低く、境界の減衰値とスコープ値を高く設定して小さなRT-スポットを真似ます\nアーティストを軽減するために、必要であれば’ソフトな半径’を調整しながら’明瞭 & シャープマスクとイメージのブレンド’モジュールを使います +TP_LOCALLAB_EXPCHROMA_TOOLTIP;色が褪せるのを避けるため、’露光量補正 ƒ’と’コントラストの減衰 ƒ’と関連付けて使います。 +TP_LOCALLAB_EXPCOLOR_TOOLTIP;色、明度、コントラストの調整に使います。赤目やセンサーの汚れに起因する不良の補正にも使えます。 +TP_LOCALLAB_EXPCOMP;露光量補正 ƒ +TP_LOCALLAB_EXPCOMPINV;露光量補正 +TP_LOCALLAB_EXPCOMP_TOOLTIP;ポートレート或いは色の階調が少ない画像の場合、’設定’の’形状検出’を調整します:\n\n’ΔEスコープのしきい値’を増やします\n’ΔEの減衰’を減らします\n’バランス ab-L(ΔE)'を増やします +TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;RawPediaの'ウェーブレットのレベル’を参照して下さい。\nローカル編集のウェーブレットのレベルは異なる部分が幾つかあります:各ディテールのレベルに対する調整機能がより多く、多様性が増します。\n例、ウェーブレットのレベルのトーンマッピングです。 +TP_LOCALLAB_EXPCONTRAST_TOOLTIP;あまりに小さいRT-スポットの設定は避けます(少なくとも32x32ピクセル以上)。\n低い’境界値’と高い’境界の減衰’値、及び’スコープ’値を使い、小さいRT-スポットを真似て欠陥部分を補正します。\nアーティファクトを軽減するために、必要に応じて’ソフトな半径’を調整して ’明瞭とシャープマスク’、’ファイルの融合’を使います。 TP_LOCALLAB_EXPCURV;カーブ TP_LOCALLAB_EXPGRAD;階調フィルタ -TP_LOCALLAB_EXPLAPBAL_TOOLTIP;元画像とラプラス変換の間のバランスをとります -TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;ラプラス変換の適用前後でガンマを適用します -TP_LOCALLAB_EXPLAPLIN_TOOLTIP;ラプラス変換の適用前に、露光補正の線形要素を追加します -TP_LOCALLAB_EXPLAP_TOOLTIP;しきい値のスライダーを増やすほど、コントラストの減衰作用が強くなります -TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;画像を融合するために複数の機能が使えます(Photoshopのレイヤーのように):差分、積算、ソフトライト、オーバーレイ+不透明度。。。\n元画像 : 現在のRT-スポットを元画像と融合.\n前のスポット : 現在のRT-スポットを前のRT-スポットと融合 – スポットが一つだけの場合は元画像との融合になります\n背景:現在のRT-スポットを背景の色と輝度と融合します -TP_LOCALLAB_EXPMETHOD_TOOLTIP;標準:メインの露光補正と類似したアルゴリズムを使いますが、 L*a*b*で作業するため色差を考慮します\n\nラプラスとポアソン方程式:色差を考慮する別なアルゴリズムですが、フーリエ空間でのラプラスの欠点を解決すためポアソン方程式(PDE)を使います\nPDEを使ったアルゴリズムは結果が大きく異なるため、標準とは異なる設定が必要でしょう\n露出不足の画像に有効かもしれません\nPDEはアーティファクトとノイズを軽減します -TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;アーティファクト(ノイズ)の発生を避けるため、ラプラス変換の前にメディアンを適用します -TP_LOCALLAB_EXPOSE;露光補正-PDEアルゴリズム -TP_LOCALLAB_EXPOSURE_TOOLTIP;シャドウ部分が強いような場合は、”シャドウ/ハイライト”のモジュールが使えます +TP_LOCALLAB_EXPGRADCOL_TOOLTIP;階調フィルタは’色と明るさ’の輝度、色度、色相の階調と、ファイルの融合、'露光補正'の輝度の階調、、'露光補正マスク'の輝度の階調、'シャドウ/ハイライト'の輝度の階調、'自然な彩度'の輝度、色度、色相の階調、’ローカルコントラスト&ウェーブレットピラミッド’のローカルコントラストの階調で使えます。\nフェザー処理は’設定’の中にあります。 +TP_LOCALLAB_EXPLAPBAL_TOOLTIP;変化させた画像と元の画像のブレンドを変えます +TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;ラプラス変換前後にガンマカーブを加えて、コントラストが過剰な、或いは不足した画像を修正します +TP_LOCALLAB_EXPLAPLIN_TOOLTIP;ラプラス変換を適用する前に、線形要素を加え、露出不足の画像を修正します +TP_LOCALLAB_EXPLAP_TOOLTIP;スライダーを右に移動すると漸進的にコントラストが減少します +TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;不透明度のコントロールで、GIMPやPhotoshop(C)の、Difference, Multiply, Soft Light, Overlayなどのレイヤー融合モードが使えます。\n元画像:現在のRT-スポットと元画像の融合\n前のRT-スポット:現在のRT-スポットと前のRT-スポットを融合(但し、前のスポットがある場合に限る、ない場合は元画像と融合)\n背景:現在のRT-スポットと背景の色と輝度を融合 +TP_LOCALLAB_EXPMETHOD_TOOLTIP;標準:メインの露光補正と類似したアルゴリズムを使いますが、 L*a*b*で作業するためΔEを考慮します\n\nコントラストの減衰:ΔEを考慮する別なアルゴリズムですが、ポアソン方程式(PDE)を使いフーリエ空間でラプラシアンの解を求めます\nコントラストの減衰、ダイナミックレンジの圧縮は標準機能を組み合わせることが出来ます\nFFTWフーリエ変換は処理時間を減らすためにサイズが最適化されます\nアーティファクトとノイズを軽減します +TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;アーティファクト(ノイズ)の発生を避けるため、ラプラス変換の前にメディアンフィルタを適用します +TP_LOCALLAB_EXPOSE;ダイナミックレンジ & 露光補正 +TP_LOCALLAB_EXPOSURE_TOOLTIP;シャドウ部分が強いような場合は、’シャドウ/ハイライト’のモジュールが使えます TP_LOCALLAB_EXPRETITOOLS;高度なレティネックス機能 TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-スポットの大きさが最低でも39x39ピクセル必要です\nスポットが小さい場合は、低い境界値、高い減衰値、高いスコープ値を設定します TP_LOCALLAB_EXPTOOL;露光補正の機能 -TP_LOCALLAB_EXPTRC;トーンリプロダクションカーブ - TRC -TP_LOCALLAB_EXP_TOOLNAME;露光補正 - ダイナミックレンジ圧縮 - 10 +TP_LOCALLAB_EXPTRC;トーンレスポンスカーブ - TRC +TP_LOCALLAB_EXP_TOOLNAME;ダイナミックレンジ & 露光補正 TP_LOCALLAB_FATAMOUNT;量 TP_LOCALLAB_FATANCHOR;アンカー TP_LOCALLAB_FATANCHORA;オフセット TP_LOCALLAB_FATDETAIL;ディテール -TP_LOCALLAB_FATFRA;ダイナミックレンジ圧縮 f -TP_LOCALLAB_FATFRAME_TOOLTIP;ここではFattalトーンマッピングアルゴリズムを使います\nアンカーで画像の露出不足・過多に応じた選択が出来ます\n現在のスポットに近く、マスクを使用する2番目のスポットの輝度を増やすのに便利です +TP_LOCALLAB_FATFRA;ダイナミックレンジ圧縮 ƒ +TP_LOCALLAB_FATFRAME_TOOLTIP;ここではFattalのトーンマッピングアルゴリズムを使います\nアンカーで画像の露出不足・過多に応じた選択が出来ます\n現在のスポットに近く、マスクを使用する2番目のスポットの輝度を増やすのに便利です TP_LOCALLAB_FATLEVEL;シグマ TP_LOCALLAB_FATRES;残差画像の量 -TP_LOCALLAB_FATSHFRA;マスクのダイナミックレンジ圧縮のマスク f -TP_LOCALLAB_FEATH_TOOLTIP;スポットの対角線に対する減光フィルタの幅の割合\n.. -TP_LOCALLAB_FEATVALUE;フェザー処理(階調フィルタ) -TP_LOCALLAB_FFTCOL_MASK;FFTW f -TP_LOCALLAB_FFTW;f 高速フーリエ変換を使う -TP_LOCALLAB_FFTW2;f 高速フーリエ変換を使う(TIF, JPG,..) +TP_LOCALLAB_FATSHFRA;マスクのダイナミックレンジ圧縮のマスク ƒ +TP_LOCALLAB_FEATH_TOOLTIP;RT-スポットの対角線の長さに対する諧調幅の割合で作用します\nこれは階調フィルタを備えているモジュール全てに共通です\n但し、フェザー処理が働くのは、階調フィルタの中で一つ以上の調整が行われている場合だけです +TP_LOCALLAB_FEATVALUE;フェザー処理 +TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +TP_LOCALLAB_FFTMASK_TOOLTIP;質を高めるためにフーリエ変換を使います(但し、処理時間とメモリー消費が増えます) +TP_LOCALLAB_FFTW;ƒ 高速フーリエ変換を使う +TP_LOCALLAB_FFTW2;ƒ 高速フーリエ変換を使う(TIF, JPG,..) TP_LOCALLAB_FFTWBLUR;ƒ - 常に高速フーリエ変換を使う -TP_LOCALLAB_FULLIMAGE;画像全体のブラックEvとホワイトEvを計算 +TP_LOCALLAB_FULLIMAGE;画像全体のブラックEvとホワイトEv +TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;画像全体のEvレベルを計算します TP_LOCALLAB_GAM;ガンマ +TP_LOCALLAB_GAMC;ガンマ +TP_LOCALLAB_GAMCOL_TOOLTIP;L*a*b*の輝度値にガンマを適用します\nガンマが3.0の場合は、"線形"の輝度が使われます。 +TP_LOCALLAB_GAMC_TOOLTIP;プラミッド1と2による処理の前後で、L*a*b*の輝度値にガンマを適用します\nガンマが3.0の場合は、"線形"の輝度が使われます。 TP_LOCALLAB_GAMFRA;トーンリプロダクションカーブ(TRC) TP_LOCALLAB_GAMM;ガンマ -TP_LOCALLAB_GAMMASKCOL;ガンマのマスク +TP_LOCALLAB_GAMMASKCOL;ガンマ +TP_LOCALLAB_GAMMASK_TOOLTIP;ガンマとスロープを調整すると、不連続になるのを避けるために’L’が徐々に変わるため、アーティファクトを発生させずにマスクの修正が出来ます TP_LOCALLAB_GAMSH;ガンマ +TP_LOCALLAB_GAMW;ガンマ(ウェーブレットピラミッド) TP_LOCALLAB_GRADANG;階調フィルタの角度 TP_LOCALLAB_GRADANG_TOOLTIP;-180度から+180度の間で角度を調整 -TP_LOCALLAB_GRADFRA;階調フィルタ -TP_LOCALLAB_GRADGEN_TOOLTIP;階調フィルタの機能は”色と明るさ”と、”露光”、”シャドウ/ハイライト”、”自然な彩度”に備わっています\n\n自然な彩度、色と明るさには輝度、色調、色相の階調フィルタが使えます\nフェザー処理は設定の中にあります -TP_LOCALLAB_GRADLOGFRA;階調フィルタ 輝度 +TP_LOCALLAB_GRADFRA;階調フィルタのマスク +TP_LOCALLAB_GRADGEN_TOOLTIP;階調フィルタの機能は’色と明るさ’と、’露光’、'シャドウ/ハイライト”、’自然な彩度’に備わっています\n\n自然な彩度、色と明るさには輝度、色調、色相の階調フィルタが使えます\nフェザー処理は設定の中にあります +TP_LOCALLAB_GRADLOGFRA;輝度の階調フィルタ TP_LOCALLAB_GRADSTR;階調フィルタ 強さ TP_LOCALLAB_GRADSTRAB_TOOLTIP;色度の階調の強さを調整します -TP_LOCALLAB_GRADSTRCHRO;色調の階調の強さ -TP_LOCALLAB_GRADSTRHUE;色相の階調の強さ(融合されたファイル) +TP_LOCALLAB_GRADSTRCHRO;色度の階調の強さ +TP_LOCALLAB_GRADSTRHUE;色相の階調の強さ TP_LOCALLAB_GRADSTRHUE2;色相の階調の強さ TP_LOCALLAB_GRADSTRHUE_TOOLTIP;色相の階調の強さを調整します TP_LOCALLAB_GRADSTRLUM;輝度の階調の強さ -TP_LOCALLAB_GRADSTR_TOOLTIP;露出度の階調の強さを調整します +TP_LOCALLAB_GRADSTR_TOOLTIP;露出の階調の強さを調整します TP_LOCALLAB_GRAINFRA;フィルムの質感 1:1 -TP_LOCALLAB_GRALWFRA;階調フィルタ ローカルコントラスト -TP_LOCALLAB_GRIDFRAME_TOOLTIP;スポットは均一な画像部分にある方が望ましいです\n\n通常モードの場合だけに使えます。融合された背景による色相、彩度、色、輝度が関係します。 +TP_LOCALLAB_GRAINFRA2;粗い +TP_LOCALLAB_GRAIN_TOOLTIP;画像にフィルムのような質感を加えます +TP_LOCALLAB_GRALWFRA;階調フィルタ(ローカルコントラスト) +TP_LOCALLAB_GRIDFRAME_TOOLTIP;このツールはブラシとして使うことが出来ます。小さいRT-スポットと低い‘境界値’、‘境界値の減衰’を設定します。\n‘標準’モードだけで使います。融合する背景(ΔE)に関係するのは色相、彩度、色、輝度です。 +TP_LOCALLAB_GRIDMETH_TOOLTIP;カラートーン調整:色が変わる際に輝度を考慮します。グリッド上の’白い点’は0の位置、’黒い点’だけを移動した場合は、H=f(H)と同じ効果です。両方の点を移動した場合に’カラートーン調整’の効果になります。\n\n直接:色度に直接作用します。 TP_LOCALLAB_GRIDONE;カラートーン調整 TP_LOCALLAB_GRIDTWO;直接 TP_LOCALLAB_GUIDBL;ソフトな半径 +TP_LOCALLAB_GUIDBL_TOOLTIP;半径を変えられるガイド付きフィルタを適用します。アーティファクトを軽減したり、画像にぼかしを掛けたり出来ます。 +TP_LOCALLAB_GUIDEPSBL_TOOLTIP;ガイド付きフィルタの配分機能を変化させます。マイナス値の設定はガウスぼかしに似た効果となります TP_LOCALLAB_GUIDFILTER;ガイド付きフィルタの半径 -TP_LOCALLAB_GUIDFILTER_TOOLTIP;画像に応じて値を決めます - 画像が霞んでいなければ値を低く取ります +TP_LOCALLAB_GUIDFILTER_TOOLTIP;アーティファクトが減ったり、増えたりします +TP_LOCALLAB_GUIDSTRBL_TOOLTIP;ガイド付きフィルタの強さ TP_LOCALLAB_HHMASK_TOOLTIP;例えば肌の微妙な色相調整に使います -TP_LOCALLAB_HIGHMASKCOL;ハイライトマスク -TP_LOCALLAB_HLH;カーブ H +TP_LOCALLAB_HIGHMASKCOL;ハイライト +TP_LOCALLAB_HLH;H +TP_LOCALLAB_HLHZ;Hz +TP_LOCALLAB_HUECIE;色相 TP_LOCALLAB_IND;独立 (マウス) TP_LOCALLAB_INDSL;独立 (マウス + スライダー) -TP_LOCALLAB_INVERS;反対 -TP_LOCALLAB_INVERS_TOOLTIP;反対を選択すると調整の多様性が失われます\n\n代わりの方法\n初めのスポット:\n画像全体 –境界線をプレビュー画像の外側にセットします\n スポットの形状は矩形、境界値は100\n\n2番目のスポットを作成し除外スポットにします -TP_LOCALLAB_ISOGR;粗さ (ISO) -TP_LOCALLAB_LABBLURM;マスクぼかし -TP_LOCALLAB_LABEL;ローカル調整 +TP_LOCALLAB_INVBL;インバース +TP_LOCALLAB_INVBL_TOOLTIP;‘インバース’モードに代わる方法:2つのスポットを使う\n初めのスポット:\nタイプは画像全体にします。\n\n2番目のRT-スポット:除外スポットを使います。 +TP_LOCALLAB_INVERS;インバース +TP_LOCALLAB_INVERS_TOOLTIP;インバースを選択すると使える機能の数が少なくなります。\n\n代わりの方法:2つのRT-スポットを使います\n初めのスポット:\nタイプは画像全体にします。\n\n2番目のRT-スポット:除外スポットを使います。 +TP_LOCALLAB_INVMASK;インバースアルゴリズム +TP_LOCALLAB_ISOGR;配分(ISO) +TP_LOCALLAB_JAB;ブラックEvとホワイトEvを使う +TP_LOCALLAB_JABADAP_TOOLTIP;均一的知覚の順応\n"絶対輝度"を考慮したJzと彩度の関係を自動的に調整します +TP_LOCALLAB_JZ100;Jz reference 100カンデラでのJzの参考値 +TP_LOCALLAB_JZ100_TOOLTIP;100カンデラ毎平方メートルでのJzの参考値(画像シグナル)を自動で調整します。\n彩度の値と“PU 順応” (均一的な知覚の順応)が変わります。 +TP_LOCALLAB_JZADAP;均一的知覚の順応 +TP_LOCALLAB_JZCH;色度 +TP_LOCALLAB_JZCHROM;色度 +TP_LOCALLAB_JZCLARICRES;色度Czを融合 +TP_LOCALLAB_JZCLARILRES;Jzを融合 +TP_LOCALLAB_JZCONT;コントラスト +TP_LOCALLAB_JZFORCE;強制的にJzを1にする +TP_LOCALLAB_JZFORCE_TOOLTIP;スライダーやカーブの応答を改善するために、Jzの最大値を強制的に1にします。 +TP_LOCALLAB_JZFRA;Jz Cz Hzによる画像調整 +TP_LOCALLAB_JZHFRA;Hzカーブ +TP_LOCALLAB_JZHJZFRA;Jz(Hz)カーブ +TP_LOCALLAB_JZHUECIE;色相の回転 +TP_LOCALLAB_JZLIGHT;明るさ +TP_LOCALLAB_JZLOG;Jz 対数符号化 +TP_LOCALLAB_JZLOGWBS_TOOLTIP;対数符号化を使うかシグモイドを使うかでブラックEvとホワイトEvの調整が異なる場合があります\nシグモイドの場合、ハイライト、コントラスト、彩度の良好なレンダリングを得るために、ホワイトEvの調整(多くの場合、増やす方向)が必要になることがあります +TP_LOCALLAB_JZLOGWB_TOOLTIP;自動を有効にすると、スポット内のEvレベルと'平均輝度 Yb%'が計算されて調整されます。計算結果は"対数符号化 Jz"を含む、全てのJzの働きに使われます。\nまた、撮影時の絶対輝度が計算されます。 +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Ybは背景の平均輝度を指し、グレーの割合(%)で表します。グレー18%は背景のCIE Labの輝度値が50%であることと同じです。\nデータは画像の平均輝度に基づいています\n対数符号化が使われている場合は、対数符号化が行われる前に適用するゲインの量を決めるために平均輝度が使われます。平均輝度の値が低い程、ゲインが増えます。 +TP_LOCALLAB_JZMODECAM_TOOLTIP;Jzが使えるのは機能水準が'高度'な場合だけです。Jzが機能するのは出力デバイス(モニター)がHDRの場合だけです(最大出力輝度が100カンデラ毎平方メートル以上、理想的には4000から10000カンデラ毎平方メートル、ブラックポイントが0.005カンデラ毎平方メートル以下のモニターです)。ここで想定されるのは、a)モニターのICCのプロファイル接続色空間でJzazbz (或いはXYZ)が使える、b)実数精度で作業出来る、c)モニターがキャリブレートされている(出来れば、DCI-P3、或いはRec-2020の色域で)、d) 通常のガンマ(sRGB、或いはBT709)が知覚量子化の関数で置き換えられる、ことです。 +TP_LOCALLAB_JZPQFRA;Jz 再マッピング +TP_LOCALLAB_JZPQFRA_TOOLTIP;Jzのアルゴリズムを以下の様にSDR(標準ダイナミックレンジ)の環境、或いはHDR(ハイダイナミックレンジ)の環境の特性に対して適応させることが出来ます:\n a) 輝度値が0から100カンデラ毎平方メートルの間では、システムがSDRであるように作用する\n b) 輝度値が100から10000カンデラ毎平方メートルの間では、画像とモニターのHDR特性にJzのアルゴリズムを適応させる。\n\n“PQ - 最大輝度P”を10000カンデラ毎平方メートルに設定すると、“Jzの再マッピング”がJzazbzのオリジナルアルゴリズムの特性を示します。 +TP_LOCALLAB_JZPQREMAP;PQ - 最大輝度 +TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (知覚量子化) - PQの内部関数を変えることが出来ます。デフォルトでは120カンデラ毎平方メートルが設定されていますが、一般的な10000カンデラ毎平方メートルに変えられます。\n異なる画像、処理、デバイスに適応させるために使います。 +TP_LOCALLAB_JZQTOJ;相対輝度 +TP_LOCALLAB_JZQTOJ_TOOLTIP;"絶対輝度"の代わりに"相対輝度"が使えるようになります - 明るさが明度で表現されるようになります。\n変更により、明るさとコントラストのスライダー、及びJz(Jz)カーブが影響を受けます。 +TP_LOCALLAB_JZSAT;彩度 +TP_LOCALLAB_JZSHFRA;Jz シャドウ/ハイライト +TP_LOCALLAB_JZSOFTCIE;ソフトな半径(ガイド付きフィルタ) +TP_LOCALLAB_JZSTRSOFTCIE;ガイド付きフィルタの強さ +TP_LOCALLAB_JZTARGET_EV;観視の平均輝度(Yb%) +TP_LOCALLAB_JZTHRHCIE;Jz(Hz)の色度のしきい値 +TP_LOCALLAB_JZWAVEXP;Jz ウェーブレット +TP_LOCALLAB_LABBLURM;ぼかしマスク +TP_LOCALLAB_LABEL;ローカル編集 TP_LOCALLAB_LABGRID;カラー補正グリッド TP_LOCALLAB_LABGRIDMERG;背景 TP_LOCALLAB_LABGRID_VALUES;高(a)=%1 高(b)=%2\n低(a)=%3 低(b)=%4 -TP_LOCALLAB_LABSTRUM;マスクの構造 -TP_LOCALLAB_LAPLACC;ΔØ ラプラシアンマスク PDEの境界条件あり -TP_LOCALLAB_LAPLACE;Δ ラプラシアンのしきい値 ΔE -TP_LOCALLAB_LAPLACEXP;Δ ラプラシアンのしきい値 -TP_LOCALLAB_LAPMASKCOL;Δ ラプラシアンのしきい値マスク -TP_LOCALLAB_LAPRAD_TOOLTIP;半径とラプラス変換のしきい値を同時に使うことを避けます。 +TP_LOCALLAB_LABSTRUM;構造マスク +TP_LOCALLAB_LAPLACC;ΔØ マスク ラプラス変換 PDEの境界条件あり +TP_LOCALLAB_LAPLACE;ラプラス変換のしきい値 ΔE +TP_LOCALLAB_LAPLACEXP;ラプラス変換のしきい値 +TP_LOCALLAB_LAPMASKCOL;ラプラス変換のしきい値 +TP_LOCALLAB_LAPRAD1_TOOLTIP;明るい領域の輝度値を上げることでマスクのコントラストを増やします。 +TP_LOCALLAB_LAPRAD2_TOOLTIP;スムーズな半径はアーティファクトを軽減し、境界を滑らかにするためにガイド付きフィルタを使います。 +TP_LOCALLAB_LAPRAD_TOOLTIP;スムーズな半径はガイド付きフィルタを使ってアーティファクトを減らし、境界をスムーズにします。 TP_LOCALLAB_LAP_MASK_TOOLTIP;全てのラプラシアンマスクのポアソン方程式の解を求めます\nラプラシアンのしきい値マスクを有効にするとアーティファクトが軽減され、スムーズな効果が得られます\n無効の場合は線形的な応答となります -TP_LOCALLAB_LC_FFTW_TOOLTIP;高速フーリエ変換は画像の質を改善し、大きな半径を使えるようにします\n処理する領域の大きさに応じて処理時間が増えます\n大きな半径で使うことを奨めます\n\nFFTWの最適化を図るために領域を数ピクセル削ります -TP_LOCALLAB_LC_TOOLNAME;ローカルコントラスト & ウェーブレット (不良部分の補正) - 7 +TP_LOCALLAB_LC_FFTW_TOOLTIP;高速フーリエ変換を使うと質が向上し、大きな半径も使えますが、処理時間が増えます(処理する領域次第で)。大きい半径を使う時だけに使う方がいいでしょう。FFTWの最適化を図るため、処理する領域が数ピクセルほど小さくなります。これだけで、処理の効率がが1.5倍~10倍良くなります。 +TP_LOCALLAB_LC_TOOLNAME;ローカルコントラスト & ウェーブレット TP_LOCALLAB_LEVELBLUR;ぼかしを施すレベルの最大値 -TP_LOCALLAB_LEVELLOCCONTRAST_TOOLTIP;横軸はローカルコントラスト(輝度に近い)を表し、縦軸はローカルコントラストの増減を表します -TP_LOCALLAB_LEVELWAV;Ψ ウェーブレットのレベル -TP_LOCALLAB_LEVELWAV_TOOLTIP;詳細レベルの数はスポットとプレビューのサイズに応じて自動で決まります\n最大512ピクセルで解析するレベル8から最大4ピクセルで解析するレベル1まで -TP_LOCALLAB_LIGHTNESS;明るさ -TP_LOCALLAB_LIGHTN_TOOLTIP;反対モードで明るさを-100にすると輝度が0になります -TP_LOCALLAB_LIGHTRETI;明るさ +TP_LOCALLAB_LEVELWAV;ウェーブレットのレベル +TP_LOCALLAB_LEVELWAV_TOOLTIP;詳細レベルの番手はスポットとプレビューのサイズに応じて自動で決まります\n最大512ピクセルで解析するレベル9から最大4ピクセルで解析するレベル1まで +TP_LOCALLAB_LEVFRA;レベル +TP_LOCALLAB_LIGHTNESS;明度 +TP_LOCALLAB_LIGHTN_TOOLTIP;インバースモードにして、スコープを高く(75以上)、明度を-100にして色度を下げると、境界の外側の輝度が0になります。 +TP_LOCALLAB_LIGHTRETI;明度 TP_LOCALLAB_LINEAR;線形性 TP_LOCALLAB_LIST_NAME;現在のスポットに機能を追加 -TP_LOCALLAB_LIST_TOOLTIP;機能を選んだ後、その複雑度、”通常”或いは”エキスパート”を選択します\n付随する番号は各RT-スポットの処理の中の機能がある場所をしましています +TP_LOCALLAB_LIST_TOOLTIP;RT-スポットで使う機能をこの中から選択します。\n表示された機能の右側のコンボボックスから、機能の水準(基本、標準、高度)を選びます。デフォルトでは基本を表示するように設定されていますが、環境設定で変更出来ます\n機能の水準は、編集中でも変えることも出来ます TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;選択したウェーブレットのレベルによって、中間トーンとハイライトへの作用を優先します -TP_LOCALLAB_LMASK_LL_TOOLTIP;中間トーンとハイライトへの作用を優先します +TP_LOCALLAB_LMASK_LL_TOOLTIP;マスクのコントラストを自由に変えられます。但し、アーティファクトが発生するかもしれません TP_LOCALLAB_LOCCONT;アンシャープマスク -TP_LOCALLAB_LOC_CONTRAST;ローカルコントラスト-ウェーブレット-欠損/汚れの補正 -TP_LOCALLAB_LOC_CONTRASTPYR;Ψ ピラミッド1: -TP_LOCALLAB_LOC_CONTRASTPYR2;Ψ ピラミッド2: -TP_LOCALLAB_LOC_CONTRASTPYR2LAB;レベルによるコントラスト調整- トーンマッピング(s) -TP_LOCALLAB_LOC_CONTRASTPYRLAB;階調フィルタ - エッジシャープネス - ぼかし +TP_LOCALLAB_LOC_CONTRAST;ローカルコントラスト & ウェーブレット +TP_LOCALLAB_LOC_CONTRASTPYR;ピラミッド1: +TP_LOCALLAB_LOC_CONTRASTPYR2;ピラミッド2: +TP_LOCALLAB_LOC_CONTRASTPYR2LAB;レベルによるコントラスト調整/トーンマッピング/方向によるコントラスト +TP_LOCALLAB_LOC_CONTRASTPYRLAB;階調フィルタ/エッジシャープネス/ぼかし TP_LOCALLAB_LOC_RESIDPYR;残差画像 メイン TP_LOCALLAB_LOG;対数符号化 +TP_LOCALLAB_LOG1FRA;CAM16による画像の調整 +TP_LOCALLAB_LOG2FRA;観視条件 TP_LOCALLAB_LOGAUTO;自動 -TP_LOCALLAB_LOGAUTO_TOOLTIP;このボタンを押すことで、ダイナミックレンジとグレーポイントの源泉の推定値が得られます(グレーポイントの源泉で"自動"が有効になっている場合)\n自動計算による値を仕上げるためには、もう一度ボタンを押します -TP_LOCALLAB_LOGBASE_TOOLTIP;デフォルト値は2です\n2以下にするとアルゴリズムの作用が減少します。シャドウ部分がより暗く、ハイライト部分がより明るくなります\n2以上にするとアルゴリズムの作用が変わります。シャドウ部分は灰色がかり、ハイライト部分の色がさめた印象になります -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;ダイナミックレンジの推定値 - ブラックEvとホワイトEv -TP_LOCALLAB_LOGENCOD_TOOLTIP;対数符号化(ACES)を使ってトーンマッピングを行います\n露出不足やハイダイナミックレンジの画像の補正に便利です\n\n処理は : 1) ダイナミックレンジを計算、2) 好みに応じて調節 -TP_LOCALLAB_LOGFRA;グレーポイントの源泉 -TP_LOCALLAB_LOGFRAME_TOOLTIP;処理の初期段階で画像の露光レベルを計算する、或いはそのまま使用します:\n前者はブラックEv, ホワイトEv、グレーポイントの源泉から計算\n後者はメインの露光量補正の値を使います +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;相対的な露光レベルの中の’自動’ボタンを押すと、撮影画像の環境に関する平均輝度が自動的に計算されます。 +TP_LOCALLAB_LOGAUTO_TOOLTIP;'自動平均輝度(Yb%)'のオプションが有効になっている時に、このボタンを押すと撮影画像の環境に関する’ダイナミックレンジ’と’平均輝度’が計算されます。\nまた、撮影時の絶対輝度も計算されます。\n再度ボタンを押すと自動的にこれら値が調整されます。 +TP_LOCALLAB_LOGBASE_TOOLTIP;デフォルト値は2です\n2以下ではアルゴリズムの働きが弱まり、シャドウ部分が暗く、ハイライト部分が明るくなります\n2より大きい場合は、シャドウ部分が濃いグレーに変わり、ハイライト部分は白っぽくなります +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;ダイナミックレンジの推定値、例えばブラックEvとホワイトEv +TP_LOCALLAB_LOGCATAD_TOOLTIP;色順応とは時空環境に応じて色を認識する能力です。\n光源がD50から大きく外れている場合のホワイトバランス調整に有用です\nこの機能で、出力デバイスの光源の下で同じ色になるように近づけます。 +TP_LOCALLAB_LOGCIE;シグモイドの代わりに対数符号化を使う +TP_LOCALLAB_LOGCIE_TOOLTIP;対数符号化Qを使うトーンマッピングでは、ブラックEvとホワイトEvの調節、場面条件の平均輝度と観視条件の平均輝度(Y%)の調整が出来ます。 +TP_LOCALLAB_LOGCOLORFL;鮮やかさ (M) +TP_LOCALLAB_LOGCOLORF_TOOLTIP;グレーに対して知覚される色相の量のことです。\n色刺激が多かれ少なかれ色付いて見えることの指標です。 +TP_LOCALLAB_LOGCONQL;コントラスト (Q) +TP_LOCALLAB_LOGCONTHRES;コントラストのしきい値(J & Q) +TP_LOCALLAB_LOGCONTL;コントラスト (J) +TP_LOCALLAB_LOGCONTL_TOOLTIP;CIECAM16のコントラストJは輝度により変わる彩色の増加を計算に入れます。 +TP_LOCALLAB_LOGCONTQ_TOOLTIP;CIECAM16のコントラストQはその明るさで知覚する彩色の増加を計算に入れます。 +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;明度Jと明るさQの中間トーンのコントラストを調節します。\n正の値ではJとQのコントラストスライダーの効果が徐々に減少し、負の値では効果が徐々に増加します。 +TP_LOCALLAB_LOGDETAIL_TOOLTIP;主に高周波に作用します。 +TP_LOCALLAB_LOGENCOD_TOOLTIP;対数符号化(ACES)を使ったトーンマッピング\n露光不足或いはハイダイナミックレンジ画像の処理に使います\n\n2段階の処理です : 1)ダイナミックレンジの算出、2)手動による調整 +TP_LOCALLAB_LOGEXP;全ての機能 +TP_LOCALLAB_LOGFRA;場面条件 +TP_LOCALLAB_LOGFRAME_TOOLTIP;RT-スポットに関する露出のレベルと’平均輝度 Yb%'(グレーポイントの情報源)を計算し調整します。結果は全てのLab関連処理と殆どのRGB関連処理に使われます。\nまた、場面の絶対輝度も考慮します。 +TP_LOCALLAB_LOGIMAGE_TOOLTIP;対応する色の見えモデルの変数(例えば、コントラストJと彩度S、及び機能水準が高度な場合の、コントラストQ、明るさQ、明度J、鮮やかさM)を考慮します。 +TP_LOCALLAB_LOGLIGHTL;明度 (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;L*a*b*の明度に近いものですが、知覚される彩色の増加を考慮ています。 +TP_LOCALLAB_LOGLIGHTQ;明るさ (Q) +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;その色刺激から発せられる知覚された光の量を意味します。\nその色刺激の明るさの多寡の指標です。 TP_LOCALLAB_LOGLIN;対数モード TP_LOCALLAB_LOGPFRA;相対的な露光レベル -TP_LOCALLAB_LOGSRCGREY_TOOLTIP;画像のグレーポイントの推定値、処理行程の前の方 -TP_LOCALLAB_LOGTARGGREY_TOOLTIP;好みに合わせて適用する値を変えられます -TP_LOCALLAB_LOG_TOOLNAME;対数符号化 - 0 -TP_LOCALLAB_LUM;カーブ LL - CC +TP_LOCALLAB_LOGREPART;全体の強さ +TP_LOCALLAB_LOGREPART_TOOLTIP;元画像と比べた対数符号化した画像の強さを調整します。\n色の見えモデルの構成要素には影響しません。 +TP_LOCALLAB_LOGSATURL_TOOLTIP;色の見えモデル16の彩度Sは、物体自身が持つ明るさに関した色刺激の色に該当します\n主に、中間トーンからハイライトにかけて作用します。 +TP_LOCALLAB_LOGSCENE_TOOLTIP;場面条件に該当します。 +TP_LOCALLAB_LOGSRCGREY_TOOLTIP;画像のグレーポイントの推定値です +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;場面条件を考慮して明暗と色を調整します。\n\n平均: 平均的な光の環境(標準)。画像は変わりません。\n\n薄暗い: 薄暗い環境。画像が少し明るくなります。\n\n暗い: 暗い環境。画像がより明るくなります。 +TP_LOCALLAB_LOGTARGGREY_TOOLTIP;適用に合わせて値を変えられます +TP_LOCALLAB_LOGVIEWING_TOOLTIP;最終画像を見る周囲環境同様、それを見る媒体(モニター、TV、プロジェクター、プリンターなど)に対応します。 +TP_LOCALLAB_LOG_TOOLNAME;対数符号化 +TP_LOCALLAB_LUM;LL - CC TP_LOCALLAB_LUMADARKEST;最も暗い部分 -TP_LOCALLAB_LUMASK;マスクの背景輝度 -TP_LOCALLAB_LUMASK_TOOLTIP;マスクの表示(マスクと調節)で、背景のグレーを調節します +TP_LOCALLAB_LUMASK;背景の色/輝度のマスク +TP_LOCALLAB_LUMASK_TOOLTIP;マスクの表示(マスクと修正領域)で、背景のグレーを調節します TP_LOCALLAB_LUMAWHITESEST;最も明るい部分 +TP_LOCALLAB_LUMFRA;L*a*b* 標準 TP_LOCALLAB_LUMONLY;輝度だけ -TP_LOCALLAB_MASFRAME;マスクと融合 -TP_LOCALLAB_MASFRAME_TOOLTIP;全てのマスクに共通する\nガンマ、スロープ、色度、コントラストカーブ、詳細レベルのコントラストカーブのマスクが使われる時は、選択領域のレタッチを避けるために色差イメージを考慮する。 -TP_LOCALLAB_MASK;マスク -TP_LOCALLAB_MASK2;コントラストカーブのマスク -TP_LOCALLAB_MASKCOL;カーブマスク -TP_LOCALLAB_MASKH;色相のカーブマスク -TP_LOCALLAB_MASK_TOOLTIP;使いたい一つの機能で複数のマスクを有効に出来ますが、そのためには別の機能を有効にする必要があります(但し、その機能自体を使う必要はありません、例えば、スライダーが0でも構いません)\nこの特性を有するマスクには’+’のマークがあります\n追加的な機能を持つマスクには’*’のマークが付いています\n数字が示すのはマスクの使用の順番です\n\nインバースマスクがある機能に関するマスクは組み合わせることが可能です\nこの場合、マスクに関連する新しい機能はインバースの中で選択します;その機能を使う際は値を非常に小さくしなければなりません(例えば、露光0.01) +TP_LOCALLAB_MASFRAME;マスクと融合に関する設定 +TP_LOCALLAB_MASFRAME_TOOLTIP;これは全てのマスクに共通します\n以下のマスク機能が使われた時に目標とする領域が変化するのを避けるためにΔE画像を考慮します:ガンマ、スロープ、色度、コントラストカーブ(ウェーブレットのレベル)、ぼかしマスク、構造のマスク(有効になっている場合)\nこの機能はインバースモードでは無効になります +TP_LOCALLAB_MASK;カーブ +TP_LOCALLAB_MASK2;コントラストカーブ +TP_LOCALLAB_MASKCOL; +TP_LOCALLAB_MASKCOM;共通のカラーマスク +TP_LOCALLAB_MASKCOM_TOOLNAME;共通のカラーマスク +TP_LOCALLAB_MASKCOM_TOOLTIP;このマスクは全ての機能で使えます。カラースコープを考慮します。\nこのマスクは’色と明るさ’や’露光補正’などに備わったその機能を補間するためのマスクとは異なります +TP_LOCALLAB_MASKCURVE_TOOLTIP;デフォルトでは3つのカーブは1(最大値)にセットされています:\n C=f(C)は色度に応じて色度が変わるカーブです。より適切な目標範囲を定めるために色度を減らします。このカーブをゼロ近くに設定すれば(Cの最大値を少し低くするだけでカーブは有効になります)、インバースモードを使って背景色の彩度を下げることが出来ます。\n L=f(L)は輝度を使ってより適切な目標範囲を定めるためのカーブです。\n L and C = f(H)は色相を使ってより適切な目標範囲を定めるためのカーブです。 +TP_LOCALLAB_MASKDDECAY;減衰の強さ +TP_LOCALLAB_MASKDECAY_TOOLTIP;マスクのグレーレベルの減衰の度合いをコントロールします\n 1は線形で減衰、 1より大きい場合はパラボリック、1より小さい場合はより緩やかな減衰になります +TP_LOCALLAB_MASKDEINV_TOOLTIP;マスクを解析するアルゴリズムが反対の作用になります\n ✔を入れると暗い部分と非常に明るい部分が減ります +TP_LOCALLAB_MASKDE_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、ノイズ除去を目的として使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n マスクが'暗い'しきい値より暗い場合は、ノイズ除去が漸進的に作用します\n マスクが'明るい'しきい値より明るい場合は、ノイズ除去が漸進的に作用します\n マスクの明るさが2つのしきい値の間になっている場合は、グレー領域の'輝度ノイズ除去'、或いは'色ノイズ除去'を使ってない限り、ノイズ除去を除く画像の設定が維持されます +TP_LOCALLAB_MASKGF_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、ガイド付きフィルタを目的として使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n マスクが'暗い'しきい値より暗い場合は、階調調整が漸進的に作用します\n マスクが'明るい'しきい値より明るい場合は、ガイド付きフィルタが漸進的に作用します\n マスクの明るさが2つのしきい値の間になっている場合は、ガイド付きフィルタを除いた画像の設定が維持されます +TP_LOCALLAB_MASKH;色相のカーブ +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;このしきい値より明るい部分では、”CBDL(輝度のみ)”のパラメータが調整を行う前の元の状態に漸進的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;しきい値をホワイト値最大(マスクで定義された)で0%に設定すると、ノイズ除去は100%から漸進的に減少します。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;このしきい値より明るい部分では、”レティネックス(輝度のみ)”のパラメータが調整を行う前の元の状態に漸進的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;このしきい値より明るい部分では、画像が“トーンマッピング”の調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;このしきい値より明るい部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;しきい値をホワイト値最大(マスクで定義された)で0%に設定すると、ガイド付きフィルタは100%から漸進的に減少します。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク'、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で'ロック式カラーピッカー'を使い、どの部分が影響を受けているか見極めます。但し、'設定'の'マスクと融合'の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLCTHR;明るい領域の輝度のしきい値 +TP_LOCALLAB_MASKLCTHR2;明るい領域の輝度のしきい値 +TP_LOCALLAB_MASKLCTHRLOW;暗い領域の輝度のしきい値 +TP_LOCALLAB_MASKLCTHRLOW2;暗い領域の輝度のしきい値 +TP_LOCALLAB_MASKLCTHRMID;グレー領域の輝度ノイズ除去 +TP_LOCALLAB_MASKLCTHRMIDCH;グレー領域の色ノイズ除去 +TP_LOCALLAB_MASKLC_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、ノイズ除去を目的として使います。\nこの機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n'暗い部分と明るい部分のノイズ除去強化'のスライダーの値が1より大きい場合、'暗い領域の輝度のしきい値'で設定されたしきい値を0%、最も暗い値(マスクによって定義される)を100%として、ノイズ除去が漸進的に増加します。\n明るい部分では、'明るい領域の輝度のしきい値'で設定されたしきい値を0%、最も明るい値(マスクによって定義される)を100%として、ノイズ除去が漸進的に減衰します。\n2つのしきい値の間の部分では、ノイズ除去の設定はマスクによる影響を受けません。 +TP_LOCALLAB_MASKLNOISELOW;暗い部分と明るい部分のノイズ除去強化 +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;このしきい値より明るい部分では、画像が'CBDL(輝度のみ)'のパラメータ調整を行う前の元の状態に漸進的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;しきい値をホワイト値最大(マスクで定義された)で0%に設定すると、ノイズ除去は100%から漸進的に増加します。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;このしきい値より明るい部分では、画像が'レティネックス'(輝度のみ)のパラメータ調整を行う前の元の状態に漸進的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;このしきい値より暗い部分では、画像の調整パラメータが調整を行う前の元の状態に斬新的に復元されます。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;しきい値をホワイト値最大(マスクで定義された)で0%に設定すると、ガイド付きフィルタは100%から漸進的に増加します。\n 'マスクと修正領域'の中の機能('構造のマスク'、'ぼかしのマスク、'スムーズな半径'、'ガンマとスロープ'、'コントラストカーブ'、'ウェーブレットを使ったローカルコントラスト')を使ってグレーレベルを変えることが出来ます。\n マスク上で“ロック式カラーピッカー”を使い、どの部分が影響を受けているか見極めます。但し、“設定”の“マスクと融合”の中にある’背景の色/輝度のマスク’の値を0にしておく必要があります。 +TP_LOCALLAB_MASKRECOL_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”色と明るさ”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'色と明るさ'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'色と明るさ'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRECOTHRES;復元のしきい値 +TP_LOCALLAB_MASKREEXP_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている、輝度情報をベースに、“ダイナミックレンジと露光補正”の設定による効果を和らげます。\n この機能を使うためには、L(L)マスクやLC(H)マスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'ダイナミックレンジと露光補正'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'ダイナミックレンジと露光補正'の設定が100%働きます。 +TP_LOCALLAB_MASKRELOG_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている、画像の輝度情報をベースにした“対数符号化”の効果を和らげます。\n この機能を使うためには、L(L)マスクやLC(H)マスクを有効にしておかなくてはなりません。\n 暗い領域のしきい値より暗い部分、と明るい領域のしきい値より明るい部分では、'対数符号化'による調整が働く前の元画像の状態に漸進的に復元されます。色の波及を使ったハイライト復元の効果を維持するために使えます。\n 2つのしきい値の間の部分では、'対数符号化'の設定が100%働きます。 +TP_LOCALLAB_MASKRESCB_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”CBDL”(輝度のみ)の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'CBDL'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'CBDL'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRESH_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”シャドウ/ハイライト”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'シャドウ/ハイライト'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'シャドウ/ハイライト'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRESRETI_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”レティネックス”(輝度のみ)の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'レティネックス'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'レティネックス'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRESTM_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”トーンマッピング”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'トーンマッピング'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'トーンマッピング'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRESVIB_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”自然な彩度 ウォームとクール”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'自然な彩度 ウォームとクール'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'自然な彩度 ウォームとクール'の設定値が100%適用されます。 +TP_LOCALLAB_MASKRESWAV_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”ローカルコントラスト ウェーブレット”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'ローカルコントラスト ウェーブレット'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'ローカルコントラスト ウェーブレット'の設定値が100%適用されます。 +TP_LOCALLAB_MASKUNUSABLE;'マスクと修正領域'のマスクが無効 +TP_LOCALLAB_MASKUSABLE;'マスクと修正領域'のマスクが有効 +TP_LOCALLAB_MASK_TOOLTIP;一つの機能の中で複数のマスクを活用することが出来ます。他の機能を有効にしてそのマスクだけを使います(機能の中のスライダー値は全て0にする)。\n\nまたは、RT-スポットを複製し、初めのスポットの近くに置き、そのRT-スポットのマスクを使います。この場合、調整のための参考値の違いが小さいため、より精緻な調整が可能です。 TP_LOCALLAB_MED;中間 TP_LOCALLAB_MEDIAN;メディアン 低 +TP_LOCALLAB_MEDIANITER_TOOLTIP;メディアンフィルタ適用の繰り返し回数を設定します +TP_LOCALLAB_MEDIAN_TOOLTIP;メディアンの値を3x3~9x9ピクセルの範囲で選べます。値を高くするほどノイズ低減とぼかしが強くなります TP_LOCALLAB_MEDNONE;なし TP_LOCALLAB_MERCOL;色 -TP_LOCALLAB_MERDCOL;背景の融合(ΔE) +TP_LOCALLAB_MERDCOL;背景の融合 TP_LOCALLAB_MERELE;明るくするだけ TP_LOCALLAB_MERFIV;追加 TP_LOCALLAB_MERFOR;色の覆い焼き TP_LOCALLAB_MERFOU;乗算 -TP_LOCALLAB_MERGE1COLFRA;オリジナル或いは前のイメージと融合 -TP_LOCALLAB_MERGECOLFRA;マスク: LCHと構造 -TP_LOCALLAB_MERGEFIV;前のスポット(マスク7) + LCHマスク +TP_LOCALLAB_MERGE1COLFRA;融合するファイルの選択:オリジナル/前のRT-スポット/背景 +TP_LOCALLAB_MERGECOLFRA;マスク:LChと構造 +TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;LChの3つのカーブ、或いは構造検出のアルゴリズム、またはその両方をベースにマスクを作ります +TP_LOCALLAB_MERGEFIV;前のスポット(マスク7) + LChマスク TP_LOCALLAB_MERGEFOU;前のスポット(マスク7) -TP_LOCALLAB_MERGEMER_TOOLTIP;融合画像に対しΔEを計算に入れます(この方法はスコープの作用と同等です) +TP_LOCALLAB_MERGEMER_TOOLTIP;ファイルを癒合する際にΔEを考慮します(この場合はスコープと同じ働きです) TP_LOCALLAB_MERGENONE;なし TP_LOCALLAB_MERGEONE;ショートカーブ'L'のマスク -TP_LOCALLAB_MERGEOPA_TOOLTIP;オリジナル或いは前のスポットと現在のスポットとの融合する際の不透明度の % \nコントラストのしきい値:オリジナルコントラストの機能の結果を調整 -TP_LOCALLAB_MERGETHR;オリジナル(マスク7) + LCHマスク -TP_LOCALLAB_MERGETWO;オリジナル(マスク7) +TP_LOCALLAB_MERGEOPA_TOOLTIP;不透明度とは初めのRT-スポット或いは前のスポットと融合させる現在のスポットの割合です\nコントラストのしきい値:元画像のコントラストに応じで結果を調整するスライダーです +TP_LOCALLAB_MERGETHR;オリジナル + LChマスク +TP_LOCALLAB_MERGETWO;オリジナル TP_LOCALLAB_MERGETYPE;イメージとマスクの融合 -TP_LOCALLAB_MERGETYPE_TOOLTIP;なしの場合、LCHモードの全てのマスクを使います\nショートカーブ 'L'マスクの場合、マスク2、3、4、6、7はスキップします\nオリジナルマスク7の場合、現在のイメージと元のイメージを融合します +TP_LOCALLAB_MERGETYPE_TOOLTIP;なしの場合、LChモードの全てのマスクを使います\nショートカーブ 'L'マスクの場合、マスク2、3、4、6、7はスキップします\nオリジナルマスク7の場合、現在のイメージと元のイメージを融合します TP_LOCALLAB_MERHEI;重ね合わせ TP_LOCALLAB_MERHUE;色相 TP_LOCALLAB_MERLUCOL;輝度 @@ -2611,7 +3190,7 @@ TP_LOCALLAB_MERLUM;光度 TP_LOCALLAB_MERNIN;スクリーン TP_LOCALLAB_MERONE;標準 TP_LOCALLAB_MERSAT;彩度 -TP_LOCALLAB_MERSEV;ソフトライト Photoshop +TP_LOCALLAB_MERSEV;ソフトライト(レガシー) TP_LOCALLAB_MERSEV0;ソフトライト イリュージョン TP_LOCALLAB_MERSEV1;ソフトライト W3C TP_LOCALLAB_MERSEV2;ハードライト @@ -2622,53 +3201,82 @@ TP_LOCALLAB_MERTHR;差異 TP_LOCALLAB_MERTWE;除外 TP_LOCALLAB_MERTWO;減算 TP_LOCALLAB_METHOD_TOOLTIP;'強化 + 色ノイズ低減'を選ぶと処理時間が著しく増加します\nしかし、アーティファクトは軽減されます -TP_LOCALLAB_MLABEL;復元されたデータ 最小値=%1 最大値=%2 (クリップ - オフセット) -TP_LOCALLAB_MLABEL_TOOLTIP;最低値=0、最大値=32768の近くになるよう調整します\n標準化を行うため‘保持されたデータを切り取る’と‘オフセット’を使えます\n\n混成のない画像に戻します -TP_LOCALLAB_MODE_EXPERT;エキスパート -TP_LOCALLAB_MODE_NORMAL;通常 +TP_LOCALLAB_MLABEL;復元されたデータ 最小値=%1 最大値=%2 +TP_LOCALLAB_MLABEL_TOOLTIP;最低値を0、最大値を32768(対数モード)に近づける必要がありますが、必ずしも一致させる必要はありません。標準化のために、'ゲイン'と'オフセット'を調整します\nブレンドせずに画像を回復します +TP_LOCALLAB_MODE_EXPERT;高度 +TP_LOCALLAB_MODE_NORMAL;標準 +TP_LOCALLAB_MODE_SIMPLE;基本 TP_LOCALLAB_MRFIV;背景 -TP_LOCALLAB_MRFOU;前のスポット +TP_LOCALLAB_MRFOU;前のRT-スポット TP_LOCALLAB_MRONE;なし -TP_LOCALLAB_MRTHR;元のイメージ +TP_LOCALLAB_MRTHR;オリジナルRT-スポット TP_LOCALLAB_MRTWO;ショートカーブ 'L'マスク -TP_LOCALLAB_MULTIPL_TOOLTIP;非常に広範囲(-18EV~+4EV)でトーンのレタッチが出来ます。初めのスライダーは-18EV~-6EVの非常に暗い部分に作用します。最後のスライダーは4EVまでの明るい部分に作用します +TP_LOCALLAB_MULTIPL_TOOLTIP;トーンの幅が広い画像、-18EV~+4EV、を調整します: 最初のスライダーは-18EV~-6EVの非常に暗い部分に作用します。2つ目のスライダーは-6EV~+4EVの部分に作用します TP_LOCALLAB_NEIGH;半径 -TP_LOCALLAB_NOISECHROCOARSE;色度 粗い (ウェーブレット) +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;値を低くすると詳細と質感が保たれます。高くするとノイズ除去が強まります。\nガンマが3.0の場合は輝度ノイズの除去には線形が使われます。 +TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;処理対象の大きさに対して適用するノイズ除去の量を調節するスライダーです。 +TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;値を高くするとノイズ除去が強まりますが、その分処理時間が増えます。 +TP_LOCALLAB_NLDENOISE_TOOLTIP;'ディテールの復元'はラプラス変換に作用します。詳細を含んだ部分より、むしろ均質な部分を目標にします。 +TP_LOCALLAB_NLDET;ディテールの復元 +TP_LOCALLAB_NLFRA;輝度のノンローカルミーンフィルタ +TP_LOCALLAB_NLFRAME_TOOLTIP;ノンローカルミーンフィルタによるノイズ除去は画像の全ピクセルの平均値を使い、その平均値との類似性に応じて、目標ピクセルのノイズ除去に重みを付けます。\nローカルミーンフィルタに比べ、詳細の損失が少なくて済みます。\n輝度ノイズだけを考慮します。色ノイズの除去はウェーブレットとフーリエ変換(DCT)を使う方がベターだからです。\nこのフィルタは単独でも、或いは”詳細レベルによる輝度ノイズの除去”と併用しても使えます。 +TP_LOCALLAB_NLGAM;ガンマ +TP_LOCALLAB_NLLUM;強さ +TP_LOCALLAB_NLPAT;パッチの最大値 +TP_LOCALLAB_NLRAD;半径の最大値 +TP_LOCALLAB_NOISECHROCOARSE;高い番手の色度(ウェーブレット) TP_LOCALLAB_NOISECHROC_TOOLTIP;0より大きい値で効果の高いアルゴリズムが働き始めます\n大まかなスライダーの場合は2以上からです -TP_LOCALLAB_NOISECHRODETAIL;色度 細部の回復 (DCT) -TP_LOCALLAB_NOISECHROFINE;色度 細かい (ウェーブレット) +TP_LOCALLAB_NOISECHRODETAIL;色度の詳細復元 +TP_LOCALLAB_NOISECHROFINE;低い番手の色度(ウェーブレット) TP_LOCALLAB_NOISEDETAIL_TOOLTIP;スライダー値が100になると無効 +TP_LOCALLAB_NOISEGAM;ガンマ +TP_LOCALLAB_NOISEGAM_TOOLTIP;ガンマが1の時は、"Lab"の輝度が使われます。ガンマが3.0の時は"線形"の輝度が使われます\n低い値にするとディテールと質感が保たれます。高い値にするとノイズ除去が強まります。 TP_LOCALLAB_NOISELEQUAL;イコライザ 白黒 -TP_LOCALLAB_NOISELUMCOARSE;輝度 大まか(ウェーブレット) -TP_LOCALLAB_NOISELUMDETAIL;輝度 細部の回復 (DCT) +TP_LOCALLAB_NOISELUMCOARSE;高い番手の輝度(ウェーブレット) +TP_LOCALLAB_NOISELUMDETAIL;輝度の詳細復元 TP_LOCALLAB_NOISELUMFINE;輝度 詳細レベル2(ウェーブレット) TP_LOCALLAB_NOISELUMFINETWO;輝度 詳細レベル3(ウェーブレット) TP_LOCALLAB_NOISELUMFINEZERO;輝度 詳細レベル1(ウェーブレット) TP_LOCALLAB_NOISEMETH;ノイズ低減 +TP_LOCALLAB_NOISE_TOOLTIP;輝度ノイズを追加 TP_LOCALLAB_NONENOISE;なし +TP_LOCALLAB_NUL_TOOLTIP;. TP_LOCALLAB_OFFS;オフセット TP_LOCALLAB_OFFSETWAV;オフセット TP_LOCALLAB_OPACOL;不透明度 TP_LOCALLAB_ORIGLC;元画像だけと融合 -TP_LOCALLAB_ORRETILAP_TOOLTIP;2次ラプラシアンのしきい値に作用します。作用に差をつけるため、特に背景に対する作用、ΔEを計算に入れます(スコープの作用と異なります) +TP_LOCALLAB_ORRETILAP_TOOLTIP;'スコープ'による変更の前に、ΔEを変更します。これにより画像の異なる部分(例えば背景)に対する作用に差を付けることが出来ます。 TP_LOCALLAB_ORRETISTREN_TOOLTIP;1次ラプラシアンのしきい値に作用します。設定値を高くするほど、コントラストの違いが減少します TP_LOCALLAB_PASTELS2;自然な彩度 -TP_LOCALLAB_PDE;ΔØ ラプラシアン PDE - ダイナミックレンジ圧縮 + 標準 -TP_LOCALLAB_PDEFRA;PDE IPOL - コントラスト減衰 -TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL - IPOLから取り入れ、独自にRawtherapee用にアレンジしたアルゴリズム:非常に異なる効果が出るので設定を変える必要があります。標準的にはブラックをマイナス値、ガンマを1以下にするなど\n露出の低い画像に便利だと思われます\n +TP_LOCALLAB_PDE;PDE IPOL - ダイナミックレンジ圧縮 +TP_LOCALLAB_PDEFRA;コントラストの減衰 ƒ +TP_LOCALLAB_PDEFRAME_TOOLTIP;RawtherapeeはPDE IPOLのアルゴリズムを採用しています : 異なる効果が期待できますが、メインの露光補正機能とは異なる設定が必要です。\n露出不足やハイダイナミックレンジの画像の補正に便利でしょう +TP_LOCALLAB_PREVHIDE;基本的な設定項目だけを表示 TP_LOCALLAB_PREVIEW;ΔEのプレビュー +TP_LOCALLAB_PREVSHOW;全ての設定項目を表示 TP_LOCALLAB_PROXI;ΔEの減衰 +TP_LOCALLAB_QUAAGRES;積極的 +TP_LOCALLAB_QUACONSER;控え目 TP_LOCALLAB_QUALCURV_METHOD;カーブのタイプ TP_LOCALLAB_QUAL_METHOD;全体の質 +TP_LOCALLAB_QUANONEALL;なし +TP_LOCALLAB_QUANONEWAV;ノンローカルミーンだけ TP_LOCALLAB_RADIUS;半径 -TP_LOCALLAB_RADIUS_TOOLTIP;半径の値が30より大きい場合は、高速フーリエ変換を使います -TP_LOCALLAB_RADMASKCOL;半径のマスクを滑らかにする +TP_LOCALLAB_RADIUS_TOOLTIP;半径が30より大きい場合は、高速フーリエ変換を使います +TP_LOCALLAB_RADMASKCOL;スムーズな半径 +TP_LOCALLAB_RECOTHRES02_TOOLTIP;“回復のしきい値”が1より大きい場合は、“マスクと修正領域”に付属するマスクは、その前に画像に対して行われた全ての調整を考慮しますが、現在のツールで行われた調整(例、色と明るさや、ウェーブレット、CAM16、など)は考慮しません。\n“回復のしきい値”が1より小さい場合は、“マスクと修正領域”に付属するマスクは、その前に画像に対して行われた全ての調整を考慮しません。\n\nどちらの場合も、“回復のしきい値”は現在のツール(例、色と明るさや、ウェーブレット、CAM16、など)で調整されたマスクされた画像に作用します。 TP_LOCALLAB_RECT;長方形 TP_LOCALLAB_RECURS;参考値の繰り返し -TP_LOCALLAB_RECURS_TOOLTIP;新しいモジュール使用とRT-スポットが作成される度に、色相、輝度、色度の参考値が再計算されます。\nマスクを使った作業に便利です。 +TP_LOCALLAB_RECURS_TOOLTIP;各機能の適用後に参考値を強制的に再計算させる機能です\nマスクを使った作業にも便利です TP_LOCALLAB_REFLABEL;参照 (0..1) 色度=%1 輝度=%2 色相=%3 TP_LOCALLAB_REN_DIALOG_LAB;新しいコントロールスポットの名前を入力 TP_LOCALLAB_REN_DIALOG_NAME;コントロールスポットの名前変更 +TP_LOCALLAB_REPARCOL_TOOLTIP;元画像に関する色と明るさの構成の相対的強さを調整出来るようにします。 +TP_LOCALLAB_REPARDEN_TOOLTIP;元画像に関するノイズ除去の構成の相対的強さを調整出来るようにします。 +TP_LOCALLAB_REPAREXP_TOOLTIP;元画像に関するダイナミックレンジと露光補正の構成の相対的強さを調整出来るようにします。 +TP_LOCALLAB_REPARSH_TOOLTIP;元画像に関するシャドウ/ハイライトとトーンイコライザの構成の相対的強さを調整出来るようにします。 +TP_LOCALLAB_REPARTM_TOOLTIP;元画像に関するトーンマッピングの構成の相対的強さを調整出来るようにします。 +TP_LOCALLAB_REPARW_TOOLTIP;元画像に関するローカルコントラストとウェーブレットの構成の相対的強さを調整出来るようにします。 TP_LOCALLAB_RESETSHOW;全ての表示変更をリセット TP_LOCALLAB_RESID;残差画像 TP_LOCALLAB_RESIDBLUR;残差画像をぼかす @@ -2679,106 +3287,116 @@ TP_LOCALLAB_RESIDHI;ハイライト TP_LOCALLAB_RESIDHITHR;ハイライトのしきい値 TP_LOCALLAB_RESIDSHA;シャドウ TP_LOCALLAB_RESIDSHATHR;シャドウのしきい値 -TP_LOCALLAB_RETI;霞除去 - レティネックス 強いコントラスト +TP_LOCALLAB_RETI;霞除去 & レティネックス TP_LOCALLAB_RETIFRA;レティネックス +TP_LOCALLAB_RETIFRAME_TOOLTIP;画像処理においてレティネックスは便利な機能です\nぼけた、霧かかった、或いは霞んだ画像を補正出来ます\nこういった画像は輝度に大きな違いがあるのが特徴です\n特殊効果を付けるためにも使えます(トーンマッピング) TP_LOCALLAB_RETIM;独自のレティネックス -TP_LOCALLAB_RETITOOLFRA;レティネックスの機能 +TP_LOCALLAB_RETITOOLFRA;高度なレティネックス機能 TP_LOCALLAB_RETI_FFTW_TOOLTIP;高速フーリエ変換は質を向上させ大きな半径の使用が可能になります\n処理時間は編集する領域の大きさに応じて変わります \n大きな半径を扱う場合に適用するのがいいでしょう\n\n処理領域を数ピクセル減らすことでFFTWの最適化を図ることが出来ます \n但し、RT-スポットの境界線(縦或いは横)が画像からはみ出している場合は最適化を図れません -TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Have no effect when the value "Lightness = 1" or "Darkness =2" is chosen.\nIn other cases, the last step of "Multiple scale Retinex" is applied an algorithm close to "local contrast", these 2 cursors, associated with "Strength" will allow to play upstream on the local contrast. -TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Play on internal parameters to optimize response.\nLook at the "restored datas" indicators "near" min=0 and max=32768 (log mode), but others values are possible. -TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm allows differenciation for haze or normal.\nLogarithm brings more contrast but will generate more halo. -TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;画像に応じてこれらの値を適用します - 霧のかかった画像の場合で、調整したいのが前景或いは背景なのかに応じて。 -TP_LOCALLAB_RETI_SCALE_TOOLTIP;If scale=1, retinex behaves like local contrast with many more possibilities.\nThe greater the scale, the more intense the recursive action, the longer the calculation times -TP_LOCALLAB_RET_TOOLNAME;霞除去 & レティネックス - 9 +TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;'明度=1'或いは'暗さ=2'の場合は効果がありません\n他の値の場合は、最終工程で'マルチスケールレティネックス'('ローカルコントラスト'の調整に似ています)が適用されます。'強さ'に関わる2つのスライダーでローカルコントラストのアップストリーの処理が調整されます +TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;効果の最適化を図るため内部の変数を変えます\n'修復されたデータ'は最低値が0、最大値が32768(対数モード)に近いことが望ましいのですが、必ずしも一致させる必要はありません。 +TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;対数モードを使うとコントラストが増えますが、ハロが発生することもあります +TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;半径と分散(バリアンス)のスライダーは霞を調整します。前景或いは背景を目標にします +TP_LOCALLAB_RETI_SCALE_TOOLTIP;スケールが1の時は、レティネックスはローカルコントラストを調整した様な効果になります\nスケールの値を増やすと回帰作用が強化されますが、その分処理時間も増加します +TP_LOCALLAB_RET_TOOLNAME;霞除去 & レティネックス TP_LOCALLAB_REWEI;再加重平均の繰り返し TP_LOCALLAB_RGB;RGB トーンカーブ +TP_LOCALLAB_RGBCURVE_TOOLTIP;RGBモードには4つの選択肢があります:標準、加重平均、輝度とフィルム調 TP_LOCALLAB_ROW_NVIS;非表示 TP_LOCALLAB_ROW_VIS;表示 +TP_LOCALLAB_RSTPROTECT_TOOLTIP;レッドと肌色の保護は、彩度や色度、鮮やかさのスライダー調整に影響します。 TP_LOCALLAB_SATUR;彩度 +TP_LOCALLAB_SATURV;彩度S TP_LOCALLAB_SAVREST;保存 - 元に戻した現在のイメージ TP_LOCALLAB_SCALEGR;スケール TP_LOCALLAB_SCALERETI;スケール TP_LOCALLAB_SCALTM;スケール -TP_LOCALLAB_SCOPEMASK;ΔE画像のスコープマスク -TP_LOCALLAB_SCOPEMASK_TOOLTIP;色差画像のマスクを有効にすると使えます\n低い値にすると選択した領域の調整が行われません +TP_LOCALLAB_SCOPEMASK;スコープ(ΔE画像のマスク) +TP_LOCALLAB_SCOPEMASK_TOOLTIP;ΔE画像のマスクが有効の場合に使えます\n低い値にするほど、目標とする編集領域が変化してしまうことが避けられます TP_LOCALLAB_SENSI;スコープ -TP_LOCALLAB_SENSIBN;スコープ -TP_LOCALLAB_SENSICB;スコープ -TP_LOCALLAB_SENSIDEN;スコープ TP_LOCALLAB_SENSIEXCLU;スコープ -TP_LOCALLAB_SENSIEXCLU_TOOLTIP;除外モードに含まれている色も調整 -TP_LOCALLAB_SENSIH;スコープ -TP_LOCALLAB_SENSIH_TOOLTIP;スコープの作用を調整します:\n小さい値を設定すると調整領域の色の変化は中心円に近いものに制限されます\n高い値を設定すると色の変化の範囲が広がります。\n20以下の設定がアルゴリズムの働きにとっていいでしょう -TP_LOCALLAB_SENSILOG;スコープ -TP_LOCALLAB_SENSIS;スコープ -TP_LOCALLAB_SENSIS_TOOLTIP;スコープの作用を調整します:\n小さい値を設定すると調整領域の色の変化は中心円に近いものに制限されます\n高い値を設定すると色の変化の範囲が広がります。\n20以下の設定がアルゴリズムの働きにとっていいでしょう -TP_LOCALLAB_SENSI_TOOLTIP;スコープの作用を調整します:\n小さい値を設定すると調整領域の色の変化は中心円に近いものに制限されます\n高い値を設定すると色の変化の範囲が広がります。\n20以下の設定がアルゴリズムの働きにとっていいでしょう +TP_LOCALLAB_SENSIEXCLU_TOOLTIP;除外される色を調整します +TP_LOCALLAB_SENSIMASK_TOOLTIP;共通なマスクに付属するスコープを調整します\n元画像とマスクの違いに対して作用します\nRT-スポットの中心の輝度、色度、色相参考値を使います\n\nマスク自体のΔEを調整することも出来ます。'設定'の中の”スコープ(ΔE画像のマスク)”を使います。 +TP_LOCALLAB_SENSI_TOOLTIP;スコープの作用を加減します:\n小さい値を設定すると、色に対する作用はRT-スポットの中心部付近に限定されます\n高い値を設定すると、広範囲の色に作用が及びます TP_LOCALLAB_SETTINGS;設定 TP_LOCALLAB_SH1;シャドウ/ハイライト TP_LOCALLAB_SH2;イコライザ TP_LOCALLAB_SHADEX;シャドウ -TP_LOCALLAB_SHADEXCOMP;シャドウの圧縮とトーンの幅 -TP_LOCALLAB_SHADHIGH;シャドウ/ハイライト-階調-トーンイコライザ-TRC -TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;露光モジュールだけでは処理が困難な場合に、代わりに使う、或いは補間に使います。\nノイズ低減の使用が必要かもしれません:シャドウを明るく -TP_LOCALLAB_SHAMASKCOL;シャドウのマスク -TP_LOCALLAB_SHAPETYPE;RT-スポット領域の形状 -TP_LOCALLAB_SHAPE_TOOLTIP;長方形は通常モードのみ +TP_LOCALLAB_SHADEXCOMP;シャドウの圧縮 +TP_LOCALLAB_SHADHIGH;シャドウ/ハイライト & トーンイコライザ +TP_LOCALLAB_SHADHMASK_TOOLTIP;シャドウ/ハイライトのアルゴリズムと同じ要領で、マスクのハイライト部分を暗くします +TP_LOCALLAB_SHADMASK_TOOLTIP;シャドウ/ハイライトのアルゴリズムと同じ要領で、マスクのシャドウ部分を明るくします +TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;シャドウとハイライトをシャドウ/ハイライトスライダー、或いはトーンイコライザで調整します。\n露光補正モジュールを、代わり、或いは一緒に使うことが出来ます。\n階調フィルタも使えます +TP_LOCALLAB_SHAMASKCOL;シャドウ +TP_LOCALLAB_SHAPETYPE;スポットの形状 +TP_LOCALLAB_SHAPE_TOOLTIP;デフォルト設定は”楕円形”です\n”長方形”は特定のケースに使います。 TP_LOCALLAB_SHARAMOUNT;量 TP_LOCALLAB_SHARBLUR;半径のぼかし TP_LOCALLAB_SHARDAMPING;減衰 TP_LOCALLAB_SHARFRAME;変更 TP_LOCALLAB_SHARITER;繰り返し TP_LOCALLAB_SHARP;シャープニング -TP_LOCALLAB_SHARP_TOOLNAME;シャープニング - 8 +TP_LOCALLAB_SHARP_TOOLNAME;シャープニング TP_LOCALLAB_SHARRADIUS;半径 TP_LOCALLAB_SHORTC;ショートカーブ'L'マスク -TP_LOCALLAB_SHORTCMASK_TOOLTIP;L(L)とL(H)2つのカーブをつスキップします。\nマスクの作用によって調整された現在のイメージと元イメージを融合します\n但し、これが使えるのは2, 3, 4, 6, 7のマスクです -TP_LOCALLAB_SHOWC;マスクと調節 +TP_LOCALLAB_SHORTCMASK_TOOLTIP;L(L)とL(H)2つのカーブをスキップします。\nマスクの作用によって調整された現在のイメージと元イメージを融合します\n但し、これが使えるのは2, 3, 4, 6, 7のマスクです +TP_LOCALLAB_SHOWC;マスクと修正領域 TP_LOCALLAB_SHOWC1;ファイルの融合 -TP_LOCALLAB_SHOWCB;マスクと調節 +TP_LOCALLAB_SHOWCB;マスクと修正領域 TP_LOCALLAB_SHOWDCT;フーリエの処理を表示 -TP_LOCALLAB_SHOWE;マスクと調節 +TP_LOCALLAB_SHOWE;マスクと修正領域 TP_LOCALLAB_SHOWFOURIER;フーリエ (DCT) -TP_LOCALLAB_SHOWLAPLACE;Δ ラプラシアン (最初) -TP_LOCALLAB_SHOWLC;マスクと調節 +TP_LOCALLAB_SHOWLAPLACE;Δ ラプラシアン (一次) +TP_LOCALLAB_SHOWLC;マスクと修正領域 TP_LOCALLAB_SHOWMASK;マスクの表示 -TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;調整具合を表示させます\n但し、見られる表示は1度に1種類(色と明るさ、或いは露光のセクション)だけです\n'マスクと調整'のドロップダウンボックスで、'なし' 或いは マスクを表示できるものを選択します\n\nマスクの処理はは形状検出の前に行われます -TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;フーリエによる処理を表示します:\n処理の異なる段階を表示\nラプラス - しきい値に応じた2次微分を行う(最初のステップ)\nフーリエ -変換したラプラスをDCTで表示\nポアソン - ポアソンDCEの解を表示\n標準化 - 輝度の標準化なしに結果を表示 -TP_LOCALLAB_SHOWMASKTYP1;ぼかしとノイズ +TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;マスクと修正箇所の表示:\n注意:一度に一つの機能のマスクしか見ることが出来きません\n調整及び修正した画像:機能による調整とマスクによる修正の両方を含む画像を表示\n修正された領域をマスクなしで表示:マスクを適用する前の修正領域を表示\n修正された領域をマスクと共に表示:マスクを適用した修正領域を表示\nマスクの表示:カーブやフィルタの効果を含めたマスクの様子を表示します\nスポットの構造を表示:'スポットの構造'スライダー(機能水準が高度の場合)が有効になった時に、構造検出マスクを見ることが出来ます\n注意:形状検出のアルゴリズムが作用する前にマスクが適用されます +TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;フーリエ変換による処理を段階的に見ることが出来ます\nラプラス - しきい値の関数としてラプラス変換の2次微分を計算仕します\nフーリエ - 離散コサイン変換(DCT)でラプラス変換を表示します\nポアソン - ポアソン方程式の解を表示します\n輝度の標準化なし - 輝度の標準化なしで結果を表示します +TP_LOCALLAB_SHOWMASKTYP1;ぼかし&ノイズ除去 TP_LOCALLAB_SHOWMASKTYP2;ノイズ除去 -TP_LOCALLAB_SHOWMASKTYP3;ぼかしとノイズ + ノイズ除去 -TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;マスクと調節を選択出来ます\nぼかしとノイズ:この場合は、'ノイズ除去'は使えません\nノイズ除去:この場合は、'ぼかしとノイズ'は使えません\n\nぼかしとノイズ+ノイズ除去:マスクを共用しますが、'調節を表示'と'スコープ'の扱いには注意が必要です -TP_LOCALLAB_SHOWMNONE;なし -TP_LOCALLAB_SHOWMODIF;マスクなしで変更を表示 -TP_LOCALLAB_SHOWMODIFMASK;マスクと共に変更を表示 -TP_LOCALLAB_SHOWNORMAL;輝度の標準化(なし) -TP_LOCALLAB_SHOWPLUS;マスクと調節- 平滑化によるぼかしとノイズ低減 +TP_LOCALLAB_SHOWMASKTYP3;ぼかし&ノイズ除去 + ノイズ除去 +TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;‘マスクと修正領域’と併せて使うことが出来ます。\n‘ぼかしとノイズ’を選択した場合、マスクはノイズ除去には使えません。\n‘ノイズ除去を選択した場合、マスクは’ぼかしとノイズ‘には使えません。\n’ぼかしとノイズ + ノイズ除去‘を選択した場合は、マスクを共有することが出来ます。但し、この場合、’ぼかしとノイズ‘とノイズ除去のスコープスライダーが有効となるので、修正を行う際には’マスクと共に修正領域を表示‘のオプションを使うことを奨めます。 +TP_LOCALLAB_SHOWMNONE;調整及び修正した画像 +TP_LOCALLAB_SHOWMODIF;修正された領域をマスクなしで表示 +TP_LOCALLAB_SHOWMODIF2;マスクの表示 +TP_LOCALLAB_SHOWMODIFMASK;修正された領域をマスクと共に表示 +TP_LOCALLAB_SHOWNORMAL;輝度の標準化をしない +TP_LOCALLAB_SHOWPLUS;マスクと修正領域(ぼかし&ノイズ除去) TP_LOCALLAB_SHOWPOISSON;ポアソン (pde f) -TP_LOCALLAB_SHOWR;マスクと調節 +TP_LOCALLAB_SHOWR;マスクと修正領域 TP_LOCALLAB_SHOWREF;ΔEのプレビュー -TP_LOCALLAB_SHOWS;マスクと調節 -TP_LOCALLAB_SHOWSTRUC;構造スポットを表示 -TP_LOCALLAB_SHOWSTRUCEX;構造スポットを表示 - "通常"では不可 -TP_LOCALLAB_SHOWT;マスクと調節 -TP_LOCALLAB_SHOWVI;マスクと調節 -TP_LOCALLAB_SHRESFRA;シャドウ/ハイライト -TP_LOCALLAB_SHTRC_TOOLTIP;TRC(諧調再現カーブ)を使って画像のトーンを調節します。\nガンマは主に明るいトーンに作用します\n勾配は主に暗いトーンに作用します -TP_LOCALLAB_SH_TOOLNAME;シャドウ/ハイライト & トーンイコライザ - 5 +TP_LOCALLAB_SHOWS;マスクと修正領域 +TP_LOCALLAB_SHOWSTRUC;スポットの構造を表示(高度) +TP_LOCALLAB_SHOWSTRUCEX;スポットの構造を表示(高度) +TP_LOCALLAB_SHOWT;マスクと修正領域 +TP_LOCALLAB_SHOWVI;マスクと修正領域 +TP_LOCALLAB_SHRESFRA;シャドウ/ハイライト&TRC +TP_LOCALLAB_SHTRC_TOOLTIP;'作業プロファイル'をベースに(但し、それが提供されている場合のみ)、TRC(トーンレスポンスカーブ)を使って画像のトーンを調節します。\nガンマは主に明るいトーンに作用します\n勾配は主に暗いトーンに作用します +TP_LOCALLAB_SH_TOOLNAME;シャドウ/ハイライト & トーンイコライザ +TP_LOCALLAB_SIGFRA;シグモイドQと対数符号化Q +TP_LOCALLAB_SIGJZFRA;Jz シグモイド TP_LOCALLAB_SIGMAWAV;減衰応答 +TP_LOCALLAB_SIGMOIDBL;ブレンド +TP_LOCALLAB_SIGMOIDLAMBDA;コントラスト +TP_LOCALLAB_SIGMOIDQJ;ブラックEvとホワイトEvを使う +TP_LOCALLAB_SIGMOIDTH;しきい値(グレーポイント) +TP_LOCALLAB_SIGMOID_TOOLTIP;'CIECAM'(或いは’Jz)と'シグモイド'関数を使って、トーンマッピングの様な効果を作ることが出来ます。\n3つのスライダーを使います: a) コントラストのスライダーはシグモイドの形状を変えることで強さを変えます。 b) しきい値(グレーポイント)のスライダーは、輝度に応じて作用を変えます。 c)ブレンドは画像の最終的なコントラストや輝度を変えます。 TP_LOCALLAB_SIM;シンプル -TP_LOCALLAB_SLOMASKCOL;スロープのマスク +TP_LOCALLAB_SLOMASKCOL;スロープ +TP_LOCALLAB_SLOMASK_TOOLTIP;ガンマとスロープを調整することで、不連続を避けるための“L”の漸進的修正により、アーティファクトの無いマスクの修正が出来ます TP_LOCALLAB_SLOSH;スロープ -TP_LOCALLAB_SOFT;ソフトライトと独自のレティネックス +TP_LOCALLAB_SOFT;ソフトライト & 独自のレティネックス TP_LOCALLAB_SOFTM;ソフトライト TP_LOCALLAB_SOFTMETHOD_TOOLTIP;独自のレティネックスは他のレティネックス方式とは大きく異なります\nグレーと輝度のバランスに作用します TP_LOCALLAB_SOFTRADIUSCOL;ソフトな半径 -TP_LOCALLAB_SOFTRETI;アーティファクトの軽減 ΔE +TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;アーティファクトの発生を軽減するために出力画像にガイド付きフィルタを適用します +TP_LOCALLAB_SOFTRETI;ΔEアーティファクトの軽減 TP_LOCALLAB_SOFTRETI_TOOLTIP;透過マップを向上させるため色差を考慮します。 -TP_LOCALLAB_SOFT_TOOLNAME;ソフトライト & 独自のレティネックス - 6 +TP_LOCALLAB_SOFT_TOOLNAME;ソフトライト & 独自のレティネックス +TP_LOCALLAB_SOURCE_ABS;絶対輝度 TP_LOCALLAB_SOURCE_GRAY;値 -TP_LOCALLAB_SPECCASE;特定のケース +TP_LOCALLAB_SPECCASE;特有の設定 TP_LOCALLAB_SPECIAL;RGBカーブの特殊な利用 -TP_LOCALLAB_SPECIAL_TOOLTIP;Only for this RGB curve, disabled (or reduce effects) of Scope, mask...for example, if you want to have a negative effect. +TP_LOCALLAB_SPECIAL_TOOLTIP;チェックボックスに✔を入れると、他の全ての作用が取り除かれます。例えば、“スコープ”, マスク, スライダーなどの作用(境界を除きます) が除かれRGBトーンカーブの効果だけが使われます TP_LOCALLAB_SPOTNAME;新しいスポット TP_LOCALLAB_STD;標準 TP_LOCALLAB_STR;強さ @@ -2786,82 +3404,119 @@ TP_LOCALLAB_STRBL;強さ TP_LOCALLAB_STREN;圧縮の強さ TP_LOCALLAB_STRENG;強さ TP_LOCALLAB_STRENGR;強さ +TP_LOCALLAB_STRENGRID_TOOLTIP;望む効果は'強さ'で調整出来ますが、作用の範囲を制限する'スコープ'を使うことも出来ます。 TP_LOCALLAB_STRENGTH;ノイズ TP_LOCALLAB_STRGRID;強さ TP_LOCALLAB_STRRETI_TOOLTIP;レティネックスの強さが0.2より小さい場合は霞除去だけが有効となります。\nレティネックスの強さが0.1以上の場合、霞除去の作用は輝度だけです。 TP_LOCALLAB_STRUC;構造 -TP_LOCALLAB_STRUCCOL;構造 -TP_LOCALLAB_STRUCCOL1;構造のスポット -TP_LOCALLAB_STRUCT_TOOLTIP;形状検出で構造を計算に入れるため、Sobelアルゴリズムを使います。\n“マスクと調節の構造スポットを表示”を有効にすればプレビューを見ることが出来ます。 +TP_LOCALLAB_STRUCCOL;スポットの構造 +TP_LOCALLAB_STRUCCOL1;スポットの構造 +TP_LOCALLAB_STRUCT_TOOLTIP;形状検出に関する構造を考慮するSobelアルゴリズムを使います.\n'マスクと修正領域'を有効にして、マスクのプレビュー(変更なし)を見るために'スポットの構造を表示'を有効にします\n\nエッジ検出の精度を上げるため、構造マスク、ぼかしマスク、ローカルコントラスト(ウェーブレットのレベル)と共に使うことが出来ます\n\n明るさ、コントラスト、色度、露光補正、或いはマスクに関係しない機能を使った調整効果は、'調整及び修正した画像'、或いは'修正された領域をマスクと共に表示'で、見ることが出来ます TP_LOCALLAB_STRUMASKCOL;構造マスクの強さ -TP_LOCALLAB_STRUMASK_TOOLTIP;Generate a structure mask with difference between surface areas and reliefs.\nIf structure mask as tool is enabled, this mask is used in addition to the other tools (gamma, slope, contrast curve ...) -TP_LOCALLAB_STYPE;形状の方式 +TP_LOCALLAB_STRUMASK_TOOLTIP;“機能としての構造のマスク”オプションを無効のままで構造のマスク(スライダー)を使う:この場合、3つのカーブが活用されていなくても、構造を表示するマスクが生成されます。構造のマスクはマスク1(ぼかしとノイズ除去)とマスク7(色と明るさ)で使えます +TP_LOCALLAB_STRUSTRMASK_TOOLTIP;このスライダーの調整は控えめに行うことを奨めます +TP_LOCALLAB_STYPE;スポットの変形方法 TP_LOCALLAB_STYPE_TOOLTIP;2つのタイプから選びます:\nシンメトリックは左と右の境界線、上部と底部の境界線がリンクしています\n独立は全ての境界線を独立で動かすことが出来ます TP_LOCALLAB_SYM;シンメトリック(マウス) TP_LOCALLAB_SYMSL;シンメトリック(マウス + スライダー) -TP_LOCALLAB_TARGET_GRAY;グレーポイントの目標 -TP_LOCALLAB_THRES;構造のしきい値 +TP_LOCALLAB_TARGET_GRAY;平均輝度(Yb%) +TP_LOCALLAB_THRES;しきい値の構造 TP_LOCALLAB_THRESDELTAE;ΔE-スコープのしきい値 TP_LOCALLAB_THRESRETI;しきい値 TP_LOCALLAB_THRESWAV;バランスのしきい値 -TP_LOCALLAB_TLABEL;TM データ 最小値=%1 最大値=%2 平均値=%3 標準偏差=%4 (しきい値) +TP_LOCALLAB_TLABEL;TM 最小値=%1 最大値=%2 平均値=%3 標準偏差=%4 TP_LOCALLAB_TLABEL2;TM 効果 Tm=%1 TM=%2 -TP_LOCALLAB_TLABEL_TOOLTIP;これは透過マップの結果を示しています。\n最小値と最大値は分散に使われます。\nTm、TMはそれぞれ透過マップの最小値と最大値です。\nしきい値を調整して標準化できます。 -TP_LOCALLAB_TM;トーンマッピング - 質感 +TP_LOCALLAB_TLABEL_TOOLTIP;透過マップの結果\n最低値と最大値が分散(バリアンス)で使われます\n透過マップの最小値はTm=Min、最大値はTM=Maxで表示されます\nしきい値スライダーで結果を標準化します +TP_LOCALLAB_TM;トーンマッピング TP_LOCALLAB_TM_MASK;透過マップを使う -TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;エッジ停止を増やす - 或いは再加重平均の繰り返しを増やすと処理時間も増えます - 但し、その分効果が増します -TP_LOCALLAB_TONEMAPGAM_TOOLTIP;Gamma moves the action of tone-mapping to shadows or highlights. -TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. -TP_LOCALLAB_TONEMAP_TOOLTIP;トーンマッピング - メインメニューの同じ機能は必ず無効にする -TP_LOCALLAB_TONEMASCALE_TOOLTIP;This control gives meaning to the difference between "local" and "global" contrast.\nThe greater it is the larger a detail needs to be in order to be boosted -TP_LOCALLAB_TONE_TOOLNAME;トーンマッピング - 4 +TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;このスライダーはエッジ感度に影響します\n値を大きくするとコントラストの変化が'エッジ'と認識されるようになります\n設定値が0の場合トーンマッピングの効果はアンシャープマスクの様な効果になります +TP_LOCALLAB_TONEMAPGAM_TOOLTIP;ガンマのスライダーの動きで、トーンマッピングの効果が、シャドウ或いはハイライト部分にシフトします +TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;時折、画像の印象が漫画風になることや、稀に柔らかい印象ながら幅の広いハロが出ることがあります\nこの場合、再加重の反復回数を増やすことで解決できることがあります +TP_LOCALLAB_TONEMAP_TOOLTIP;メインのトーンマッピング機能と同じです\nローカル編集のトーンマッピングを使用する際は、メインの機能を無効にする必要があります +TP_LOCALLAB_TONEMASCALE_TOOLTIP;このスライダーで'ローカルコントラスト'と'グローバルコントラスト'の境界を調整出来ます。\n値を大きくすると、強化する必要のあるディテールが大きくなります +TP_LOCALLAB_TONE_TOOLNAME;トーンマッピング TP_LOCALLAB_TOOLCOL;機能としての構造マスク -TP_LOCALLAB_TOOLMASK;機能 +TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;マスクがあれば、それを修正することが出来ます +TP_LOCALLAB_TOOLMASK;マスクツール +TP_LOCALLAB_TOOLMASK_2;ウェーブレット +TP_LOCALLAB_TOOLMASK_TOOLTIP;'機能としての構造のマスク'のオプションを有効にして、構造マスク(スライダー)を使う:この場合、構造を表示するマスクは、1回以上2つのカーブ、L(L)或いはLC(H)が変更された後に生成されます\nここで、'構造マスク'は他のマスクの様な機能を果たします:ガンマ、スロープなど\n画像の構造に応じてマスクの作用を変えられます。このオプションは'ΔE画像のマスク'と付随する'スコープ(Δ”画像のマスク)'に敏感に作用します TP_LOCALLAB_TRANSIT;境界の階調調整 -TP_LOCALLAB_TRANSITGRAD;境界の差異 XY -TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Y軸方向の境界に対するX軸方向の境界の割合を変える +TP_LOCALLAB_TRANSITGRAD;XY軸方向の境界の差別 +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Y軸方向の作用の領域を変えることが出来ます TP_LOCALLAB_TRANSITVALUE;境界値 -TP_LOCALLAB_TRANSITWEAK;境界値の減衰 -TP_LOCALLAB_TRANSITWEAK_TOOLTIP;境界値の減衰を調節 : 処理の滑らかさを変える - 1 線形 - 2 パラボリック - 3 3乗 -TP_LOCALLAB_TRANSIT_TOOLTIP;作用が及ぶ部分と及ばない部分の境界の平滑化を調整します +TP_LOCALLAB_TRANSITWEAK;境界値の減衰(線形~Log) +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;境界値の減衰を調節 : 処理の滑らかさを変える - 1 線形 - 2 パラボリック - 3~25乗\n非常に低い境界値と併せれば、CBDL、ウェーブレット、色と明るさを使った不良部分の補正に使うことが出来ます。 +TP_LOCALLAB_TRANSIT_TOOLTIP;RT-スポットの中心円からフレームの間で作用が働く領域と作用が減衰する領域の境界を、中心円からフレームまでの%で調整します TP_LOCALLAB_TRANSMISSIONGAIN;透過のゲイン TP_LOCALLAB_TRANSMISSIONMAP;透過マップ TP_LOCALLAB_TRANSMISSION_TOOLTIP;透過に応じて透過を決めるカーブです\n横軸はマイナス値(最小)から平均値、プラス値(最大)まであります\n\nこのカーブを使って透過を変え、アーティファクトを軽減できます -TP_LOCALLAB_USEMASK;マスクの使う +TP_LOCALLAB_USEMASK;ラプラス変換 TP_LOCALLAB_VART;分散(コントラスト) -TP_LOCALLAB_VIBRANCE;自然な彩度 - ウォーム & クール -TP_LOCALLAB_VIB_TOOLNAME;自然な彩度 - ウォーム & クール - 3 +TP_LOCALLAB_VIBRANCE;自然な彩度 & ウォーム/クール +TP_LOCALLAB_VIBRA_TOOLTIP;自然な彩度を調整する機能です(基本的にはメインの自然な彩度と同じです)\nCIECAMのアルゴリズムを使ったホワイトバランス調整と同等の作用をします +TP_LOCALLAB_VIB_TOOLNAME;自然な彩度 - ウォーム/クール TP_LOCALLAB_VIS_TOOLTIP;選択したコントロールスポットを表示・非表示するためにはクリックします\n全てのコントロールスポットを表示・非表示するためにはCtrlを押しながらクリックします -TP_LOCALLAB_WAMASKCOL;Ψ ウェーブレットレベルのマスク -TP_LOCALLAB_WARM;ウォーム & -クールと偽色 -TP_LOCALLAB_WARM_TOOLTIP;このスライダーはホワイトバランスのようなCIECAMのアルゴリズムを使っています、選択したエリアの印象を暖かくしたり、冷たくしたりします。\n場合によっては、色のアーティファクトを軽減できます -TP_LOCALLAB_WASDEN_TOOLTIP;最初の3つの細かいレベルのノイズを軽減\n3より粗いレベルのノイズを軽減 -TP_LOCALLAB_WAV;レベルによるローカルコントラスト調整 -TP_LOCALLAB_WAVBLUR_TOOLTIP;残差画像を含め、分解された各詳細レベルに対してぼかしを実行します -TP_LOCALLAB_WAVCOMP;レベルごとの圧縮 -TP_LOCALLAB_WAVCOMPRE;レベルごとの(非)圧縮 -TP_LOCALLAB_WAVCOMPRE_TOOLTIP;トーンマッピング或いはレベルごとのローカルコントラストが軽減出来ます\n横軸がレベルの番手を表しています -TP_LOCALLAB_WAVCOMP_TOOLTIP;ウェーブレットによる分解の方向(水平、垂直、斜め)に応じたローカルコントラストを調整できます -TP_LOCALLAB_WAVCON;レベルによるコントラスト調整 -TP_LOCALLAB_WAVCONTF_TOOLTIP;詳細レベルによるコントラスト調整と似ています:横軸がレベルを表しています -TP_LOCALLAB_WAVDEN;レベルによる輝度ノイズの軽減(0 1 2 + 3、それ以上) -TP_LOCALLAB_WAVE;Ψ ウェーブレット +TP_LOCALLAB_WAMASKCOL;ウェーブレットのレベルのマスク +TP_LOCALLAB_WARM;ウォーム/クール & 偽色 +TP_LOCALLAB_WARM_TOOLTIP;このスライダーはCIECAMのアルゴリズムを使っていて、目標部分に暖か味を加える、或いは冷たい印象にするようなホワイトバランス調整を行います\n特定のケースでは色ノイズを減らす効果が期待できます +TP_LOCALLAB_WASDEN_TOOLTIP;輝度ノイズの低減:分岐線を含むカーブの左側部分は最初のディテールレベル、1、2、3(細かいディテール)に相当します。右側部分は大まかなディテールのレベル(3より上のレベル)に相当します。 +TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;各レベルで作用のバランスをとります。 +TP_LOCALLAB_WAT_BLURLC_TOOLTIP;デフォルトでは、ぼかしがL*a*b*の3つの構成要素全てに影響するように設定されています。\n輝度だけにぼかしを施したい場合は、ボックスに✔を入れます。 +TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“色度の融合”色度を好みの強さにするためのスライダーです。\n最大のウェーブレットのレベル(底辺の右)だけが考慮されます。 +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'色度の融合'は色度に対し目標とする効果を強化する際に使われます。 +TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“輝度の融合”色度を好みの強さにするためのスライダーです。\n最大のウェーブレットのレベル(底辺の右)だけが考慮されます。 +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'輝度の融合'は輝度に対し目標とする効果を強化する際に使います。 +TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'レベルの色度':輝度値の割合でLabの補色次元'a'と'b'を調整します。 +TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;オフセットは低コントラストと高コントラストのディテールの間のバランスを変える機能です。\n高い値はコントラストの高いディテールのコントラスト変化を増幅します。低い値はコントラストの低いディテールのそれを増幅します。 +TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;スライダーを左に動かすと、小さなディテールのレベルの効果が強調されます。右に動かすと、大きいレベルの効果が強調されます。 +TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;残差画像はコントラストや色度などを調整した場合、元画像と同じ特性を示します。 +TP_LOCALLAB_WAT_GRADW_TOOLTIP;スライダーを右に動かすほど、形状検出のアルゴリズムの効果が強まり、ローカルコントラストの効果は目立たなくなります。 +TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;X軸は右側ほどローカルコントラスト値が高いことを意味します。\nY軸はローカルコントラスト値の増減を意味します。 +TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;元のコントラストの強さをベースにウェーブレットのレベルでローカルコントラストの配分を調整することが出来ます。画像の遠近感を変えてレリーフの効果を出したり、元々コントラストが非常に低いシャドウ部分などでローカルコントラストを下げてディテールが目立たないようにします。 +TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'元画像だけと融合'を選択すると、'ウェーブレットピラミッド'の設定は'明瞭'や'シャープマスク'に影響しません。 +TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;残差画像、各詳細レベルにぼかしをかけます。 +TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;コントラストを増減するために残差画像を圧縮します。 +TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;ローカルコントラストの調整効果は、中間コントラストのディテールに対し強く、低/高コントラストのディテールに対しては弱い働きになります。\nこのスライダーは、低/高、両極のコントラストに向かって調整効果が減衰する範囲を調整します。\nスライダーの値を高くすると、ローカルコントラストの調整効果が100%及ぶコントラスト値の範囲が広がりますが、その分アーティファクトが発生するリスクも高まります。\n値を低くすると、調整効果を受けるコントラストの範囲が狭まり、調整がピンポイントになります。 +TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;エッジ検出の効果を強化します +TP_LOCALLAB_WAT_STRWAV_TOOLTIP;設定した階調と角度に応じて、ローカルコントラストが変わるようにします。輝度値ではなく、輝度値の差を考慮します。 +TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;”ウェーブレットのレベル”で使われるレベルの範囲を設定します。 +TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;分解した各レベルにぼかしをかけることが出来ます。\n X軸は左から右に向って、大きなディテールのレベルを表しています。 +TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;'詳細レベルによるコントラスト調整'に似ています。X軸は左から右に向って、大きなディテールのレベルを表しています。 +TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;画像の輝度をベースにして、3方向(水平、垂直、斜め)のコントラストバランスに作用します。\nデフォルトでは、アーティファクトの発生を避けるため、シャドウ、或いはハイライト部分への効果は減らしてあります。 +TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;’エッジのシャープネス’の機能全てを表示します。RawPediaのウェーブレットのレベルが参考になります。 +TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;レベルに対するぼかしの効果を最大にします。 +TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;X軸は右側ほどローカルコントラスト値が高いことを意味します。\nY軸はローカルコントラスト値の増減を意味します。 +TP_LOCALLAB_WAT_WAVTM_TOOLTIP;各レベルの圧縮カーブを中央より下げる(マイナス)とトーンマッピングのような効果になります。\n中央より上では(プラス)、レベルのコントラストが減衰します。\nX軸は左から右に向って、大きなディテールのレベルを表しています。 +TP_LOCALLAB_WAV;ローカルコントラスト +TP_LOCALLAB_WAVBLUR_TOOLTIP;分解された各レベル、及び残差画像にぼかしをかけます +TP_LOCALLAB_WAVCOMP;ウェーブレットのレベルによる圧縮 +TP_LOCALLAB_WAVCOMPRE;ウェーブレットのレベルによる圧縮 +TP_LOCALLAB_WAVCOMPRE_TOOLTIP;トーンマッピングを適用する、或いは各レベルのローカルコントラストを減らすことが出来ます。\nX軸は左から右に向って、大きなディテールのレベルを表しています。 +TP_LOCALLAB_WAVCOMP_TOOLTIP;ウェーブレット分解の方向(水平、垂直、斜め)をベースにローカルコントラストを適用します。 +TP_LOCALLAB_WAVCON;ウェーブレットのレベルによるコントラスト調整 +TP_LOCALLAB_WAVCONTF_TOOLTIP;”詳細レベルによるコントラスト調整”に似ています。X軸の右側ほど大きいディテールのレベルを意味します。 +TP_LOCALLAB_WAVDEN;輝度ノイズ除去 +TP_LOCALLAB_WAVE;ウェーブレット TP_LOCALLAB_WAVEDG;ローカルコントラスト -TP_LOCALLAB_WAVEEDG_TOOLTIP;少なくとも最初の4つのレベルが使える必要があります -TP_LOCALLAB_WAVGRAD_TOOLTIP;ローカルコントラストの”輝度”に関する諧調調整 -TP_LOCALLAB_WAVHIGH;Ψ ウェーブレット 高 -TP_LOCALLAB_WAVLEV;レベルごとのぼかし -TP_LOCALLAB_WAVLOW;Ψ ウェーブレット 低 -TP_LOCALLAB_WAVMASK;Ψ ローカルコントラストのレベルのマスク -TP_LOCALLAB_WAVMASK_TOOLTIP;Allows fine work on mask levels contrasts (structure) +TP_LOCALLAB_WAVEEDG_TOOLTIP;エッジに対するローカルコントラストの作用に着目してシャープネスを改善します。メインのウェーブレットのレベルに備わっている機能と同じで、同じ設定が使えます。 +TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;’ローカルコントラスト’で使うウェーブレットのレベルの範囲 +TP_LOCALLAB_WAVGRAD_TOOLTIP;設定した階調と角度に応じて、ローカルコントラストが変わるようにします。輝度値ではなく、輝度値の差を考慮しています。 +TP_LOCALLAB_WAVHIGH;ウェーブレット 高 +TP_LOCALLAB_WAVHUE_TOOLTIP;色相に基づいてノイズ除去の強弱を加減できます。 +TP_LOCALLAB_WAVLEV;ウェーブレットのレベルによるぼかし +TP_LOCALLAB_WAVLOW;ウェーブレット 低 +TP_LOCALLAB_WAVMASK;ローカルコントラスト +TP_LOCALLAB_WAVMASK_TOOLTIP;マスクのローカルコントラストを変えるためにウェーブレットを使い、構造(肌、建物など)を強化したり弱めたりします TP_LOCALLAB_WAVMED;Ψ ウェーブレット 普通 TP_LOCALLAB_WEDIANHI;メディアン 高 TP_LOCALLAB_WHITE_EV;ホワイトEv +TP_LOCALLAB_ZCAMFRA;ZCAMによる画像の調整 +TP_LOCALLAB_ZCAMTHRES;高い値の回復 TP_LOCAL_HEIGHT;ボトム TP_LOCAL_HEIGHT_T;トップ TP_LOCAL_WIDTH;右 TP_LOCAL_WIDTH_L;左 -TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\n +TP_LOCRETI_METHOD_TOOLTIP;低 = 暗い部分を補強します\n均一 = 暗い部分、明るい部分を均等に処理します\n高 = 非常に明るい部分を補強します TP_METADATA_EDIT;変更を適用 TP_METADATA_MODE;メタデータ コピーモード TP_METADATA_STRIP;メタデータを全て取り除く @@ -2884,8 +3539,11 @@ TP_PERSPECTIVE_CAMERA_ROLL;回転 TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;水平移動 TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;垂直移動 TP_PERSPECTIVE_CAMERA_YAW;水平 +TP_PERSPECTIVE_CONTROL_LINES;制御ライン +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+ドラッグ: 新しいラインを引く\n右クリック: ラインを削除 +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;最低2本の水平な、或いは垂直なコントロールラインが必要です。 TP_PERSPECTIVE_HORIZONTAL;水平 -TP_PERSPECTIVE_LABEL;パースペクティブ +TP_PERSPECTIVE_LABEL;遠近感の歪み TP_PERSPECTIVE_METHOD;方式 TP_PERSPECTIVE_METHOD_CAMERA_BASED;カメラベース TP_PERSPECTIVE_METHOD_SIMPLE;シンプル @@ -2917,11 +3575,17 @@ TP_PREPROCWB_LABEL;ホワイトバランスの前処理 TP_PREPROCWB_MODE;モード TP_PREPROCWB_MODE_AUTO;自動 TP_PREPROCWB_MODE_CAMERA;カメラ +TP_PRIM_BLUX;Bx +TP_PRIM_BLUY;By +TP_PRIM_GREX;Gx +TP_PRIM_GREY;Gy +TP_PRIM_REDX;Rx +TP_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;リサイズ後のシャープニング TP_PRSHARPENING_TOOLTIP;リサイズ後の画像をシャープニングします。但し、リサイズの方式がランチョスの場合に限ります。プレビュー画面でこの機能の効果を見ることは出来ません。使用法に関してはRawPediaを参照して下さい。 TP_RAWCACORR_AUTO;自動補正 TP_RAWCACORR_AUTOIT;繰り返し -TP_RAWCACORR_AUTOIT_TOOLTIP;”自動補正”が有効になっている場合にこの設定が可能です。\n自動補正の作用は控えめなため、全ての色収差が常に補正されるとは限りません。\n残りの色収差を補正するためには、自動色収差補正の繰り返しを最大5回行います。\n繰り返すたびに、直前の繰り返しで残った色収差を軽減しますが、その分処理時間は増えます。 +TP_RAWCACORR_AUTOIT_TOOLTIP;'自動補正'が有効になっている場合にこの設定が可能です。\n自動補正の作用は控えめなため、全ての色収差が常に補正されるとは限りません。\n残りの色収差を補正するためには、自動色収差補正の繰り返しを最大5回行います。\n繰り返すたびに、直前の繰り返しで残った色収差を軽減しますが、その分処理時間は増えます。 TP_RAWCACORR_AVOIDCOLORSHIFT;色ずれを回避 TP_RAWCACORR_CABLUE;ブルー TP_RAWCACORR_CARED;レッド @@ -2942,9 +3606,11 @@ TP_RAW_3PASSBEST;3-Pass (Markesteijn) TP_RAW_4PASS;3-パス+fast TP_RAW_AHD;AHD TP_RAW_AMAZE;AMaZE +TP_RAW_AMAZEBILINEAR;AMaZE+バイリニア補間 TP_RAW_AMAZEVNG4;AMaZE+VNG4 TP_RAW_BORDER;境界 TP_RAW_DCB;DCB +TP_RAW_DCBBILINEAR;DCB+バイリニア補間 TP_RAW_DCBENHANCE;DCB 拡張処理 TP_RAW_DCBITERATIONS;DCB 反復の数 TP_RAW_DCBVNG4;DCB+VNG4 @@ -2972,33 +3638,36 @@ TP_RAW_LMMSE_TOOLTIP;ガンマ追加 (step 1) - メディアン追加 (step 2,3, TP_RAW_MONO;Mono TP_RAW_NONE;なし (センサーのパターンを表示) TP_RAW_PIXELSHIFT;ピクセルシフト -TP_RAW_PIXELSHIFTBLUR;振れマスクのぼかし -TP_RAW_PIXELSHIFTDMETHOD;振れに対するデモザイクの方式 -TP_RAW_PIXELSHIFTEPERISO;ISOの適合 +TP_RAW_PIXELSHIFTAVERAGE;ブレのある部分の平均を使う +TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;ブレのある部分の特定のフレームを使う代わりに、全てのフレームの平均を使う\nブレの少ない(オーバーラップ)対象にブレの効果を施す +TP_RAW_PIXELSHIFTBLUR;ブレのマスクのぼかし +TP_RAW_PIXELSHIFTDMETHOD;ブレに対するデモザイクの方式 +TP_RAW_PIXELSHIFTEPERISO;感度 TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;通常のISOに関してはデフォルトの0で十分だと思われます。\n高いISOの場合は、振れの検知を良くするために設定値を上げます。\n少しづつ増加させ、振れのマスクの変化を見ます。 TP_RAW_PIXELSHIFTEQUALBRIGHT;構成画像の明るさを均等にする TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;チャンネルごとに均等化 TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;有効:RGBの色チャンネルごとに均等化を行います。\n無効:全ての色チャンネルで同じように均等化を行います。 TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;選択した構成画像の明るさを他の構成画像の明るさに適用し均等化します。\n露出オーバーがある画像が発生する場合は、マゼンタ被りが起こるのを避けるために最も明るい画像を選択しないようにるいか、或いは振れの補正を有効にします。 -TP_RAW_PIXELSHIFTGREEN;振れに関するグリーンチャンネルを確認 -TP_RAW_PIXELSHIFTHOLEFILL;振れマスクの穴を埋める -TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;振れマスクの穴を埋める -TP_RAW_PIXELSHIFTMEDIAN;振れのある領域にはメディアンを使用 -TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;振れのある領域に関しては、選択した画像ではなく全ての構成画像にメディアンを使います。\n全ての構成画像で異なる位置にある被写体は除きます。\n動きの遅い被写体(オーバーラッピング)には振れの効果が出ます。 +TP_RAW_PIXELSHIFTGREEN;ブレに関するグリーンチャンネルを確認 +TP_RAW_PIXELSHIFTHOLEFILL;ブレのマスクの穴を埋める +TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;ブレのマスクの穴を埋める +TP_RAW_PIXELSHIFTMEDIAN;ブレのある部分にはメディアンを使用 +TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;ブレのある領域に関しては、選択した画像ではなく全ての構成画像にメディアンを使います。\n全ての構成画像で異なる位置にある被写体は除きます。\n動きの遅い被写体(オーバーラッピング)にはブレの効果が出ます。 TP_RAW_PIXELSHIFTMM_AUTO;自動 TP_RAW_PIXELSHIFTMM_CUSTOM;カスタム TP_RAW_PIXELSHIFTMM_OFF;オフ -TP_RAW_PIXELSHIFTMOTIONMETHOD;振れ補正 -TP_RAW_PIXELSHIFTNONGREENCROSS;振れに関するレッド/ブルーのチャンネルを確認 -TP_RAW_PIXELSHIFTSHOWMOTION;振れマスクを含めて表示 -TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;振れマスクだけを表示 -TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;画像全体ではなく振れマスクだけを表示します。 -TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;振れのある画像部分をグリーンマスクを被せて表示します。 +TP_RAW_PIXELSHIFTMOTIONMETHOD;ブレの補正 +TP_RAW_PIXELSHIFTNONGREENCROSS;ブレに関するレッド/ブルーのチャンネルを確認 +TP_RAW_PIXELSHIFTSHOWMOTION;ブレのマスクを含めて表示 +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;ブレのマスクだけを表示 +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;画像全体ではなくブレのマスクだけを表示します。 +TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;ブレのある画像部分をグリーンマスクを被せて表示します。 TP_RAW_PIXELSHIFTSIGMA;ぼかしの半径 TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;デフォルトで設定している値1.0で基本的なISO値の画像には十分です。\nISO値の高い画像ではスライダーの値を増やします。5.0から始めるのがいいでしょう。\n設定値を変えながら振れマスクを見極めます。 TP_RAW_PIXELSHIFTSMOOTH;境界部分を滑らかにする -TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;これは振れのある領域と振れがない領域の境を滑らかに補正するものです。\n0に設定すると機能の働きはありません。\n1に設定すると、選択された構成画像にAMaZEかLMMSEが使われた結果が得られます("LMMSEを使う"というオプション次第)、或いは"メディアンを使う"が選択されていれば全ての構成画像にメディアンが使われます。 +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;これはブレのある領域とブレがない領域の境を滑らかに補正するものです。\n0に設定すると機能の働きはありません。\n1に設定すると、選択された構成画像にAMaZEかLMMSEが使われた結果が得られます("LMMSEを使う"というオプション次第)、或いは"メディアンを使う"が選択されていれば全ての構成画像にメディアンが使われます。 TP_RAW_RCD;RCD +TP_RAW_RCDBILINEAR;RCD+バイリニア補間 TP_RAW_RCDVNG4;RCD+VNG4 TP_RAW_SENSOR_BAYER_LABEL;ベイヤー配列を使ったセンサー TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-passが最適です(低ISO画像には奨められます)\n高ISO画像の場合、1-passと3-passの違いは殆どありません、処理速度は前者の方が速いです。 @@ -3015,9 +3684,13 @@ TP_RESIZE_H;高さ: TP_RESIZE_HEIGHT;高さ TP_RESIZE_LABEL;リサイズ TP_RESIZE_LANCZOS;ランチョス +TP_RESIZE_LE;ロングエッジ: +TP_RESIZE_LONG;ロングエッジ TP_RESIZE_METHOD;方式: TP_RESIZE_NEAREST;ニアレスト TP_RESIZE_SCALE;スケール +TP_RESIZE_SE;ショートエッジ: +TP_RESIZE_SHORT;ショートエッジ TP_RESIZE_SPECIFY;条件指定: TP_RESIZE_W;幅: TP_RESIZE_WIDTH;幅 @@ -3071,7 +3744,7 @@ TP_RETINEX_MEDIAN;透過のメディアンフィルター TP_RETINEX_METHOD;方法 TP_RETINEX_METHOD_TOOLTIP;高=光度の高い部分のレンダリングを補正します\n均等=光度の高い部分と低い部分を均等に補正します\n低=光度の低い部分を重点的に補正します\nハイライト=ハイライト部分のマゼンタ被りを補正します TP_RETINEX_MLABEL;霞のない画像に修復 最小値=%1 最大値=%2 -TP_RETINEX_MLABEL_TOOLTIP;最小値=0 最大値=32768に近づける\nバランスの良い霞のない画像 +TP_RETINEX_MLABEL_TOOLTIP;修復のためには最低値を0、最大値を32768(対数モード)に近づける必要がありますが、他の数値も使えます。標準化のために、”ゲイン”と”オフセット”を調整します\nブレンドせずに画像を回復します TP_RETINEX_NEIGHBOR;半径 TP_RETINEX_NEUTRAL;リセット TP_RETINEX_NEUTRAL_TIP;全てのスライダー値とカーブをデフォルトの状態に戻します @@ -3086,7 +3759,7 @@ TP_RETINEX_THRESHOLD;しきい値 TP_RETINEX_THRESHOLD_TOOLTIP;インとアウトの制限を意味します\nイン=原画像\nアウト=ガウスフィルタを施した原画像 TP_RETINEX_TLABEL;透過 差異の最小値=%1 最大値=%2 平均=%3 標準偏差=%4 TP_RETINEX_TLABEL2;透過 最小値=%1 最大値=%2 -TP_RETINEX_TLABEL_TOOLTIP;透過マップの結果を表示しています\n差異の最小値と最大値です\n平均と標準偏差\n透過マップの最小値と最大値です +TP_RETINEX_TLABEL_TOOLTIP;透過マップの結果\n最低値と最大値が分散(バリアンス)で使われます\n透過マップの最小値はTm=Min、最大値はTM=Maxで表示されます\nしきい値スライダーで結果を標準化します TP_RETINEX_TRANF;透過 TP_RETINEX_TRANSMISSION;透過マップ TP_RETINEX_TRANSMISSION_TOOLTIP;透過に応じて透過を調整します\n横軸:左からマイナス値(最小を含む)、平均、プラス値(最大を含む)\n縦軸:増幅或いは減衰 @@ -3147,6 +3820,11 @@ TP_SHARPENMICRO_MATRIX;3×3マトリクスの代わりに 5×5 TP_SHARPENMICRO_UNIFORMITY;均等 TP_SOFTLIGHT_LABEL;ソフトライト TP_SOFTLIGHT_STRENGTH;強さ +TP_SPOT_COUNTLABEL;%1 ポイント +TP_SPOT_DEFAULT_SIZE;初期のスポットサイズ +TP_SPOT_ENTRYCHANGED;変更されたポイント +TP_SPOT_HINT;この機能をプレビュー領域で実行可能にするためにはこのボタンを押します。\n\n スポットを編集するには、白いマークを編集したい領域に持って行くと編集用の図が表示されます。\n\n スポットを追加するには、コントロールキーを押しながらマウスを左クリックし、マスクの元にする画像の部分まで表示されている円をドラッグして(この時点でコントロールキーを離しても構いません)、マウスをリリースします。\n\n元となる画像部分や修正したい画像部分を動かすには、マウスのカーソルを円内に置いてドラッグします。\n\n内側の円(マスクの効果が最大に働く部分)と外側の円(フェザー処理が働く部分)の大きさは変えることが出来ます(カーソルを円の淵に持って行くとオレンジになり、ドラッグするとレッドに変わります)。\n\n 修正が終わったら、円の外側でマウスを右クリックする、或いは編集ボタンを再度押すと編集モードが終了します。 +TP_SPOT_LABEL;スポット除去 TP_TM_FATTAL_AMOUNT;量 TP_TM_FATTAL_ANCHOR;アンカー TP_TM_FATTAL_LABEL;ダイナミックレンジ圧縮 @@ -3191,55 +3869,59 @@ TP_WAVELET_B1;グレー TP_WAVELET_B2;残差 TP_WAVELET_BACKGROUND;背景 TP_WAVELET_BACUR;カーブ -TP_WAVELET_BALANCE;コントラストバランス 斜め/垂直-水平 -TP_WAVELET_BALANCE_TOOLTIP;ウェーブレットの解析方向の垂直-水平と斜めのバランスを変えます\nコントラスト、色度、或いは残差画像のトーンマッピングが有効の場合、バランスにより効果が増幅されます +TP_WAVELET_BALANCE;方向別コントラストバランス 斜めと垂直・水平 +TP_WAVELET_BALANCE_TOOLTIP;ウェーブレットの解析方向(垂直・水平と斜め)のバランスを変えます\nコントラスト、色度、或いは残差画像のトーンマッピングが有効の場合、バランスにより効果が増幅されます TP_WAVELET_BALCHRO;色度のバランス -TP_WAVELET_BALCHROM;色ノイズ除去のイコライザ ブルー/イエロー レッド/グリーン +TP_WAVELET_BALCHROM;イコライザ 色 TP_WAVELET_BALCHRO_TOOLTIP;有効にすると、’コントラストバランス’のカーブやスライダーも色度のバランスに影響します -TP_WAVELET_BALLUM;輝度ノイズ除去のイコライザ 白黒 +TP_WAVELET_BALLUM;輝度ノイズ除去のイコライザ TP_WAVELET_BANONE;なし TP_WAVELET_BASLI;スライダー -TP_WAVELET_BATYPE;コントラストバランス方式 -TP_WAVELET_BL;ぼかしのレベル -TP_WAVELET_BLCURVE;詳細レベルによるぼかし +TP_WAVELET_BATYPE;調整方法 +TP_WAVELET_BL;レベルのぼかし +TP_WAVELET_BLCURVE;レベルごとのぼかし TP_WAVELET_BLURFRAME;ぼかし TP_WAVELET_BLUWAV;減衰応答 -TP_WAVELET_CBENAB;カラートーンとカラーバランス -TP_WAVELET_CB_TOOLTIP;高い値は、’カラートーン’と併用するか、或いはカラートーンは使わないで単独で使います。\n低い値の場合は前景の色合いを変えずに背景(空 ...) のホワイトバランスを変えるような効果を得られます。一般的にはコントラストが高くなる印象があります。 +TP_WAVELET_CBENAB;色調とカラーバランス +TP_WAVELET_CB_TOOLTIP;高い値は特殊な効果を生みます。色度のモジュールを使った特殊効果と似ています。但し、作用は残差画像にだけ及ぶものです。\n控え目な調整値は、手動でホワイトバランスを変えるような効果になります。 TP_WAVELET_CCURVE;ローカルコントラスト TP_WAVELET_CH1;全ての色 TP_WAVELET_CH2;明清色 - 純色 TP_WAVELET_CH3;コントラストのレベルとリンク TP_WAVELET_CHCU;カーブ TP_WAVELET_CHR;色度とコントラストのリンクの強さ -TP_WAVELET_CHRO;純色 - 明清色のしきい値 +TP_WAVELET_CHRO;純色/明清色を調整するレベルのしきい値 TP_WAVELET_CHROFRAME;色ノイズの除去 TP_WAVELET_CHROMAFRAME;色度 TP_WAVELET_CHROMCO;番手の高いレベルの色度 TP_WAVELET_CHROMFI;番手の低いレベルの色度 TP_WAVELET_CHRO_TOOLTIP;どのレベルで明清色と純色を調整するか決めます\n1-x:純色を調整するレベルの範囲\nx-9:明清色を調整するレベルの範囲\n\n但し、値がレベルの総数より多い場合は機能が無効となります TP_WAVELET_CHRWAV;色度のぼかし -TP_WAVELET_CHR_TOOLTIP;色度を”コントラストレベル”と”色度とコントラストのリンクの強さ”の相関関係で調整します +TP_WAVELET_CHR_TOOLTIP;色度を'コントラストレベル'と'色度とコントラストのリンクの強さ'に応じて調整します TP_WAVELET_CHSL;スライダー TP_WAVELET_CHTYPE;調整の方法 TP_WAVELET_CLA;明瞭 TP_WAVELET_CLARI;シャープマスクと明瞭 TP_WAVELET_COLORT;レッド/グリーンの不透明度 TP_WAVELET_COMPCONT;コントラスト +TP_WAVELET_COMPEXPERT;高度 TP_WAVELET_COMPGAMMA;ガンマの圧縮 TP_WAVELET_COMPGAMMA_TOOLTIP;残差画像のガンマを調整することで、画像データとヒストグラムの均衡を図ります。 +TP_WAVELET_COMPLEXLAB;機能水準 +TP_WAVELET_COMPLEX_TOOLTIP;標準: 殆どの処理操作に関する適当な機能のセットを減らして表示します\n高度: 高度な処理操作にに必要な機能を全て表示します +TP_WAVELET_COMPNORMAL;標準 TP_WAVELET_COMPTM;トーンマッピング TP_WAVELET_CONTEDIT;'後の' コントラストカーブ TP_WAVELET_CONTFRAME;コントラスト - 圧縮 TP_WAVELET_CONTR;色域 TP_WAVELET_CONTRA;コントラスト -TP_WAVELET_CONTRASTEDIT;細かい~大まか レベルの指定 +TP_WAVELET_CONTRASTEDIT;番手の低いレベル~高いレベルの指定 TP_WAVELET_CONTRAST_MINUS;コントラスト - TP_WAVELET_CONTRAST_PLUS;コントラスト + TP_WAVELET_CONTRA_TOOLTIP;残差画像のコントラストを変えます TP_WAVELET_CTYPE;色の制御 -TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;拡大率が300%より上になると無効になります -TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;元画像のローカルコントラストに応じてローカルコントラストを調節します\n横軸の低い部分は細かいローカルコントラストを表しています(実質値10~20)\n50%はローカルコントラストの平均(実質値100~300)を表しています\n66%はローカルコントラストの標準偏差(実質値300~800)を表しています\n100%はローカルコントラストの最大値を表しています(実質値3000~8000) +TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;拡大率が概ね300%より大きくなると無効になります +TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;元画像のローカルコントラスト(横軸)に応じてローカルコントラストを調節します\n横軸の低い部分は小さいディテールのローカルコントラストを表しています(実質値10~20)\n50%はローカルコントラストの平均(実質値100~300)を表しています\n66%はローカルコントラストの標準偏差(実質値300~800)を表しています\n100%はローカルコントラストの最大値を表しています(実質値3000~8000) TP_WAVELET_CURVEEDITOR_CH;コントラストレベル=f(色相) TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;色相に応じて各レベルのコントラストを調節します\n色域抑制のカーブ調整と重複しないように注意します\nウェーブレットのコントラストレベルスライダー値が0の場合は効果はありません TP_WAVELET_CURVEEDITOR_CL;L @@ -3254,87 +3936,129 @@ TP_WAVELET_DAUB6;D6 - 標準プラス TP_WAVELET_DAUB10;D10 - やや高い TP_WAVELET_DAUB14;D14 - 高い TP_WAVELET_DAUBLOCAL;ウェーブレット エッジ検出の効果 -TP_WAVELET_DAUB_TOOLTIP;ドブシー関数の係数を変更します\nD4=標準的なエッジ検出の効果\nD14=通常はエッジ検出の効果が高いが、処理時間が約10%増加\n\n初めのレベルの質だけでなくエッジ検出にも影響します。但し、レベル質は厳格に係数の種類に比例している訳ではありません。画像や使い方にも影響されます。 -TP_WAVELET_DIRFRAME;方向によるコントラスト +TP_WAVELET_DAUB_TOOLTIP;ドブシー関数の係数を変更します:\nD4=標準\nD4=標準的なエッジ検出の効果\nD14=通常はエッジ検出の効果が最も高くなりますが、処理時間も約10%増加します\n\n番手の低いレベルの質だけでなくエッジ検出にも影響します。但し、レベル質は厳格に係数の種類に比例している訳ではありません。画像や使い方にも影響されます。 +TP_WAVELET_DEN5THR;ガイド付きしきい値 +TP_WAVELET_DEN12LOW;レベル1と2を低く +TP_WAVELET_DEN12PLUS;レベル1と2を高く +TP_WAVELET_DEN14LOW;レベル1~4を低く +TP_WAVELET_DEN14PLUS;レベル1~4を高く +TP_WAVELET_DENCONTRAST;ローカルコントラストイコライザ +TP_WAVELET_DENCURV;カーブ +TP_WAVELET_DENEQUAL;レベル1、2、3、4を均等に +TP_WAVELET_DENH;しきい値 +TP_WAVELET_DENL;補正の構造 +TP_WAVELET_DENLH;レベル1~4のガイド付きしきい値 +TP_WAVELET_DENLOCAL_TOOLTIP;ローカルコントラストに応じてノイズ除去を行うためにカーブを使います\nノイズが除去される領域は構造が保たれます。 +TP_WAVELET_DENMIX_TOOLTIP;ローカルコントラストの参考値はガイド付きフィルタで使われます。\n画像次第で、ノイズのレベル計測がノイズ除去処理の前か後になるかで結果が変わります。これら4つの選択の中から、元画像と修正(ノイズ除去)画像の間で最も妥協できるものを選びます。 +TP_WAVELET_DENOISE;ローカルコントラストをベースにしたガイド付きカーブ +TP_WAVELET_DENOISEGUID;色相をベースにしたガイド付きしきい値 +TP_WAVELET_DENOISEH;番手の高いレベルのカーブ ローカルコントラスト +TP_WAVELET_DENOISEHUE;ノイズ除去 色相イコライザ +TP_WAVELET_DENQUA;モード +TP_WAVELET_DENSIGMA_TOOLTIP;ガイドの形状に順応します +TP_WAVELET_DENSLI;スライダー +TP_WAVELET_DENSLILAB;方式 +TP_WAVELET_DENWAVGUID_TOOLTIP;ガイド付きフィルタの作用を加減するのに色相を使います +TP_WAVELET_DENWAVHUE_TOOLTIP;色に応じてノイズ除去を加減します +TP_WAVELET_DETEND;ディテール +TP_WAVELET_DIRFRAME;方向のバランスによるコントラスト調整 TP_WAVELET_DONE;垂直 TP_WAVELET_DTHR;対角線 TP_WAVELET_DTWO;水平 -TP_WAVELET_EDCU;カーブ +TP_WAVELET_EDCU;非対称正規分布 TP_WAVELET_EDEFFECT;減衰応答 TP_WAVELET_EDEFFECT_TOOLTIP;このスライダーは機能の最大効果を受けるコントラスト値の範囲を調整するものです。最大値(2.5)を設定すると機能の効果が無効となります。 TP_WAVELET_EDGCONT;ローカルコントラスト -TP_WAVELET_EDGCONT_TOOLTIP;スライダーを左に動かすとコントラストが減り、右に動かすと増えます\n底部の左、天井部の左、底部の右、天井部の右は、それぞれ低いコントラスト、平均的コントラスト、平均+1標準偏差のコントラスト、最も高いコントラストを示しています +TP_WAVELET_EDGCONT_TOOLTIP;スライダーを左に動かすとコントラストが減り、右に動かすと増えます\n底部の左、天井部の左、底部の右、天井部の右は、それぞれ低いコントラスト、平均的コントラスト、平均+1標準偏差のコントラスト、最も高いコントラストを代表しています TP_WAVELET_EDGE;エッジのシャープネス TP_WAVELET_EDGEAMPLI;基底値の増幅 TP_WAVELET_EDGEDETECT;グラデーション感度 TP_WAVELET_EDGEDETECTTHR;しきい値 低(ノイズ) -TP_WAVELET_EDGEDETECTTHR2;しきい値 高(エッジ検出) +TP_WAVELET_EDGEDETECTTHR2;しきい値 高(エッジ検出の強化) TP_WAVELET_EDGEDETECTTHR_TOOLTIP;しきい値を変えることで、エッジ検出の目標を調整します。例えば、青空の中のノイズが先鋭化しないようにします。 -TP_WAVELET_EDGEDETECT_TOOLTIP;スライダーを右に動かすと、エッジ検出の感度が上がります。これはローカルコントラスト、しきい値 高、しきい値 低にも影響します +TP_WAVELET_EDGEDETECT_TOOLTIP;スライダーを右に動かすと、エッジ検出の感度が上がります。これはローカルコントラスト、エッジ検出の設定、ノイズに影響します。 TP_WAVELET_EDGESENSI;エッジ検出の感度 TP_WAVELET_EDGREINF_TOOLTIP;最初のレベルに対する作用を強めたり、弱めたりし、次のレベルに対してはその逆を行います、他のレベルは変わりません TP_WAVELET_EDGTHRESH;ディテール -TP_WAVELET_EDGTHRESH_TOOLTIP;低いレベルと他のレベルの区分を変更します。しきい値を高くするほど、低いレベルに作用の重点が置かれます。注意:マイナス値の設定は高いレベルに重点が置かれ、アーティファクトが発生することがあります。 +TP_WAVELET_EDGTHRESH_TOOLTIP;番手の低いレベルと他のレベルの区分を変更します。しきい値を高くするほど、番手の低いレベルに作用の重点が置かれます。注意:マイナス値の設定は高いレベルに重点が置かれ、アーティファクトが発生することがあります。 TP_WAVELET_EDRAD;半径 -TP_WAVELET_EDRAD_TOOLTIP;この機能の半径は、他のシャープニング機能の半径とは大きく異なります。複雑な関数を使って各レベルの値を比較します。そのため、半径がゼロでも何らかの効果があります -TP_WAVELET_EDSL;しきい値スライダー -TP_WAVELET_EDTYPE;ローカルコントラストの方式 +TP_WAVELET_EDRAD_TOOLTIP;この機能の半径は、他のシャープニング機能の半径とは大きく異なります。複雑な関数を使って各レベルの値を比較します。そのため、半径がゼロでも何らかの効果が出ます +TP_WAVELET_EDSL;しきい値カーブ +TP_WAVELET_EDTYPE;ローカルコントラストの調整方法 TP_WAVELET_EDVAL;強さ TP_WAVELET_FINAL;最終調整 TP_WAVELET_FINCFRAME;最終的なローカルコントラスト -TP_WAVELET_FINEST;最も細かい -TP_WAVELET_HIGHLIGHT;細かいレベルの輝度調整範囲 +TP_WAVELET_FINCOAR_TOOLTIP;カーブの左側のプラス部分は小さいディテールのレベルに作用します(増加)\n横軸の2点は作用がレベル5と6で制限されていることを示しています(デフォルト)\n右側のマイナス部分は大きなディテールのレベルに作用します(増加)\nカーブの左側部分をマイナスにする、右側部分をプラスにすることは避けます。 +TP_WAVELET_FINEST;最も小さいディテールのレベル +TP_WAVELET_FINTHR_TOOLTIP;ガイド付きフィルタの作用の加減にローカルコントラストを使います +TP_WAVELET_GUIDFRAME;最終的な平滑化(ガイド付きフィルタ) +TP_WAVELET_HIGHLIGHT;小さいディテールのレベルの輝度範囲 TP_WAVELET_HS1;全輝度範囲 TP_WAVELET_HS2;指定した輝度範囲 TP_WAVELET_HUESKIN;肌色の色相 TP_WAVELET_HUESKIN_TOOLTIP;底部の2つのポイントは、色相変化が始まる部分に設定されています、天井部の2つのポイントは変化が終わる所で、色相調整の効果が最も高い部分です\n\n設定ポイントを著しく動かす必要がある場合、或いはアーティファクトが発生するようであれば、ホワイトバランスが不適切と考えられます TP_WAVELET_HUESKY;色相の範囲(デフォルト:青空) TP_WAVELET_HUESKY_TOOLTIP;底部の2つのポイントは、色相変化が始まる部分に設定されています、天井部の2つのポイントは変化が終わる所で、色相調整の効果が最も高い部分です\n\n設定ポイントを著しく動かす必要がある場合、或いはアーティファクトが発生するようであれば、ホワイトバランスが不適切と考えられます -TP_WAVELET_ITER;デルタバランスのレベル -TP_WAVELET_ITER_TOOLTIP;スライダーを左に動かすと、低いレベルのデルタが増え、高いレベルのデルタが減ります\n右に動かすとその逆です +TP_WAVELET_ITER;レベルのデルタバランス +TP_WAVELET_ITER_TOOLTIP;スライダーを左に動かすと、番手の低いレベルへの効果が強まり、高いレベルへの効果が弱まります\n右に動かすとその逆です TP_WAVELET_LABEL;ウェーブレット -TP_WAVELET_LARGEST;最も大まか +TP_WAVELET_LABGRID_VALUES;粗いレベルの(a)=%1 粗いレベルの(b)=%2\n細かいレベルの(a)=%3 細かいレベルの(b)=%4 +TP_WAVELET_LARGEST;最も粗いレベル TP_WAVELET_LEVCH;色度 +TP_WAVELET_LEVDEN;レベル5、6のノイズ除去 TP_WAVELET_LEVDIR_ALL;全てのレベルと方向を合わせた画像 TP_WAVELET_LEVDIR_INF;選択したレベル以下を合わせた画像 TP_WAVELET_LEVDIR_ONE;選択したレベルだけの画像 -TP_WAVELET_LEVDIR_SUP;選択したレベルより上を合わせた画像 +TP_WAVELET_LEVDIR_SUP;選択したレベルより上と残差画像を合わせた画像 +TP_WAVELET_LEVELHIGH;レベル5、6の半径 +TP_WAVELET_LEVELLOW;レベル1~4の半径 TP_WAVELET_LEVELS;ウェーブレット レベルの数 -TP_WAVELET_LEVELS_TOOLTIP;画像を幾つの詳細レベルに分割するか選択します。分割数が増えればメモリー使用量が増え、処理時間も長くなります。 +TP_WAVELET_LEVELSIGM;半径 +TP_WAVELET_LEVELS_TOOLTIP;画像を幾つのレベルに分割するか選択します。分割数が増えればメモリー使用量が増え、処理時間も長くなります。 TP_WAVELET_LEVF;コントラスト +TP_WAVELET_LEVFOUR;レベル5、6のノイズ除去とガイド付きしきい値 TP_WAVELET_LEVLABEL;プレビューで表示可能な最大レベル=%1 -TP_WAVELET_LEVONE;レベル2 +TP_WAVELET_LEVONE;レベル 2 TP_WAVELET_LEVTHRE;レベル 4 -TP_WAVELET_LEVTWO;レベル3 -TP_WAVELET_LEVZERO;レベル1 +TP_WAVELET_LEVTWO;レベル 3 +TP_WAVELET_LEVZERO;レベル 1 +TP_WAVELET_LIMDEN;レベル1~4に対するレベル5,6の相互作用 TP_WAVELET_LINKEDG;エッジのシャープネスの強さとリンク TP_WAVELET_LIPST;高度なアルゴリズム -TP_WAVELET_LOWLIGHT;大まかなレベルの輝度調整範囲 -TP_WAVELET_LOWTHR_TOOLTIP;詳細とノイズの増幅を避けます +TP_WAVELET_LOWLIGHT;大きいディテールのレベルの輝度範囲 +TP_WAVELET_LOWTHR_TOOLTIP;ノイズの増幅を避けます TP_WAVELET_MEDGREINF;最初のレベル TP_WAVELET_MEDI;青空のアーティファクトを軽減 TP_WAVELET_MEDILEV;エッジ検出 TP_WAVELET_MEDILEV_TOOLTIP;エッジの検出を有効にした際には、次の操作が奨められます:\n- アーティファクト発生を避けるため低いレベルのコントラストを使わない\n- グラデーション感度では高い値を使う\n\n効果を和らげるには、ノイズ低減とリファインの’リファイン’を下げる -TP_WAVELET_MERGEC;色度を融合 -TP_WAVELET_MERGEL;輝度を融合 +TP_WAVELET_MERGEC;色調の融合 +TP_WAVELET_MERGEL;輝度の融合 +TP_WAVELET_MIXCONTRAST;参考値 +TP_WAVELET_MIXDENOISE;ノイズ除去 +TP_WAVELET_MIXMIX;混成 50%ノイズ - 50%ノイズ除去 +TP_WAVELET_MIXMIX70;混成 30%ノイズ - 70%ノイズ除去 +TP_WAVELET_MIXNOISE;ノイズ TP_WAVELET_NEUTRAL;ニュートラル -TP_WAVELET_NOIS;ノイズ低減 -TP_WAVELET_NOISE;ノイズ低減とリファイン -TP_WAVELET_NOISE_TOOLTIP;詳細レベル4の輝度ノイズ除去が20以上の時にはアグレッシブモードが使われます\n色ノイズ除去で、大まかなレベルの値が20以上の時は、アグレッシブモードが使われます +TP_WAVELET_NOIS;ノイズ除去 +TP_WAVELET_NOISE;ノイズ除去とリファイン +TP_WAVELET_NOISE_TOOLTIP;輝度ノイズ除去のイコライザ:右に移動するほどシャドウ部分のノイズ除去がより強くなります\nノイズ除去とリファイン:レベル4のイズ除去が50以上の場合はアグレッシブモードが使われます\n色ノイズ除去:番手の高いレベルの色度のスライダー値が20以上の場合は、アグレッシブモードが使われます TP_WAVELET_NPHIGH;高い TP_WAVELET_NPLOW;低い TP_WAVELET_NPNONE;なし TP_WAVELET_NPTYPE;隣接するピクセルに対する効果 -TP_WAVELET_NPTYPE_TOOLTIP;このアルゴリズムは近傍する8つのピクセルを使って比較します。違いが少ない場合に、エッジを強化します。 -TP_WAVELET_OFFSET_TOOLTIP;オフセットはシャドウとハイライトのバランスを調整する機能です\n 高い値を設定するとシャドウ部分のコントラスト強化が増幅されます。最小コントラストのしきい値と合わせて使えば、コントラストを高くしたい部分の見極めに役立つでしょう +TP_WAVELET_NPTYPE_TOOLTIP;このアルゴリズムは近傍の8つのピクセルを使って比較します。違いが少ない場合に、エッジを強化します。 +TP_WAVELET_OFFSET_TOOLTIP;オフセットは低コントラストと高コントラストのディテールのバランスを変える機能です\n高い値は高コントラストのディテールのコントラスト変化を増幅し、低い値は低コントラストのディテールのコントラスト変化を大きくします\n低い減衰応答を使うことで、どのコントラスト値が増幅されるか加減出来ます TP_WAVELET_OLDSH;マイナス値が使えるアルゴリズム TP_WAVELET_OPACITY;ブルー/イエローの不透明度 -TP_WAVELET_OPACITYW;コントラストバランス d/v-hカーブ +TP_WAVELET_OPACITYW;斜め/垂直・水平のバランスカーブ TP_WAVELET_OPACITYWL;最終的なローカルコントラスト TP_WAVELET_OPACITYWL_TOOLTIP;ウェーブレット処理の最後で最終的なローカルコントラストを調整します\n\nイコライザは左から右に向かって、最も細かいローカルコントラストから大きいローカルコントラストを表しています -TP_WAVELET_PASTEL;明清色の色度 +TP_WAVELET_PASTEL;明清色の色度の定義 TP_WAVELET_PROC;プロセス TP_WAVELET_PROTAB;保護 +TP_WAVELET_QUAAGRES;積極的 +TP_WAVELET_QUACONSER;控え目 +TP_WAVELET_QUANONE;なし TP_WAVELET_RADIUS;シャドウ/ハイライトの半径 TP_WAVELET_RANGEAB;aとbの範囲 % TP_WAVELET_RE1;強める @@ -3347,11 +4071,12 @@ TP_WAVELET_RESCHRO;強さ TP_WAVELET_RESCON;シャドウ TP_WAVELET_RESCONH;ハイライト TP_WAVELET_RESID;残差画像 -TP_WAVELET_SAT;純色の色度 +TP_WAVELET_SAT;純色の色度の定義 TP_WAVELET_SETTINGS;ウェーブレットの設定 TP_WAVELET_SHA;シャープマスク TP_WAVELET_SHFRAME;シャドウ/ハイライト TP_WAVELET_SHOWMASK;ウェーブレットの'マスク'を表示 +TP_WAVELET_SIGM;半径 TP_WAVELET_SIGMA;減衰応答 TP_WAVELET_SIGMAFIN;減衰応答 TP_WAVELET_SIGMA_TOOLTIP;コントラストスライダーの調整効果は、中間的なマイクロコントラストは強く、低い、或いは高いマイクロコントラストはそうでもありません。\n減衰応答は、この調整作用を極端なコントラスト値に向けて、どれだけ素早く減衰させるかコントロールするスライダーです。\n高い値を設定すると、減衰が強く作用するマイクロコントラストの領域が広がりますが、アーティファクトが発生することがあります。\n低い値を設定すると、減衰が強く作用するマイクロコントラストの領域が狭くなるので、よりピンポイントに効果が表れます。 @@ -3360,19 +4085,22 @@ TP_WAVELET_SKIN_TOOLTIP;-100にすると肌色のトーンだけが調整の TP_WAVELET_SKY;色相の目標/保護 TP_WAVELET_SKY_TOOLTIP;-100にすると青空のトーンだけが調整の対象になります\n0にすると全てのカラートーンが調整されます\n+100にすると青空のトーンは保護され、他のカラートーンが調整されます TP_WAVELET_SOFTRAD;ソフトな半径 -TP_WAVELET_STREN;強さ +TP_WAVELET_STREN;リファイン +TP_WAVELET_STREND;強さ TP_WAVELET_STRENGTH;強さ TP_WAVELET_SUPE;エキストラ TP_WAVELET_THR;シャドウのしきい値 -TP_WAVELET_THRESHOLD;調整するレベル 細かい -TP_WAVELET_THRESHOLD2;調整するレベル 大まか -TP_WAVELET_THRESHOLD2_TOOLTIP;設定値より上の詳細レベルだけが、大まかなレベルの輝度範囲で設定された条件で調整されます。 -TP_WAVELET_THRESHOLD_TOOLTIP;設定値以下の詳細レベルだけが、細かいレベルの輝度範囲で設定された条件で調整されます。 +TP_WAVELET_THRDEN_TOOLTIP;ローカルコントラストに応じたノイズ除去の目安に使うため、ステップカーブを作成します。ノイズ除去がコントラストの低い均一な画質部分に適用されます。詳細がある部分(コントラストが高い)は保持されます。 +TP_WAVELET_THREND;ローカルコントラストのしきい値 +TP_WAVELET_THRESHOLD;調整レベル(小さいディテール) +TP_WAVELET_THRESHOLD2;調整レベル(大きいディテール) +TP_WAVELET_THRESHOLD2_TOOLTIP;設定値より上のレベルだけが、大きなディテールのレベルの輝度範囲で設定された条件で調整されます。 +TP_WAVELET_THRESHOLD_TOOLTIP;設定値以下のレベルだけが、小さいディテールのレベルの輝度範囲で設定された条件で調整されます。 TP_WAVELET_THRESWAV;バランスのしきい値 TP_WAVELET_THRH;ハイライトのしきい値 -TP_WAVELET_TILESBIG;大きいタイル +TP_WAVELET_TILESBIG;タイル TP_WAVELET_TILESFULL;画像全体 -TP_WAVELET_TILESIZE;タイルのサイズ +TP_WAVELET_TILESIZE;解析の領域 TP_WAVELET_TILESLIT;小さいタイル TP_WAVELET_TILES_TOOLTIP;画像全体を処理する方が良い結果をもたらすので、推奨される選択です。タイルによる処理はRAMの容量が小さいユーザー向けです。必要なメモリー容量に関してはRawPediaを参照して下さい。 TP_WAVELET_TMEDGS;エッジ停止 @@ -3389,8 +4117,8 @@ TP_WAVELET_USH_TOOLTIP;シャープマスクを選択すると、ウェーブレ TP_WAVELET_WAVLOWTHR;最小コントラストのしきい値 TP_WAVELET_WAVOFFSET;オフセット TP_WBALANCE_AUTO;自動補正 -TP_WBALANCE_AUTOITCGREEN;色温度の相関関係を繰り返し解析する -TP_WBALANCE_AUTOOLD;RGBグレーを使う +TP_WBALANCE_AUTOITCGREEN;色温度の相関関係 +TP_WBALANCE_AUTOOLD;RGBグレー TP_WBALANCE_AUTO_HEADER;自動 TP_WBALANCE_CAMERA;カメラ TP_WBALANCE_CLOUDY;曇天 @@ -3436,7 +4164,7 @@ TP_WBALANCE_SPOTWB;ピペットを使ってプレビュー画像のニュート TP_WBALANCE_STUDLABEL;t検定 Itcwb: %1 TP_WBALANCE_STUDLABEL_TOOLTIP;t検定の結果を表示\n低い値ほど相関関係が良いことになります\n値が0.002以下はエクセレント\n0.005以下は非常に良い\n0.01以下は良い\n0.05以下は十分\n0.5以上は悪い\n光源が標準的ではない場合は、t検定が良好であってもホワイトバラスが良いことにはなりません\nt検定結果が1000と表示された場合は反復解析が行われなかったことを意味します。良い結果と想定される前の計算結果が使われます TP_WBALANCE_TEMPBIAS;自動ホワイトバランス 色温度のバイアス -TP_WBALANCE_TEMPBIAS_TOOLTIP;”自動ホワイトバランスの計算に変更を加えます”\n色温度を変えることで画像の暖かみを増やしたり、冷たさを増やしたりします。\n偏向の度合いは色温度の割合で表示されます\n従って計算値は "算出した色温度 + 算出した色温度 * 偏向"で計算したものです +TP_WBALANCE_TEMPBIAS_TOOLTIP;'自動ホワイトバランスの計算に変更を加えます'\n色温度を変えることで画像の暖かみを増やしたり、冷たさを増やしたりします。\n偏向の度合いは色温度の割合で表示されます\n従って計算値は "算出した色温度 + 算出した色温度 * 偏向"で計算したものです TP_WBALANCE_TEMPERATURE;色温度 TP_WBALANCE_TUNGSTEN;タングステン TP_WBALANCE_WATER1;水中 1 @@ -3454,4 +4182,9 @@ ZOOMPANEL_ZOOMOUT;ズームアウト\nショートカット: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry From 8d6a8eeae0e779af82baafd8d5225095b51e127b Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Wed, 24 Aug 2022 20:31:15 +0200 Subject: [PATCH 096/170] Updated German translation Closes #6229 --- rtdata/languages/Deutsch | 3292 +++++++++++++++++++++++++++++--------- 1 file changed, 2543 insertions(+), 749 deletions(-) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index dbda9c6a8..06d4fb4db 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -84,7 +84,11 @@ #83 06.07.2019 Erweiterung (TooWaBoo) RT 5.6 #84 06.10.2019 Erweiterung (TooWaBoo) RT 5.7 #84 18.07.2019 Erweiterung (TooWaBoo) RT 5.6 +#85 29.07.2022 Erweiterung (marter, mozzihh) RT 5.9 +#01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. +#02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: +#2022-07, Version RT 5.9 (marter, mozzihh) ABOUT_TAB_BUILD;Version ABOUT_TAB_CREDITS;Danksagungen ABOUT_TAB_LICENSE;Lizenz @@ -122,7 +126,7 @@ DONT_SHOW_AGAIN;Meldung nicht mehr anzeigen. DYNPROFILEEDITOR_DELETE;Löschen DYNPROFILEEDITOR_EDIT;Ändern DYNPROFILEEDITOR_EDIT_RULE;Profilregel ändern -DYNPROFILEEDITOR_ENTRY_TOOLTIP;Groß-/Kleinschreibung wird NICHT berücksichtigt.\nFür einen regulären Ausdruck benutzen Sie bitte\n"re:" als Prefix. +DYNPROFILEEDITOR_ENTRY_TOOLTIP;Groß-/Kleinschreibung wird NICHT berücksichtigt.\nFür einen regulären Ausdruck benutzen Sie bitte 're:' als Prefix. DYNPROFILEEDITOR_IMGTYPE_ANY;Alle DYNPROFILEEDITOR_IMGTYPE_HDR;HDR DYNPROFILEEDITOR_IMGTYPE_PS;Pixel-Shift @@ -133,7 +137,7 @@ DYNPROFILEEDITOR_NEW;Neu DYNPROFILEEDITOR_NEW_RULE;Profilregel erstellen DYNPROFILEEDITOR_PROFILE;Profil EDITWINDOW_TITLE;Bildbearbeitung -EDIT_OBJECT_TOOLTIP;Schaltet das Einstellungswerkzeug\nim Vorschaubild ein/aus. +EDIT_OBJECT_TOOLTIP;Schaltet das Einstellungswerkzeug im Vorschaubild ein/aus. EDIT_PIPETTE_TOOLTIP;Um einen Punkt der Kurve hinzuzufügen, halten Sie die Strg-Taste gedrückt und klicken mit der linke Maustaste auf die gewünschte Stelle in der Vorschau.\nUm den Punkt anzupassen, halten Sie die Strg-Taste gedrückt und klicken Sie mit der linken Maustaste auf den entsprechenden Bereich in der Vorschau. Dann lassen Sie die Strg-Taste los (es sei denn, Sie möchten eine Feineinstellung vornehmen) und bewegen die Maus bei gedrückter linker Maustaste nach oben oder unten, um den Punkt auf der Kurve zu bewegen. EXIFFILTER_APERTURE;Blende EXIFFILTER_CAMERA;Kamera @@ -165,11 +169,11 @@ EXPORT_BYPASS_ALL;Alle/Keine auswählen EXPORT_BYPASS_DEFRINGE;Farbsaum entfernen überspringen EXPORT_BYPASS_DIRPYRDENOISE;Rauschreduzierung überspringen EXPORT_BYPASS_DIRPYREQUALIZER;Detailebenenkontrast überspringen -EXPORT_BYPASS_EQUALIZER;Waveletebenen überspringen +EXPORT_BYPASS_EQUALIZER;Wavelet-Ebenen überspringen EXPORT_BYPASS_RAW_CA;CA-Korrektur überspringen EXPORT_BYPASS_RAW_CCSTEPS;Falschfarbenreduzierung überspringen EXPORT_BYPASS_RAW_DCB_ENHANCE;DCB-Verbesserungsstufen überspringen -EXPORT_BYPASS_RAW_DCB_ITERATIONS;DCB-Interationen überspringen +EXPORT_BYPASS_RAW_DCB_ITERATIONS;DCB-Iterationen überspringen EXPORT_BYPASS_RAW_DF;Dunkelbild überspringen EXPORT_BYPASS_RAW_FF;Weißbild überspringen EXPORT_BYPASS_RAW_GREENTHRESH;Grün-Ausgleich überspringen @@ -179,14 +183,14 @@ EXPORT_BYPASS_SHARPENEDGE;Kantenschärfung überspringen EXPORT_BYPASS_SHARPENING;Schärfung überspringen EXPORT_BYPASS_SHARPENMICRO;Mikrokontrast überspringen EXPORT_FASTEXPORTOPTIONS;Schnell-Export - Einstellungen -EXPORT_INSTRUCTIONS;Die Einstellungen zum schnellen Export\nerlauben es, zeit- und ressourcenintensive\nEntwicklungsschritte zu überspringen und dafür\ndie Warteschlangenverarbeitung mit\nschnellen Export-Einstellungen auszuführen.\nDieses Vorgehen wird zur schnelleren\nGenerierung von gering aufgelösten Bildern\nempfohlen, falls es auf die Geschwindigkeit\nankommt oder für ein oder mehrere Bilder\nandere Ausgabegrößen gewünscht werden,\nohne Änderungen an deren gespeicherten\nParameter vornehmen zu müssen. +EXPORT_INSTRUCTIONS;Die Einstellungen zum schnellen Export erlauben es, zeit- und ressourcenintensive Entwicklungsschritte zu überspringen und dafür die Warteschlangenverarbeitung mit schnellen Export-Einstellungen auszuführen.\nDieses Vorgehen wird zur schnelleren Generierung von gering aufgelösten Bildern empfohlen, falls es auf die Geschwindigkeit ankommt oder für ein oder mehrere Bilder andere Ausgabegrößen gewünscht werden, ohne Änderungen an deren gespeicherten Parameter vornehmen zu müssen. EXPORT_MAXHEIGHT;Maximale Höhe: EXPORT_MAXWIDTH;Maximale Breite: EXPORT_PIPELINE;Verarbeitungspipeline -EXPORT_PUTTOQUEUEFAST; Zur Warteschlange “Schneller Export“ hinzufügen +EXPORT_PUTTOQUEUEFAST;Zur Warteschlange 'Schneller Export' hinzufügen EXPORT_RAW_DMETHOD;Demosaikmethode EXPORT_USE_FAST_PIPELINE;Priorität Geschwindigkeit -EXPORT_USE_FAST_PIPELINE_TIP;Wendet alle Bearbeitungsschritte, im Gegensatz\nzu „Standard“, auf das bereits skalierte Bild an.\nDadurch steigt die Verarbeitungsgeschwindigkeit\nauf Kosten der Qualität. +EXPORT_USE_FAST_PIPELINE_TIP;Wendet alle Bearbeitungsschritte, im Gegensatz zu 'Standard', auf das bereits skalierte Bild an.\nDadurch steigt die Verarbeitungsgeschwindigkeit auf Kosten der Qualität. EXPORT_USE_NORMAL_PIPELINE;Standard EXTPROGTARGET_1;RAW EXTPROGTARGET_2;Stapelverarbeitung beendet @@ -194,8 +198,8 @@ FILEBROWSER_APPLYPROFILE;Profil anwenden FILEBROWSER_APPLYPROFILE_PARTIAL;Profil selektiv anwenden FILEBROWSER_AUTODARKFRAME;Automatisches Dunkelbild FILEBROWSER_AUTOFLATFIELD;Automatisches Weißbild -FILEBROWSER_BROWSEPATHBUTTONHINT;Klicken Sie hier, um den angegebenen Pfad zu öffnen, den Ordner\nneu zu laden und das Suchkriterium anzuwenden. -FILEBROWSER_BROWSEPATHHINT;Einen Pfad eingeben:\nTaste:\nStrg + o Setzt den Cursor in das Eingabefeld\nEnter Öffnet den Pfad\nEsc Änderungen verwerfen\nUmschalt + Esc Eingabefeld verlassen\n\nSchnellnavigation:\nTaste:\n~ “Home“-Verzeichnis des Benutzers\n! Bilder-Verzeichnis des Benutzers +FILEBROWSER_BROWSEPATHBUTTONHINT;Klicken Sie hier, um den angegebenen Pfad zu öffnen, den Ordner neu zu laden und das Suchkriterium anzuwenden. +FILEBROWSER_BROWSEPATHHINT;Einen Pfad eingeben:\nTaste:\nStrg-o Setzt den Cursor in das Eingabefeld\nEnter Öffnet den Pfad\nEsc Änderungen verwerfen\nUmschalt-Esc Eingabefeld verlassen\n\nSchnellnavigation:\nTaste:\n~ 'Home'-Verzeichnis des Benutzers\n! Bilder-Verzeichnis des Benutzers FILEBROWSER_CACHE;Festplatten-Cache FILEBROWSER_CACHECLEARFROMFULL;Alle zwischengespeicherte Profile löschen FILEBROWSER_CACHECLEARFROMPARTIAL;Alle NICHT zwischengespeicherte Profile löschen @@ -209,13 +213,13 @@ FILEBROWSER_DELETEDIALOG_HEADER;Dateien löschen FILEBROWSER_DELETEDIALOG_SELECTED;Möchten Sie wirklich %1 Datei(en) unwiderruflich löschen? FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Möchten Sie wirklich %1 Datei(en) unwiderruflich löschen, mit allen aus der Stapelverarbeitung resultierenden zugehörigen Ausgabedateien? FILEBROWSER_EMPTYTRASH;Papierkorb leeren -FILEBROWSER_EMPTYTRASHHINT;Alle Dateien im Papierkorb\nunwiderruflich löschen. +FILEBROWSER_EMPTYTRASHHINT;Alle Dateien im Papierkorb\nunwiderruflich löschen. FILEBROWSER_EXTPROGMENU;Öffnen mit FILEBROWSER_FLATFIELD;Weißbild FILEBROWSER_MOVETODARKFDIR;In Dunkelbild-Verzeichnis verschieben FILEBROWSER_MOVETOFLATFIELDDIR;In Weißbild-Verzeichnis verschieben FILEBROWSER_NEW_NAME;Neuer Name: -FILEBROWSER_OPENDEFAULTVIEWER;Windows Standard-Betracher (stapelverarbeitet) +FILEBROWSER_OPENDEFAULTVIEWER;Windows Standard-Betrachter (stapelverarbeitet) FILEBROWSER_PARTIALPASTEPROFILE;Profil selektiv einfügen FILEBROWSER_PASTEPROFILE;Profil einfügen FILEBROWSER_POPUPCANCELJOB;Job abbrechen @@ -228,6 +232,7 @@ FILEBROWSER_POPUPCOLORLABEL4;Markierung: Blau FILEBROWSER_POPUPCOLORLABEL5;Markierung: Violett FILEBROWSER_POPUPCOPYTO;Kopieren nach... FILEBROWSER_POPUPFILEOPERATIONS;Dateioperationen +FILEBROWSER_POPUPINSPECT;Inspektor FILEBROWSER_POPUPMOVEEND;An das Ende der Warteschlange verschieben FILEBROWSER_POPUPMOVEHEAD;An den Anfang der Warteschlange verschieben FILEBROWSER_POPUPMOVETO;Verschieben nach... @@ -244,7 +249,7 @@ FILEBROWSER_POPUPRANK3;Bewertung 3 *** FILEBROWSER_POPUPRANK4;Bewertung 4 **** FILEBROWSER_POPUPRANK5;Bewertung 5 ***** FILEBROWSER_POPUPREMOVE;Unwiderruflich löschen -FILEBROWSER_POPUPREMOVEINCLPROC;Unwiderruflich löschen\n(einschl. aller Dateien der Stabelverarbeitung) +FILEBROWSER_POPUPREMOVEINCLPROC;Unwiderruflich löschen\n(einschl. aller Dateien der Stapelverarbeitung) FILEBROWSER_POPUPRENAME;Umbenennen FILEBROWSER_POPUPSELECTALL;Alle auswählen FILEBROWSER_POPUPTRASH;In den Papierkorb verschieben @@ -252,7 +257,7 @@ FILEBROWSER_POPUPUNRANK;Bewertung entfernen FILEBROWSER_POPUPUNTRASH;Aus dem Papierkorb wiederherstellen FILEBROWSER_QUERYBUTTONHINT;Suchfilter zurücksetzen. FILEBROWSER_QUERYHINT;Nur Dateien anzeigen, deren Namen die angegebene Zeichenkette beinhalten.\n\nTaste:\nStrg + f Setzt den Cursor in das Suchfeld\nEnter Suche starten\nEsc Suchfeld löschen\nUmschalt + Esc Suchfeldfeld verlassen -FILEBROWSER_QUERYLABEL; Suche: +FILEBROWSER_QUERYLABEL;Suche: FILEBROWSER_RANK1_TOOLTIP;Bewertung 1 *\nTaste: Umschalt + 1 FILEBROWSER_RANK2_TOOLTIP;Bewertung 2 **\nTaste: Umschalt + 2 FILEBROWSER_RANK3_TOOLTIP;Bewertung 3 ***\nTaste: Umschalt + 3 @@ -270,9 +275,9 @@ FILEBROWSER_SHOWCOLORLABEL5HINT;Nur violett markierte Bilder anzeigen.\nTaste: < FILEBROWSER_SHOWDIRHINT;Alle Filter zurücksetzen.\nTaste: d FILEBROWSER_SHOWEDITEDHINT;Nur bearbeitete Bilder anzeigen.\nTaste: 7 FILEBROWSER_SHOWEDITEDNOTHINT;Nur unbearbeitete Bilder anzeigen.\nTaste: 6 -FILEBROWSER_SHOWEXIFINFO;Bildinformationen ein-/ausblenden.\n\nIm Multi-Reitermodus:\nTaste: i\nIm Ein-Reitermodus:\nTaste: Alt + i +FILEBROWSER_SHOWEXIFINFO;Bildinformationen ein-/ausblenden.\n\nIm Multi-Reitermodus:\nTaste: i\nIm Ein-Reitermodus:\nTaste: Alt + i FILEBROWSER_SHOWNOTTRASHHINT;Nur Bilder außerhalb des Papierkorbs anzeigen. -FILEBROWSER_SHOWORIGINALHINT;Zeige nur das Originalbild.\n\nWenn mehrere Bilder mit dem gleichen Dateinamen und unterschiedlichen Dateitypen existieren, ist das Originalbild das Bild, welches in der Liste "Dateitypen anzeigen" unter Einstellungen > Dateiverwaltung als erstes gefunden wird. +FILEBROWSER_SHOWORIGINALHINT;Zeige nur das Originalbild.\n\nWenn mehrere Bilder mit dem gleichen Dateinamen und unterschiedlichen Dateitypen existieren, ist das Originalbild das Bild, welches in der Liste 'Dateitypen anzeigen' unter Einstellungen > Dateiverwaltung als erstes gefunden wird. FILEBROWSER_SHOWRANK1HINT;Nur mit 1 Stern bewertete Bilder anzeigen.\nTaste: 1 FILEBROWSER_SHOWRANK2HINT;Nur mit 2 Sternen bewertete Bilder anzeigen.\nTaste: 2 FILEBROWSER_SHOWRANK3HINT;Nur mit 3 Sternen bewertete Bilder anzeigen.\nTaste: 3 @@ -285,14 +290,14 @@ FILEBROWSER_SHOWUNCOLORHINT;Nur unmarkierte Bilder anzeigen.\nTaste: Alt FILEBROWSER_SHOWUNRANKHINT;Nur unbewertete Bilder anzeigen.\nTaste: 0 FILEBROWSER_THUMBSIZE;Miniaturbildgröße FILEBROWSER_UNRANK_TOOLTIP;Bewertung entfernen.\nTaste: Umschalt + 0 -FILEBROWSER_ZOOMINHINT;Miniaturbilder vergrößern.\n\nIm Multi-Reitermodus:\nTaste: +\nIm Ein-Reitermodus:\nTaste: Alt + -FILEBROWSER_ZOOMOUTHINT;Miniaturbilder verkleinern.\n\nIm Multi-Reitermodus:\nTaste: -\nIm Ein-Reitermodus:\nTaste: Alt - +FILEBROWSER_ZOOMINHINT;Miniaturbilder vergrößern.\n\nIm Multi-Reitermodus:\nTaste: +\nIm Ein-Reitermodus:\nTaste: Alt + +FILEBROWSER_ZOOMOUTHINT;Miniaturbilder verkleinern.\n\nIm Multi-Reitermodus:\nTaste: -\nIm Ein-Reitermodus:\nTaste: Alt - FILECHOOSER_FILTER_ANY;Alle Dateien FILECHOOSER_FILTER_COLPROF;Farbprofile FILECHOOSER_FILTER_CURVE;Kurvendateien FILECHOOSER_FILTER_LCP;Objektivkorrekturprofile FILECHOOSER_FILTER_PP;Verarbeitungsprofile -FILECHOOSER_FILTER_SAME;Gleiche Format wie aktuelles Bild +FILECHOOSER_FILTER_SAME;Gleiches Format wie aktuelles Bild FILECHOOSER_FILTER_TIFF;TIFF-Dateien GENERAL_ABOUT;Über GENERAL_AFTER;Nachher @@ -303,11 +308,14 @@ GENERAL_BEFORE;Vorher GENERAL_CANCEL;Abbrechen GENERAL_CLOSE;Schließen GENERAL_CURRENT;Aktuell +GENERAL_DELETE_ALL;Alle löschen GENERAL_DISABLE;Deaktivieren GENERAL_DISABLED;Deaktiviert +GENERAL_EDIT;Editieren GENERAL_ENABLE;Aktivieren GENERAL_ENABLED;Aktiviert GENERAL_FILE;Datei: +GENERAL_HELP;Hilfe GENERAL_LANDSCAPE;Landschaft GENERAL_NA;n/a GENERAL_NO;Nein @@ -321,556 +329,1289 @@ GENERAL_SAVE_AS;Speichern GENERAL_SLIDER;Regler GENERAL_UNCHANGED;(Unverändert) GENERAL_WARNING;Warnung -GIMP_PLUGIN_INFO;Willkommen zum RawTherapee GIMP-Plugin!\nNach den Änderungen bitte das RawTherapee-Fenster schließen.\nDas Bild wird dann automatisch in GIMP importiert. +GIMP_PLUGIN_INFO;Willkommen beim RawTherapee GIMP-Plugin!\nNach den Änderungen bitte das RawTherapee-Fenster schließen.\nDas Bild wird dann automatisch in GIMP importiert. HISTOGRAM_TOOLTIP_B;Blau-Histogramm ein-/ausblenden. HISTOGRAM_TOOLTIP_BAR;RGB-Anzeigeleiste ein-/ausblenden. HISTOGRAM_TOOLTIP_CHRO;Chromatizität-Histogramm ein/ausblenden. +HISTOGRAM_TOOLTIP_CROSSHAIR;Fadenkreuz ein-/ ausblenden HISTOGRAM_TOOLTIP_G;Grün-Histogramm ein-/ausblenden. HISTOGRAM_TOOLTIP_L;CIELab-Luminanz-Histogramm ein-/ausblenden. -HISTOGRAM_TOOLTIP_MODE;Schaltet zwischen linearer, logarithmischer-linearer und\nlogarithmischer-logarithmischer Skalierung um. +HISTOGRAM_TOOLTIP_MODE;Schaltet zwischen linearer, logarithmisch-linearer und\nlogarithmisch-logarithmischer Skalierung um. HISTOGRAM_TOOLTIP_R;Rot-Histogramm ein-/ausblenden. +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Histogrammoptionen ein-/ ausschalten +HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Helligkeitsbereich anpassen +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogramm +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw-Histogramm +HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB-Parade +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Vektorskop Farbton-Chroma +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS; Vektorskop Farbton-Sättigung +HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Wellenform HISTORY_CHANGED;Geändert HISTORY_CUSTOMCURVE;Benutzerdefiniert HISTORY_FROMCLIPBOARD;Aus der Zwischenablage HISTORY_LABEL;Historie HISTORY_MSG_1;(Bild geladen) -HISTORY_MSG_2;(Profil geladen) HISTORY_MSG_3;(Profil geändert) HISTORY_MSG_4;(Historie durchsuchen) -HISTORY_MSG_5;(Belichtung) - Helligkeit -HISTORY_MSG_6;(Belichtung) - Kontrast +HISTORY_MSG_5;(Belichtung)\nHelligkeit +HISTORY_MSG_6;(Belichtung)\nKontrast HISTORY_MSG_7;(Belichtung)\nSchwarzwert HISTORY_MSG_8;(Belichtung)\nBelichtungskorrektur HISTORY_MSG_9;(Belichtung)\nLichterkompression HISTORY_MSG_10;(Belichtung)\nSchattenkompression HISTORY_MSG_11;(Belichtung)\nTonwertkurve 1 -HISTORY_MSG_12;(Belichtung) - Auto -HISTORY_MSG_13;(Belichtung) - Clip-Faktor -HISTORY_MSG_14;(L*a*b*) - Helligkeit -HISTORY_MSG_15;(L*a*b*) - Kontrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- -HISTORY_MSG_19;(L*a*b*) - L-Kurve -HISTORY_MSG_20;(Schärfung) -HISTORY_MSG_21;(Schärfung) - USM\nRadius -HISTORY_MSG_22;(Schärfung) - USM\nIntensität -HISTORY_MSG_23;(Schärfung) - USM\nSchwelle -HISTORY_MSG_24;(Schärfung) - USM\nNur Kanten schärfen -HISTORY_MSG_25;(Schärfung) - USM\nKantenschärfung\nRadius -HISTORY_MSG_26;(Schärfung) - USM\nKantenschärfung\nKantentoleranz -HISTORY_MSG_27;(Schärfung) - USM\nHalokontrolle -HISTORY_MSG_28;(Schärfung) - USM\nHalokontrolle - Intensität -HISTORY_MSG_29;(Schärfung) - Methode -HISTORY_MSG_30;(Schärfung) - RLD\nRadius -HISTORY_MSG_31;(Schärfung) - RLD\nIntensität -HISTORY_MSG_32;(Schärfung) - RLD\nDämpfung -HISTORY_MSG_33;(Schärfung) - RLD\nIterationen -HISTORY_MSG_34;(Objektivkorrektur)\nProfil - Verzeichnung -HISTORY_MSG_35;(Objektivkorrektur)\nProfil - Vignettierung -HISTORY_MSG_36;(Objektivkorrektur)\nProfil - CA -HISTORY_MSG_37;(Belichtung) - Auto -HISTORY_MSG_38;(Weißabgleich) - Methode -HISTORY_MSG_39;(Weißabgleich)\nFarbtemperatur -HISTORY_MSG_40;(Weißabgleich) - Tönung +HISTORY_MSG_12;(Belichtung)\nAutomatisch +HISTORY_MSG_13;(Belichtung)\nClip-Faktor +HISTORY_MSG_14;(Belichtung - L*a*b*) - Helligkeit +HISTORY_MSG_15;(Belichtung - L*a*b*) - Kontrast +HISTORY_MSG_19;(Belichtung - L*a*b*) - L-Kurve +HISTORY_MSG_20;(Details - Schärfung) +HISTORY_MSG_21;(Details - Schärfung)\nUSM - Radius +HISTORY_MSG_22;(Details - Schärfung)\nUSM - Intensität +HISTORY_MSG_23;(Details - Schärfung)\nUSM - Schwelle +HISTORY_MSG_24;(Details - Schärfung)\nUSM - Nur Kanten schärfen +HISTORY_MSG_25;(Details - Schärfung)\nUSM - Kantenschärfung\nRadius +HISTORY_MSG_26;(Details - Schärfung)\nUSM - Kantenschärfung\nKantentoleranz +HISTORY_MSG_27;(Details - Schärfung)\nUSM - Halokontrolle +HISTORY_MSG_28;(Details - Schärfung)\nUSM - Halokontrolle - Intensität +HISTORY_MSG_29;(Details - Schärfung)\nMethode +HISTORY_MSG_30;(Details - Schärfung)\nRLD - Radius +HISTORY_MSG_31;(Details - Schärfung)\nRLD - Intensität +HISTORY_MSG_32;(Details - Schärfung)\nRLD - Dämpfung +HISTORY_MSG_33;(Details - Schärfung)\nRLD - Iterationen +HISTORY_MSG_34;(Transformieren - Objektivkorrektur)\nProfil - Verzeichnung +HISTORY_MSG_35;(Transformieren - Objektivkorrektur)\nProfil - Vignettierung +HISTORY_MSG_36;(Transformieren - Objektivkorrektur)\nProfil - CA +HISTORY_MSG_37;(Belichtung)\nAutomatisch +HISTORY_MSG_38;(Farbe - Weißabgleich)\nMethode +HISTORY_MSG_39;(Farbe - Weißabgleich)\nFarbtemperatur +HISTORY_MSG_40;(Farbe - Weißabgleich)\nTönung HISTORY_MSG_41;(Belichtung)\nTonwertkurve 1 - Modus HISTORY_MSG_42;(Belichtung)\nTonwertkurve 2 HISTORY_MSG_43;(Belichtung)\nTonwertkurve 2 - Modus -HISTORY_MSG_44;(Luminanz-Rauschfilter)\nRadius -HISTORY_MSG_45;(Luminanz-Rauschfilter)\nKantentoleranz -HISTORY_MSG_46;(Farb-Rauschfilter) -HISTORY_MSG_47;(ICC Lichter aus Matrix\nüberlagern) -HISTORY_MSG_48;(Farbmanagement)\nEingangsfarbprofil\nDCP - Tonwertkurve -HISTORY_MSG_49;(Farbmanagement)\nEingangsfarbprofil\nDCP - Illumination -HISTORY_MSG_50;(Schatten/Lichter) -HISTORY_MSG_51;(Schatten/Lichter)\nLichter -HISTORY_MSG_52;(Schatten/Lichter)\nSchatten -HISTORY_MSG_53;(Schatten/Lichter)\nTonwertbreite Lichter -HISTORY_MSG_54;(Schatten/Lichter)\nTonwertbreite Schatten -HISTORY_MSG_55;(Schatten/Lichter)\nLokaler Kontrast -HISTORY_MSG_56;(Schatten/Lichter)\nRadius +HISTORY_MSG_48;(Farbe - Farbmanagement)\nEingangsfarbprofil\nDCP - Tonwertkurve +HISTORY_MSG_49;(Farbe - Farbmanagement)\nEingangsfarbprofil\nDCP - Illumination +HISTORY_MSG_50;(Belichtung - Schatten/Lichter) +HISTORY_MSG_51;(Belichtung - Schatten/Lichter)\nLichter +HISTORY_MSG_52;(Belichtung - Schatten/Lichter)\nSchatten +HISTORY_MSG_53;(Belichtung - Schatten/Lichter)\nTonwertbreite Lichter +HISTORY_MSG_54;(Belichtung - Schatten/Lichter)\nTonwertbreite Schatten +HISTORY_MSG_56;(Belichtung - Schatten/Lichter)\nRadius HISTORY_MSG_57;(Grobe Drehung) HISTORY_MSG_58;(Horizontal spiegeln) HISTORY_MSG_59;(Vertikal spiegeln) -HISTORY_MSG_60;(Objektivkorrektur)\nDrehen - Winkel -HISTORY_MSG_61;(Objektivkorrektur)\nAuto-Füllen -HISTORY_MSG_62;(Objektivkorrektur)\nVerzeichnung -HISTORY_MSG_63;(Schnappschuss\nausgewählt) -HISTORY_MSG_64;(Ausschnitt) -HISTORY_MSG_65;(Objektivkorrektur)\nFarbsaum entfernen +HISTORY_MSG_60;(Transformieren - Objektivkorrektur)\nDrehen - Winkel +HISTORY_MSG_61;(Transformieren - Objektivkorrektur)\nAuto-Füllen +HISTORY_MSG_62;(Transformieren - Objektivkorrektur)\nVerzeichnung +HISTORY_MSG_63;Schnappschuss ausgewählt +HISTORY_MSG_64;(Transformieren - Ausschnitt) +HISTORY_MSG_65;(Transformieren - Objektivkorrektur)\nFarbsaum entfernen HISTORY_MSG_66;(Belichtung)\nLichter rekonstruieren -HISTORY_MSG_67;(Belichtung)\nLichterkompression\nUmfang HISTORY_MSG_68;(Belichtung)\nLichterkompression\nMethode -HISTORY_MSG_69;(Farbmanagement)\nArbeitsfarbraum -HISTORY_MSG_70;(Farbmanagement)\nAusgabeprofil -HISTORY_MSG_71;(Farbmanagement)\nEingangsfarbprofil -HISTORY_MSG_72;(Objektivkorrektur)\nVignettierung - Intensität -HISTORY_MSG_73;(RGB-Kanalmixer) -HISTORY_MSG_74;(Skalieren) - Maßstab -HISTORY_MSG_75;(Skalieren) - Methode +HISTORY_MSG_69;(Farbe - Farbmanagement)\nArbeitsfarbraum +HISTORY_MSG_70;(Farbe - Farbmanagement)\nAusgabeprofil +HISTORY_MSG_71;(Farbe - Farbmanagement)\nEingangsfarbprofil +HISTORY_MSG_72;(Transformieren - Objektivkorrektur)\nVignettierung - Intensität +HISTORY_MSG_73;(Farbe - RGB-Kanalmixer) +HISTORY_MSG_74;(Transformieren - Skalieren)\nMaßstab +HISTORY_MSG_75;(Transformieren - Skalieren)\nMethode HISTORY_MSG_76;(Exif Metadaten) HISTORY_MSG_77;(IPTC Metadaten) -HISTORY_MSG_78;- -HISTORY_MSG_79;(Skalieren) - Breite -HISTORY_MSG_80;(Skalieren) - Höhe -HISTORY_MSG_81;(Skalieren) +HISTORY_MSG_79;(Transformieren - Skalieren)\nBreite +HISTORY_MSG_80;(Transformieren - Skalieren)\nHöhe +HISTORY_MSG_81;(Transformieren - Skalieren) HISTORY_MSG_82;(Profil geändert) -HISTORY_MSG_83;(Schatten/Lichter)\nSchärfemaske -HISTORY_MSG_84;(Objektivkorrektur)\nPerspektive -HISTORY_MSG_85;(Objektivkorrektur)\nProfil -HISTORY_MSG_86;(RGB-Kurven)\nHelligkeitsmodus -HISTORY_MSG_87;(Impulsrauschred.) -HISTORY_MSG_88;(Impulsrauschred.)\nSchwelle -HISTORY_MSG_89;(Rauschreduzierung) -HISTORY_MSG_90;(Rauschreduzierung)\nLuminanz -HISTORY_MSG_91;(Rauschreduzierung)\nChrominanz (Master) -HISTORY_MSG_92;(Rauschreduzierung)\nChrominanz - Gamma -HISTORY_MSG_93;(Detailebenenkontrast)\nWert -HISTORY_MSG_94;(Detailebenenkontrast) -HISTORY_MSG_95;(L*a*b*) - Chromatizität -HISTORY_MSG_96;(L*a*b*) - a-Kurve -HISTORY_MSG_97;(L*a*b*) - b-Kurve -HISTORY_MSG_98;(Sensor-Matrix)\nFarbinterpolation\nMethode -HISTORY_MSG_99;(Vorverarbeitung)\nHot-Pixel-Filter -HISTORY_MSG_100;(Belichtung) - Sättigung -HISTORY_MSG_101;(HSV) - Farbton (H) -HISTORY_MSG_102;(HSV) - Sättigung (S) -HISTORY_MSG_103;(HSV) - Dynamik (V) -HISTORY_MSG_104;(HSV) -HISTORY_MSG_105;(Farbsaum entfernen) -HISTORY_MSG_106;(Farbsaum entfernen)\nRadius -HISTORY_MSG_107;(Farbsaum entfernen)\nSchwelle +HISTORY_MSG_84;(Transformieren - Objektivkorrektur)\nPerspektive +HISTORY_MSG_85;(Transformieren - Objektivkorrektur)\nProfil +HISTORY_MSG_86;(Farbe - RGB-Kurven)\nHelligkeitsmodus +HISTORY_MSG_87;(Details - Impulsrauschred.) +HISTORY_MSG_88;(Details - Impulsrauschred.)\nSchwelle +HISTORY_MSG_89;(Details - Rauschreduzierung) +HISTORY_MSG_90;(Details - Rauschreduzierung)\nLuminanz +HISTORY_MSG_91;(Details - Rauschreduzierung)\nChrominanz (Master) +HISTORY_MSG_92;(Details - Rauschreduzierung)\nGamma +HISTORY_MSG_93;(Details - Detailebenenkontrast)\nWert +HISTORY_MSG_94;(Details - Detailebenenkontrast) +HISTORY_MSG_95;(Belichtung - L*a*b*)\nChromatizität +HISTORY_MSG_96;(Belichtung - L*a*b*)\na-Kurve +HISTORY_MSG_97;(Belichtung - L*a*b*)\nb-Kurve +HISTORY_MSG_98;(RAW - Sensor-Matrix)\nFarbinterpolation\nMethode +HISTORY_MSG_99;(RAW - Vorverarbeitung)\nHot-Pixel-Filter +HISTORY_MSG_100;(Belichtung)\nSättigung +HISTORY_MSG_101;(Farbe - HSV)\nFarbton (H) +HISTORY_MSG_102;(Farbe - HSV)\nSättigung (S) +HISTORY_MSG_103;(Farbe - HSV)\nDynamik (V) +HISTORY_MSG_104;(Farbe - HSV) +HISTORY_MSG_105;(Details - Farbsaum entfernen) +HISTORY_MSG_106;(Details - Farbsaum entfernen)\nRadius +HISTORY_MSG_107;(Details - Farbsaum entfernen)\nSchwelle HISTORY_MSG_108;(Belichtung)\nLichterkompression\nSchwelle -HISTORY_MSG_109;(Skalieren) - Begrenzungsrahmen -HISTORY_MSG_110;(Skalieren) - Anwenden auf: -HISTORY_MSG_111;(L*a*b*) - Farbverschiebung\nvermeiden -HISTORY_MSG_112;--unused-- -HISTORY_MSG_113;(L*a*b*) - Hautfarbtöne\nschützen -HISTORY_MSG_114;(Sensor-Matrix)\nFarbinterpolation\nDCB-Iterationen -HISTORY_MSG_115;(Sensor-Matrix)\nFarbinterpolation\nFalschfarbenreduzierung -HISTORY_MSG_116;(Sensor-Matrix)\nFarbinterpolation\nDCB-Verbesserung -HISTORY_MSG_117;(Sensor-Matrix)\nChromatische Aberration\nRot -HISTORY_MSG_118;(Sensor-Matrix)\nChromatische Aberration\nBlau -HISTORY_MSG_119;(Sensor-Matrix)\nVorverarbeitung\nZeilenrauschfilter -HISTORY_MSG_120;(Sensor-Matrix)\nVorverarbeitung\nGrün-Ausgleich -HISTORY_MSG_121;(Sensor-Matrix)\nChromatische Aberration\nAutomatische Korrektur -HISTORY_MSG_122;(Dunkelbild)\nAutomatische Auswahl -HISTORY_MSG_123;(Dunkelbild) - Datei -HISTORY_MSG_124;(Weißpunkt)\nKorrekturfaktor -HISTORY_MSG_126;(Weißbild) - Datei -HISTORY_MSG_127;(Weißbild)\nAutomatische Auswahl -HISTORY_MSG_128;(Weißbild)\nUnschärferadius -HISTORY_MSG_129;(Weißbild) - Unschärfetyp +HISTORY_MSG_109;(Transformieren - Skalieren)\nBegrenzungsrahmen +HISTORY_MSG_110;(Transformieren - Skalieren)\nAnwenden auf: +HISTORY_MSG_111;(Belichtung - L*a*b*)\nFarbverschiebung vermeiden +HISTORY_MSG_112;--nicht verwendet-- +HISTORY_MSG_113;(Belichtung - L*a*b*)\nHautfarbtöne schützen +HISTORY_MSG_114;(RAW - Sensor-Matrix)\nFarbinterpolation\nDCB-Iterationen +HISTORY_MSG_115;(RAW - Sensor-Matrix)\nFarbinterpolation\nFalschfarbenreduzierung +HISTORY_MSG_116;(RAW - Sensor-Matrix)\nFarbinterpolation\nDCB-Verbesserung +HISTORY_MSG_117;(RAW - Sensor-Matrix)\nChromatische Aberration\nRot/Grün +HISTORY_MSG_118;(RAW - Sensor-Matrix)\nChromatische Aberration\nBlau/Gelb +HISTORY_MSG_119;(RAW - Sensor-Matrix)\nVorverarbeitung\nZeilenrauschfilter +HISTORY_MSG_120;(RAW - Sensor-Matrix)\nVorverarbeitung\nGrün-Ausgleich +HISTORY_MSG_121;(RAW - Sensor-Matrix)\nChromatische Aberration\nAutomatische Korrektur +HISTORY_MSG_122;(RAW - Dunkelbild)\nAutomatische Auswahl +HISTORY_MSG_123;(RAW - Dunkelbild)\nDatei +HISTORY_MSG_124;(RAW - Weißpunkt)\nKorrekturfaktor +HISTORY_MSG_126;(RAW - Weißbild)\nDatei +HISTORY_MSG_127;(RAW - Weißbild)\nAutomatische Auswahl +HISTORY_MSG_128;(RAW - Weißbild)\nUnschärferadius +HISTORY_MSG_129;(RAW - Weißbild)\nUnschärfetyp HISTORY_MSG_130;(Autom. Verzeichnung) -HISTORY_MSG_131;(Rauschreduzierung)\nLuminanz -HISTORY_MSG_132;(Rauschreduzierung)\nChrominanz -HISTORY_MSG_133;(Farbmanagement)\nAusgabeprofil\nAusgabe-Gamma -HISTORY_MSG_134;(Farbmanagement)\nAusgabeprofil\nGamma -HISTORY_MSG_135;(Farbmanagement)\nAusgabeprofil\nFreies Gamma -HISTORY_MSG_136;(Farbmanagement)\nAusgabeprofil\nGradient (linear) -HISTORY_MSG_137;(Sensor-Matrix)\nSchwarzpunkt - Grün 1 -HISTORY_MSG_138;(Sensor-Matrix)\nSchwarzpunkt - Rot -HISTORY_MSG_139;(Sensor-Matrix)\nSchwarzpunkt - Blau -HISTORY_MSG_140;(Sensor-Matrix)\nSchwarzpunkt - Grün 2 -HISTORY_MSG_141;(Sensor-Matrix)\nSchwarzpunkt\nGrün-Werte angleichen -HISTORY_MSG_142;(Kantenschärfung)\nIterationen -HISTORY_MSG_143;(Kantenschärfung)\nIntensität -HISTORY_MSG_144;(Mikrokontrast)\nIntensität -HISTORY_MSG_145;(Mikrokontrast)\nGleichmäßigkeit -HISTORY_MSG_146;(Kantenschärfung) -HISTORY_MSG_147;(Kantenschärfung)\nNur Luminanz -HISTORY_MSG_148;(Mikrokontrast) -HISTORY_MSG_149;(Mikrokontrast)\n3×3-Matrix -HISTORY_MSG_150;(Artefakt-/Rauschred.\nnach Farbinterpolation) -HISTORY_MSG_151;(Dynamik) -HISTORY_MSG_152;(Dynamik) - Pastelltöne -HISTORY_MSG_153;(Dynamik)\nGesättigte Töne -HISTORY_MSG_154;(Dynamik)\nHautfarbtöne schützen -HISTORY_MSG_155;(Dynamik)\nFarbverschiebungen\nvermeiden -HISTORY_MSG_156;(Dynamik)\nPastell und gesättigte\nTöne koppeln -HISTORY_MSG_157;(Dynamik)\nPastell/gesättigte Töne\nSchwelle -HISTORY_MSG_158;(Tonwertkorrektur)\nIntensität -HISTORY_MSG_159;(Tonwertkorrektur)\nKantenschutz -HISTORY_MSG_160;(Tonwertkorrektur)\nFaktor -HISTORY_MSG_161;(Tonwertkorrektur)\nIterationen -HISTORY_MSG_162;(Tonwertkorrektur) -HISTORY_MSG_163;(RGB-Kurven) - Rot -HISTORY_MSG_164;(RGB-Kurven) - Grün -HISTORY_MSG_165;(RGB-Kurven) - Blau -HISTORY_MSG_166;(Belichtung) - Zurücksetzen -HISTORY_MSG_167;(Sensor-Matrix)\nFarbinterpolation\nMethode -HISTORY_MSG_168;(L*a*b*) - CC-Kurve -HISTORY_MSG_169;(L*a*b*) - CH-Kurve -HISTORY_MSG_170;(Dynamik) - HH-Kurve -HISTORY_MSG_171;(L*a*b*) - LC-Kurve -HISTORY_MSG_172;(L*a*b*) - LC-Kurve\nbeschränken -HISTORY_MSG_173;(Rauschreduzierung)\nLuminanzdetails -HISTORY_MSG_174;(CIECAM02) -HISTORY_MSG_175;(CIECAM02) - Szene\nCAT02-Adaptation -HISTORY_MSG_176;(CIECAM02)\nBetrachtungsbed.\nUmgebung -HISTORY_MSG_177;(CIECAM02) - Szene\nLuminanz -HISTORY_MSG_178;(CIECAM02)\nBetrachtungsbed.\nLuminanz -HISTORY_MSG_179;(CIECAM02) - Szene\nWeißpunktmodell -HISTORY_MSG_180;(CIECAM02) - Helligkeit (J) -HISTORY_MSG_181;(CIECAM02) - Buntheit (H) -HISTORY_MSG_182;(CIECAM02) - Szene\nCAT02-Automatisch -HISTORY_MSG_183;(CIECAM02) - Kontrast (J) -HISTORY_MSG_184;(CIECAM02) - Szene\nDunkle Umgebung -HISTORY_MSG_185;(CIECAM02)\nBetrachtungsbed.\nGamutkontrolle -HISTORY_MSG_186;(CIECAM02) - Algorithmus -HISTORY_MSG_187;(CIECAM02) - Hautfarbtöne\nschützen -HISTORY_MSG_188;(CIECAM02) - Helligkeit (Q) -HISTORY_MSG_189;(CIECAM02) - Kontrast (Q) -HISTORY_MSG_190;(CIECAM02) - Sättigung (S) -HISTORY_MSG_191;(CIECAM02) - Farbigkeit (M) -HISTORY_MSG_192;(CIECAM02) - Farbton (H) -HISTORY_MSG_193;(CIECAM02)\nTonwertkurve 1 -HISTORY_MSG_194;(CIECAM02)\nTonwertkurve 2 -HISTORY_MSG_195;(CIECAM02)\nTonwertkurve 1 - Modus -HISTORY_MSG_196;(CIECAM02)\nTonwertkurve 2 - Modus -HISTORY_MSG_197;(CIECAM02) - Farbkurve -HISTORY_MSG_198;(CIECAM02) - Farbkurve\nModus -HISTORY_MSG_199;(CIECAM02) - Ausgabe-\nHistogramm anzeigen -HISTORY_MSG_200;(CIECAM02)\nDynamikkompression -HISTORY_MSG_201;(Rauschreduzierung)\nDelta-Chrominanz\nRot / Grün -HISTORY_MSG_202;(Rauschreduzierung)\nDelta-Chrominanz\nBlau / Gelb -HISTORY_MSG_203;(Rauschreduzierung)\nFarbraum -HISTORY_MSG_204;(Sensor-Matrix)\nFarbinterpolation\nLMMSE-Verbesserung -HISTORY_MSG_205;(CIECAM02)\nBetrachtungsbed.\nHot / Bad-Pixelfilter -HISTORY_MSG_206;(CIECAM02) - Szene\nAuto-Luminanz -HISTORY_MSG_207;(Farbsaum entfernen)\nFarbtonkurve -HISTORY_MSG_208;(Weißabgleich)\nBlau / Rot-Korrektur -HISTORY_MSG_210;(Grauverlaufsfilter)\nRotationswinkel -HISTORY_MSG_211;(Grauverlaufsfilter) -HISTORY_MSG_212;(Vignettierungsfilter)\nIntensität -HISTORY_MSG_213;(Vignettierungsfilter) -HISTORY_MSG_214;(Schwarz/Weiß) -HISTORY_MSG_215;(Schwarz/Weiß) - Rot -HISTORY_MSG_216;(Schwarz/Weiß) - Grün -HISTORY_MSG_217;(Schwarz/Weiß) - Blau -HISTORY_MSG_218;(Schwarz/Weiß)\nGamma - Rot -HISTORY_MSG_219;(Schwarz/Weiß)\nGamma - Grün -HISTORY_MSG_220;(Schwarz/Weiß)\nGamma - Blau -HISTORY_MSG_221;(Schwarz/Weiß)\nFarbfilter -HISTORY_MSG_222;(Schwarz/Weiß)\nVorgaben -HISTORY_MSG_223;(Schwarz/Weiß) - Orange -HISTORY_MSG_224;(Schwarz/Weiß) - Gelb -HISTORY_MSG_225;(Schwarz/Weiß) - Cyan -HISTORY_MSG_226;(Schwarz/Weiß) - Magenta -HISTORY_MSG_227;(Schwarz/Weiß) - Violett -HISTORY_MSG_228;(Schwarz/Weiß)\nLuminanzequalizer -HISTORY_MSG_229;(Schwarz/Weiß)\nLuminanzequalizer -HISTORY_MSG_230;(Schwarz/Weiß) - Modus -HISTORY_MSG_231;(Schwarz/Weiß)\n“Bevor“-Kurve -HISTORY_MSG_232;(Schwarz/Weiß)\n“Bevor“-Kurventyp -HISTORY_MSG_233;(Schwarz/Weiß)\n“Danach“-Kurve -HISTORY_MSG_234;(Schwarz/Weiß)\n“Danach“-Kurventyp -HISTORY_MSG_235;(Schwarz/Weiß)\nAuto-Kanalmixer -HISTORY_MSG_236;--unused-- -HISTORY_MSG_237;(Schwarz/Weiß) - Mixer -HISTORY_MSG_238;(Grauverlaufsfilter)\nBereich -HISTORY_MSG_239;(Grauverlaufsfilter)\nIntensität -HISTORY_MSG_240;(Grauverlaufsfilter)\nRotationsachsen -HISTORY_MSG_241;(Vignettierungsfilter)\nBereich -HISTORY_MSG_242;(Vignettierungsfilter)\nForm -HISTORY_MSG_243;(Objektivkorrektur)\nVignettierung - Radius -HISTORY_MSG_244;(Objektivkorrektur)\nVignettierung - Faktor -HISTORY_MSG_245;(Objektivkorrektur)\nVignettierung - Zentrum -HISTORY_MSG_246;(L*a*b*) - CL-Kurve -HISTORY_MSG_247;(L*a*b*) - LH-Kurve -HISTORY_MSG_248;(L*a*b*) - HH-Kurve -HISTORY_MSG_249;(Detailebenenkontrast)\nSchwelle -HISTORY_MSG_250;(Rauschreduzierung)\nVerbesserung -HISTORY_MSG_251;(Schwarz/Weiß)\nAlgorithmus -HISTORY_MSG_252;(Detailebenenkontrast)\nHautfarbtöne schützen -HISTORY_MSG_253;(Detailebenenkontrast)\nArtefakte reduzieren -HISTORY_MSG_254;(Detailebenenkontrast)\nHautfarbton -HISTORY_MSG_255;(Rauschreduzierung)\nMedianfilter -HISTORY_MSG_256;(Rauschreduzierung)\nMedianfilter - Mediantyp -HISTORY_MSG_257;(Farbanpassungen) -HISTORY_MSG_258;(Farbanpassungen)\nFarbkurve -HISTORY_MSG_259;(Farbanpassungen)\nDeckkraftkurve -HISTORY_MSG_260;(Farbanpassungen)\na*[b*]-Transparenz -HISTORY_MSG_261;(Farbanpassungen)\nMethode -HISTORY_MSG_262;(Farbanpassungen)\nb*-Transparenz -HISTORY_MSG_263;(Farbanpassungen)\nSchatten - Blau / Rot -HISTORY_MSG_264;(Farbanpassungen)\nSchatten - Cyan / Grün -HISTORY_MSG_265;(Farbanpassungen)\nSchatten - Gelb / Blau -HISTORY_MSG_266;(Farbanpassungen)\nMitten - Blau / Rot -HISTORY_MSG_267;(Farbanpassungen)\nMitten - Cyan / Grün -HISTORY_MSG_268;(Farbanpassungen)\nMitten - Gelb / Blau -HISTORY_MSG_269;(Farbanpassungen)\nLichter - Blau / Rot -HISTORY_MSG_270;(Farbanpassungen)\nLichter - Cyan / Grün -HISTORY_MSG_271;(Farbanpassungen)\nLichter - Gelb / Blau -HISTORY_MSG_272;(Farbanpassungen)\nFarbausgleich -HISTORY_MSG_273;(Farbanpassungen)\nFarbausgleich\nRegler zurücksetzen -HISTORY_MSG_274;(Farbanpassungen)\nSättigung Schatten -HISTORY_MSG_275;(Farbanpassungen)\nSättigung Lichter -HISTORY_MSG_276;(Farbanpassungen)\nDeckkraft -HISTORY_MSG_277;--unused-- -HISTORY_MSG_278;(Farbanpassungen)\nLuminanz schützen -HISTORY_MSG_279;(Farbanpassungen)\nSchatten -HISTORY_MSG_280;(Farbanpassungen)\nLichter -HISTORY_MSG_281;(Farbanpassungen)\nSättigung schützen\nIntensität -HISTORY_MSG_282;(Farbanpassungen)\nSättigung schützen\nSchwelle -HISTORY_MSG_283;(Farbanpassungen)\nIntensität -HISTORY_MSG_284;(Farbanpassungen)\nSättigung schützen\nAutomatisch -HISTORY_MSG_285;(Rauschreduzierung)\nMedianfilter - Methode -HISTORY_MSG_286;(Rauschreduzierung)\nMediantyp -HISTORY_MSG_287;(Rauschreduzierung)\nMedianfilter - Iterationen -HISTORY_MSG_288;(Weißbild)\nKontrolle zu heller Bereiche -HISTORY_MSG_289;(Weißbild)\nAuto-Kontrolle zu\nheller Bereiche -HISTORY_MSG_290;(Sensor-Matrix)\nSchwarzpunkt - Rot -HISTORY_MSG_291;(Sensor-Matrix)\nSchwarzpunkt - Grün -HISTORY_MSG_292;(Sensor-Matrix)\nSchwarzpunkt - Blau -HISTORY_MSG_293;(Filmsimulation) -HISTORY_MSG_294;(Filmsimulation)\nIntensität -HISTORY_MSG_295;(Filmsimulation) - Film -HISTORY_MSG_296;(Rauschreduzierung)\nLuminanzkurve -HISTORY_MSG_297;(Rauschreduzierung)\nModus -HISTORY_MSG_298;(Vorverarbeitung)\nDead-Pixel-Filter -HISTORY_MSG_299;(Rauschreduzierung)\nChrominanzkurve -HISTORY_MSG_300;- -HISTORY_MSG_301;(Rauschreduzierung)\nLuminanzkontrolle -HISTORY_MSG_302;(Rauschreduzierung)\nChrominanz - Methode -HISTORY_MSG_303;(Rauschreduzierung)\nChrominanz - Methode -HISTORY_MSG_304;(Wavelet)\nKontrastebenen -HISTORY_MSG_305;(Wavelet) -HISTORY_MSG_306;(Wavelet) - Einstellungen\nVerarbeitungsebene -HISTORY_MSG_307;(Wavelet) - Einstellungen\nVerarbeitung -HISTORY_MSG_308;(Wavelet) - Einstellungen\nVerarbeitungsrichtung -HISTORY_MSG_309;(Wavelet)\nKantenschärfung\nDetails -HISTORY_MSG_310;(Wavelet) - Restbild\nHimmelsfarbtöne\nschützen -HISTORY_MSG_311;(Wavelet) - Einstellungen\nAnzahl der Ebenen -HISTORY_MSG_312;(Wavelet) - Restbild\nSchatten Schwelle -HISTORY_MSG_313;(Wavelet) - Farbe\nEbenengrenze -HISTORY_MSG_314;(Wavelet) - Gamut\nArtefakte reduzieren -HISTORY_MSG_315;(Wavelet) - Restbild\nKontrast -HISTORY_MSG_316;(Wavelet) - Gamut\nHautfarbtöne schützen -HISTORY_MSG_317;(Wavelet) - Gamut\nHautfarbton -HISTORY_MSG_318;(Wavelet) - Kontrast\nLichterebenen -HISTORY_MSG_319;(Wavelet) - Kontrast\nLichter-Luminanzbereich -HISTORY_MSG_320;(Wavelet) - Kontrast\nSchatten-Luminanzbereich -HISTORY_MSG_321;(Wavelet) - Kontrast\nSchattenebenen -HISTORY_MSG_322;(Wavelet) - Gamut\nFarbverschiebungen\nvermeiden -HISTORY_MSG_323;(Wavelet)\nKantenschärfung\nLokale Kontrastkurve -HISTORY_MSG_324;(Wavelet) - Farbe\nPastellfarben -HISTORY_MSG_325;(Wavelet) - Farbe\nGesättigte Farben -HISTORY_MSG_326;(Wavelet) - Farbe\nChrominanzethode -HISTORY_MSG_327;(Wavelet) - Kontrast\nAnwenden auf -HISTORY_MSG_328;(Wavelet) - Farbe\nFarb-Kontrast-\nVerknüpfung -HISTORY_MSG_329;(Wavelet) - Tönung\nDeckkraft Rot / Grün -HISTORY_MSG_330;(Wavelet) - Tönung\nDeckkraft Blau / Gelb -HISTORY_MSG_331;(Wavelet)\nKontrastebenen\nExtra -HISTORY_MSG_332;(Wavelet)- -Einstellungen\nKachelgröße -HISTORY_MSG_333;(Wavelet) - Restbild\nSchatten -HISTORY_MSG_334;(Wavelet) - Restbild\nBuntheit -HISTORY_MSG_335;(Wavelet) - Restbild\nLichter -HISTORY_MSG_336;(Wavelet) - Restbild\nLichter Schwelle -HISTORY_MSG_337;(Wavelet) - Restbild\nHimmelsfarbton -HISTORY_MSG_338;(Wavelet)\nKantenschärfung\nRadius -HISTORY_MSG_339;(Wavelet)\nKantenschärfung\nIntensität -HISTORY_MSG_340;(Wavelet) - Einstellungen\nIntensität -HISTORY_MSG_341;(Wavelet) - Einstellungen\nKantenperformance -HISTORY_MSG_342;(Wavelet)\nKantenschärfung\nErste Ebene -HISTORY_MSG_343;(Wavelet) - Farbe\nFarbebenen -HISTORY_MSG_344;(Wavelet)\nFarbmethode\nRegler/Kurve -HISTORY_MSG_345;(Wavelet)\nKantenschärfung\nLokaler Kontrast -HISTORY_MSG_346;(Wavelet)\nKantenschärfung\nLokale Kontrastmethode -HISTORY_MSG_347;(Wavelet)\nRauschreduzierung\nEbene 1 -HISTORY_MSG_348;(Wavelet)\nRauschreduzierung\nEbene 2 -HISTORY_MSG_349;(Wavelet)\nRauschreduzierung\nEbene 3 -HISTORY_MSG_350;(Wavelet)\nKantenschärfung\nKantenerkennung -HISTORY_MSG_351;(Wavelet) - Restbild\nHH-Kurve -HISTORY_MSG_352;(Wavelet) - Einstellungen\nHintergrund -HISTORY_MSG_353;(Wavelet)\nKantenschärfung\nGradientenempfindlichkeit -HISTORY_MSG_354;(Wavelet)\nKantenschärfung\nErweiterter Algorithmus -HISTORY_MSG_355;(Wavelet)\nKantenschärfung\nSchwelle niedrig -HISTORY_MSG_356;(Wavelet)\nKantenschärfung\nSchwelle hoch -HISTORY_MSG_357;(Wavelet)\nRauschreduzierung\nSchärfung verknüpfen -HISTORY_MSG_358;(Wavelet) - Gamut\nKontrastkurve -HISTORY_MSG_359;(Vorverarbeitung)\nHot / Dead-Pixel-Filter\nSchwelle -HISTORY_MSG_360;(Tonwertkorrektur)\nGamma -HISTORY_MSG_361;(Wavelet) - Endretusche\nFarbausgleich -HISTORY_MSG_362;(Wavelet) - Restbild\nKompression -HISTORY_MSG_363;(Wavelet) - Restbild\nKompression - Intensität -HISTORY_MSG_364;(Wavelet) - Endretusche\nKontrastausgleich -HISTORY_MSG_365;(Wavelet) - Endretusche\nDelta-Kontrastausgleich -HISTORY_MSG_366;(Wavelet) - Restbild\nGammakompression -HISTORY_MSG_367;(Wavelet) - Endretusche\n"Danach"-Kontrastkurve -HISTORY_MSG_368;(Wavelet) - Endretusche\nKontrastausgleichskurve -HISTORY_MSG_369;(Wavelet) - Endretusche\nKontrastmethode -HISTORY_MSG_370;(Wavelet) - Endretusche\nLokale Kontrastkurve -HISTORY_MSG_371;(Skalieren) - Schärfen -HISTORY_MSG_372;(Skalieren) - Schärfen\nUSM - Radius -HISTORY_MSG_373;(Skalieren) - Schärfen\nUSM - Intensität -HISTORY_MSG_374;(Skalieren) - Schärfen\nUSM - Schwelle -HISTORY_MSG_375;(Skalieren) - Schärfen\nUSM - Nur Kanten\nschärfen -HISTORY_MSG_376;(Skalieren) - Schärfen\nUSM - Kantenschärfung\nRadius -HISTORY_MSG_377;(Skalieren) - Schärfen\nUSM - Kantentoleranz -HISTORY_MSG_378;(Skalieren) - Schärfen\nUSM - Halokontrolle -HISTORY_MSG_379;(Skalieren) - Schärfen\nUSM - Halokontrolle\nIntensität -HISTORY_MSG_380;(Skalieren) - Schärfen\nMethode -HISTORY_MSG_381;(Skalieren) - Schärfen\nRLD - Radius -HISTORY_MSG_382;(Skalieren) - Schärfen\nRLD - Intensität -HISTORY_MSG_383;(Skalieren) - Schärfen\nRLD - Dämpfung -HISTORY_MSG_384;(Skalieren) - Schärfen\nRLD - Iterationen -HISTORY_MSG_385;(Wavelet) - Restbild\nFarbausgleich -HISTORY_MSG_386;(Wavelet) - Restbild\nFarbausgleich\nLichter Grün / Cyan -HISTORY_MSG_387;(Wavelet) - Restbild\nFarbausgleich\nLichter Blau / Gelb -HISTORY_MSG_388;(Wavelet) - Restbild\nFarbausgleich\nMitten Grün / Cyan -HISTORY_MSG_389;(Wavelet) - Restbild\nFarbausgleich\nMitten Blau / Gelb -HISTORY_MSG_390;(Wavelet) - Restbild\nFarbausgleich\nSchatten Grün / Cyan -HISTORY_MSG_391;(Wavelet) - Restbild\nFarbausgleich\nSchatten Blau / Gelb -HISTORY_MSG_392;(Wavelet) - Restbild\nFarbausgleich -HISTORY_MSG_393;(Farbmanagement)\nEingangsfarbprofil\nDCP - Look-Tabelle -HISTORY_MSG_394;(Farbmanagement)\nEingangsfarbprofil\nDCP - Basisbelichtung -HISTORY_MSG_395;(Farbmanagement)\nEingangsfarbprofil\nDCP - Basistabelle -HISTORY_MSG_396;(Wavelet) - Kontrast -HISTORY_MSG_397;(Wavelet) - Farbe -HISTORY_MSG_398;(Wavelet)\nKantenschärfung -HISTORY_MSG_399;(Wavelet) - Restbild -HISTORY_MSG_400;(Wavelet) - Endretusche -HISTORY_MSG_401;(Wavelet) - Tönung -HISTORY_MSG_402;(Wavelet)\nRauschreduzierung -HISTORY_MSG_403;(Wavelet)\nKantenschärfung\nKantenempfindlichkeit -HISTORY_MSG_404;(Wavelet)\nKantenschärfung\nGrundverstärkung -HISTORY_MSG_405;(Wavelet)\nRauschreduzierung\nEbene 4 -HISTORY_MSG_406;(Wavelet)\nKantenschärfung\nBenachbarte Pixel -HISTORY_MSG_407;(Retinex) - Methode -HISTORY_MSG_408;(Retinex) - Radius -HISTORY_MSG_409;(Retinex) - Einstellungen\nKontrast -HISTORY_MSG_410;(Retinex) - Einstellungen\nVerstärkung und Ausgleich\nAusgleich -HISTORY_MSG_411;(Retinex) - Intensität -HISTORY_MSG_412;(Retinex) - Einstellungen\nDynamikkompression\nGaußscher Gradient -HISTORY_MSG_413;(Retinex) - Kontrast -HISTORY_MSG_414;(Retinex) - Einstellungen\nKorrekturen\nLuminanz(L) - L*a*b* -HISTORY_MSG_415;(Retinex) - Einstellungen\nTransmission\nTransmissionskurve -HISTORY_MSG_416;(Retinex) -HISTORY_MSG_417;(Retinex) - Einstellungen\nTransmission\nMedianfilter -HISTORY_MSG_418;(Retinex) - Einstellungen\nTransmission\nSchwelle -HISTORY_MSG_419;(Retinex) - Farbraum -HISTORY_MSG_420;(Retinex) - Einstellungen\nHSL-Kurve -HISTORY_MSG_421;(Retinex) - Einstellungen\nKorrekturen\nGammakorrektur -HISTORY_MSG_422;(Retinex) - Einstellungen\nGamma -HISTORY_MSG_423;(Retinex) - Einstellungen\nGammasteigung -HISTORY_MSG_424;(Retinex) - Einstellungen\nHL-Schwelle -HISTORY_MSG_425;(Retinex) - Einstellungen\nBasis-Logarithmus -HISTORY_MSG_426;(Retinex) - Einstellungen\nKorrekturen - Farbton (H) -HISTORY_MSG_427;(Farbmanagement)\nAusgabeprofil\nRendering-Intent -HISTORY_MSG_428;Monitor-Rendering-Intent -HISTORY_MSG_429;(Retinex) - Einstellungen\nDynamikkompression\nIterationen -HISTORY_MSG_430;(Retinex) - Einstellungen\nDynamikkompression\nTransmission Gradient -HISTORY_MSG_431;(Retinex) - Einstellungen\nDynamikkompression\nIntensität Gradient -HISTORY_MSG_432;(Retinex) - Maske\nLichter -HISTORY_MSG_433;(Retinex) - Maske\nTonwertbreite Lichter -HISTORY_MSG_434;(Retinex) - Maske\nSchatten -HISTORY_MSG_435;(Retinex) - Maske\nTonwertbreite Schatten -HISTORY_MSG_436;(Retinex) - Maske\nRadius -HISTORY_MSG_437;(Retinex) - Maske\nMethode -HISTORY_MSG_438;(Retinex) - Maske\nKurve -HISTORY_MSG_439;(Retinex) - Vorschau -HISTORY_MSG_440;(Detailebenenkontrast)\nProzessreihenfolge -HISTORY_MSG_441;(Retinex) - Einstellungen\nVerstärkung und Ausgleich\nTransmissionsverstärkung -HISTORY_MSG_442;(Retinex) - Einstellungen\nTransmission - Skalierung -HISTORY_MSG_443;(Farbmanagement)\nAusgabeprofil\nSchwarzpunkt-Kompensation -HISTORY_MSG_444;(Weißabgleich)\nAWB-Temperatur-Korrektur -HISTORY_MSG_445;(Sensor-Matrix)\nFarbinterpolation\nUnterbild -HISTORY_MSG_449;(Sensor-Matrix)\nFarbinterpolation - PS\nISO-Anpassung -HISTORY_MSG_452;(Sensor-Matrix)\nFarbinterpolation - PS\nBewegungsmaske\nanzeigen -HISTORY_MSG_453;(Sensor-Matrix)\nFarbinterpolation - PS\nNur Maske anzeigen -HISTORY_MSG_457;(Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Rot/Blau-\nKanal erkennen -HISTORY_MSG_462;(Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Grün-\nKanal erkennen -HISTORY_MSG_464;(Sensor-Matrix)\nFarbinterpolation - PS\nUnschärfebewegungsmaske -HISTORY_MSG_465;(Sensor-Matrix)\nFarbinterpolation - PS\nUnschärferadius -HISTORY_MSG_468;(Sensor-Matrix)\nFarbinterpolation - PS\nLücken in der Bewegungs-\nmaske erkennen -HISTORY_MSG_469;(Sensor-Matrix)\nFarbinterpolation - PS\nMedian -HISTORY_MSG_471;(Sensor-Matrix)\nFarbinterpolation - PS\nBewegungskorrektur -HISTORY_MSG_472;(Sensor-Matrix)\nFarbinterpolation - PS\nWeicher Übergang -HISTORY_MSG_473;(Sensor-Matrix)\nFarbinterpolation - PS\nLMMSE für Bewegungs-\nteile verwenden -HISTORY_MSG_474;(Sensor-Matrix)\nFarbinterpolation - PS\nFrame-Helligkeit angleichen -HISTORY_MSG_475;(Sensor-Matrix)\nFarbinterpolation - PS\nAusgleich pro Kanal -HISTORY_MSG_476;(CIECAM02)\nBetrachtungsbed.\nFarbtemperatur -HISTORY_MSG_477;(CIECAM02)\nBetrachtungsbed.\nTönung -HISTORY_MSG_478;(CIECAM02)\nBetrachtungsbed.\nYb% (Ø Luminanz) -HISTORY_MSG_479;(CIECAM02)\nBetrachtungsbed.\nCAT02 Adaptation -HISTORY_MSG_480;(CIECAM02)\nBetrachtungsbed.\nAuto CAT02 Adaptation -HISTORY_MSG_481;(CIECAM02) - Szene\nFarbtemperatur -HISTORY_MSG_482;(CIECAM02) - Szene\nTönung -HISTORY_MSG_483;(CIECAM02) - Szene\nYb% (Ø Luminanz) -HISTORY_MSG_484;(CIECAM02) - Szene\nAuto Yb% -HISTORY_MSG_485;(Objektivkorrektur)\nProfil -HISTORY_MSG_486;(Objektivkorrektur)\nProfil - Kamera -HISTORY_MSG_487;(Objektivkorrektur)\nProfil - Objektiv -HISTORY_MSG_488;(Dynamikkompression) -HISTORY_MSG_489;(Dynamikkompression)\nDetails -HISTORY_MSG_490;(Dynamikkompression)\nIntensität -HISTORY_MSG_491;(Weißabgleich) -HISTORY_MSG_492;(RGB-Kurven) -HISTORY_MSG_493;(L*a*b*) -HISTORY_MSG_494;(Eingangsschärfung) -HISTORY_MSG_CLAMPOOG;(Belichtung) - Farben\nauf Farbraum beschränken -HISTORY_MSG_COLORTONING_LABGRID_VALUE;(Farbanpassungen)\nL*a*b*-Farbkorrektur -HISTORY_MSG_COLORTONING_LABREGION_AB;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich -HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Kanal -HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - C-Maske -HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - H-Maske -HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Helligkeit -HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - L-Maske -HISTORY_MSG_COLORTONING_LABREGION_LIST;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Liste -HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Maskenunschärfe -HISTORY_MSG_COLORTONING_LABREGION_OFFSET;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Versatz -HISTORY_MSG_COLORTONING_LABREGION_POWER;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Verstärkung -HISTORY_MSG_COLORTONING_LABREGION_SATURATION;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Sättigung -HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Maske anzeigen -HISTORY_MSG_COLORTONING_LABREGION_SLOPE;(Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Steigung -HISTORY_MSG_DEHAZE_DEPTH;(Bildschleier entfernen)\nTiefe -HISTORY_MSG_DEHAZE_ENABLED;(Bildschleier entfernen) -HISTORY_MSG_DEHAZE_LUMINANCE;(Bildschleier entfernen)\nNur Luminanz -HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;(Bildschleier entfernen)\nMaske anzeigen -HISTORY_MSG_DEHAZE_STRENGTH;(Bildschleier entfernen)\nIntensität +HISTORY_MSG_137;(RAW - Sensor-Matrix)\nSchwarzpunkt - Grün 1 +HISTORY_MSG_138;(RAW - Sensor-Matrix)\nSchwarzpunkt - Rot +HISTORY_MSG_139;(RAW - Sensor-Matrix)\nSchwarzpunkt - Blau +HISTORY_MSG_140;(RAW - Sensor-Matrix)\nSchwarzpunkt - Grün 2 +HISTORY_MSG_141;(RAW - Sensor-Matrix)\nSchwarzpunkt\nGrün-Werte angleichen +HISTORY_MSG_142;(Details - Kantenschärfung)\nIterationen +HISTORY_MSG_143;(Details - Kantenschärfung)\nIntensität +HISTORY_MSG_144;(Details - Mikrokontrast)\nIntensität +HISTORY_MSG_145;(Details - Mikrokontrast)\nGleichmäßigkeit +HISTORY_MSG_146;(Details - Kantenschärfung) +HISTORY_MSG_147;(Details - Kantenschärfung)\nNur Luminanz +HISTORY_MSG_148;(Details - Mikrokontrast) +HISTORY_MSG_149;(Details - Mikrokontrast)\n3×3-Matrix +HISTORY_MSG_150;Artefakt-/Rauschred.\nNach Farbinterpolation +HISTORY_MSG_151;(Farbe - Dynamik) +HISTORY_MSG_152;(Farbe - Dynamik)\nPastelltöne +HISTORY_MSG_153;(Farbe - Dynamik)\nGesättigte Töne +HISTORY_MSG_154;(Farbe - Dynamik)\nHautfarbtöne schützen +HISTORY_MSG_155;(Farbe - Dynamik)\nFarbverschiebungen vermeiden +HISTORY_MSG_156;(Farbe - Dynamik)\nPastell- und gesättigte Töne koppeln +HISTORY_MSG_157;(Farbe - Dynamik)\nSchwelle: Pastell- / gesättigte Töne +HISTORY_MSG_158;(Belichtung - Tonwertkorrektur)\nIntensität +HISTORY_MSG_159;(Belichtung - Tonwertkorrektur)\nKantenschutz +HISTORY_MSG_160;(Belichtung - Tonwertkorrektur)\nFaktor +HISTORY_MSG_161;(Belichtung - Tonwertkorrektur)\nIterationen +HISTORY_MSG_162;(Belichtung - Tonwertkorrektur) +HISTORY_MSG_163;(Farbe - RGB-Kurven)\nRot +HISTORY_MSG_164;(Farbe - RGB-Kurven)\nGrün +HISTORY_MSG_165;(Farbe - RGB-Kurven)\nBlau +HISTORY_MSG_166;(Belichtung)\nZurücksetzen +HISTORY_MSG_167;(RAW - Sensor-Matrix)\nFarbinterpolation\nMethode +HISTORY_MSG_168;(Belichtung - L*a*b*)\nCC-Kurve +HISTORY_MSG_169;(Belichtung - L*a*b*)\nCH-Kurve +HISTORY_MSG_170;(Farbe - Dynamik)\nHH-Kurve +HISTORY_MSG_171;(Belichtung - L*a*b*)\nLC-Kurve +HISTORY_MSG_172;(Belichtung - L*a*b*)\nLC-Kurve beschränken +HISTORY_MSG_173;(Details - Rauschreduzierung)\nLuminanzdetails +HISTORY_MSG_174;(Erweitert - CIECAM) +HISTORY_MSG_175;(Erweitert - CIECAM)\nSzene\nCAT02/16-Adaptation +HISTORY_MSG_176;(Erweitert - CIECAM)\nBetrachtungsbed.\nUmgebung +HISTORY_MSG_177;(Erweitert - CIECAM)\nSzene\nLeuchtdichte +HISTORY_MSG_178;(Erweitert - CIECAM)\nBetrachtungsbed.\nLeuchtdichte +HISTORY_MSG_179;(Erweitert - CIECAM)\nSzene\nWeißpunktmodell +HISTORY_MSG_180;(Erweitert - CIECAM)\nBildanpassungen\nHelligkeit (J) +HISTORY_MSG_181;(Erweitert - CIECAM)\nBildanpassungen\nBuntheit (H) +HISTORY_MSG_182;(Erweitert - CIECAM)\nSzene\nCAT02/16-Automatisch +HISTORY_MSG_183;(Erweitert - CIECAM)\nBildanpassungen\nKontrast (J) +HISTORY_MSG_184;(Erweitert - CIECAM)\nSzene\nDunkle Umgebung +HISTORY_MSG_185;(Erweitert - CIECAM)\nBetrachtungsbed.\nGamutkontrolle +HISTORY_MSG_186;(Erweitert - CIECAM)\nAlgorithmus +HISTORY_MSG_187;(Erweitert - CIECAM)\nBildanpassungen\nHautfarbtöne schützen +HISTORY_MSG_188;(Erweitert - CIECAM)\nHelligkeit (Q) +HISTORY_MSG_189;(Erweitert - CIECAM)\nKontrast (Q) +HISTORY_MSG_190;(Erweitert - CIECAM)\nSättigung (S) +HISTORY_MSG_191;(Erweitert - CIECAM)\nFarbigkeit (M) +HISTORY_MSG_192;(Erweitert - CIECAM)\nFarbton (H) +HISTORY_MSG_193;(Erweitert - CIECAM)\nTonwertkurve 1 +HISTORY_MSG_194;(Erweitert - CIECAM)\nTonwertkurve 2 +HISTORY_MSG_195;(Erweitert - CIECAM)\nTonwertkurve 1 - Modus +HISTORY_MSG_196;(Erweitert - CIECAM)\nTonwertkurve 2 - Modus +HISTORY_MSG_197;(Erweitert - CIECAM)\nFarbkurve +HISTORY_MSG_198;(Erweitert - CIECAM)\nFarbkurve\nModus +HISTORY_MSG_199;(Erweitert - CIECAM)\nAusgabe-Histogramm in Kurven anzeigen +HISTORY_MSG_200;(Erweitert - CIECAM)\nTonwertkorrektur +HISTORY_MSG_201;(Details - Rauschreduzierung)\nDelta-Chrominanz\nRot/Grün +HISTORY_MSG_202;(Details - Rauschreduzierung)\nDelta-Chrominanz\nBlau/Gelb +HISTORY_MSG_203;(Details - Rauschreduzierung)\nFarbraum +HISTORY_MSG_204;(RAW - Sensor-Matrix)\nFarbinterpolation\nLMMSE-Verbesserung +HISTORY_MSG_205;(Erweitert - CIECAM)\nBetrachtungsbed.\nHot-/Dead-Pixelfilter +HISTORY_MSG_206;(Erweitert - CIECAM)\nSzene\nAuto-Luminanz +HISTORY_MSG_207;(Details - Farbsaum entfernen)\nFarbtonkurve +HISTORY_MSG_208;(Farbe - Weißabgleich)\nBlau/Rot-Korrektur +HISTORY_MSG_210;(Belichtung - Grauverlaufsfilter)\nRotationswinkel +HISTORY_MSG_211;(Belichtung - Grauverlaufsfilter) +HISTORY_MSG_212;(Belichtung - Vignettierungsfilter)\nIntensität +HISTORY_MSG_213;(Belichtung - Vignettierungsfilter) +HISTORY_MSG_214;(Farbe - Schwarz/Weiß) +HISTORY_MSG_215;(Farbe - Schwarz/Weiß)\nKanalmixer -Rot +HISTORY_MSG_216;(Farbe - Schwarz/Weiß)\nKanalmixer - Grün +HISTORY_MSG_217;(Farbe - Schwarz/Weiß)\nKanalmixer - Blau +HISTORY_MSG_218;(Farbe - Schwarz/Weiß)\nGamma - Rot +HISTORY_MSG_219;(Farbe - Schwarz/Weiß)\nGamma - Grün +HISTORY_MSG_220;(Farbe - Schwarz/Weiß)\nGamma - Blau +HISTORY_MSG_221;(Farbe - Schwarz/Weiß)\nFarbfilter +HISTORY_MSG_222;(Farbe - Schwarz/Weiß)\nVoreinstellung +HISTORY_MSG_223;(Farbe - Schwarz/Weiß)\nKanalmixer - Orange +HISTORY_MSG_224;(Farbe - Schwarz/Weiß)\nKanalmixer - Gelb +HISTORY_MSG_225;(Farbe - Schwarz/Weiß)\nKanalmixer - Cyan +HISTORY_MSG_226;(Farbe - Schwarz/Weiß)\nKanalmixer - Magenta +HISTORY_MSG_227;(Farbe - Schwarz/Weiß)\nKanalmixer - Violett +HISTORY_MSG_228;(Farbe - Schwarz/Weiß)\nLuminanz-Equalizer +HISTORY_MSG_229;(Farbe - Schwarz/Weiß)\nLuminanz-Equalizer +HISTORY_MSG_230;(Farbe - Schwarz/Weiß)\nMethode +HISTORY_MSG_231;(Farbe - Schwarz/Weiß)\n'Bevor'-Kurve +HISTORY_MSG_232;(Farbe - Schwarz/Weiß)\n'Bevor'-Kurventyp +HISTORY_MSG_233;(Farbe - Schwarz/Weiß)\n'Danach'-Kurve +HISTORY_MSG_234;(Farbe - Schwarz/Weiß)\n'Danach'-Kurventyp +HISTORY_MSG_235;(Farbe - Schwarz/Weiß)\nKanalmixer Automatisch +HISTORY_MSG_236;--nicht verwendet-- +HISTORY_MSG_237;(Farbe - Schwarz/Weiß)\nKanalmixer +HISTORY_MSG_238;(Belichtung - Grauverlaufsfilter)\nBereich +HISTORY_MSG_239;(Belichtung - Grauverlaufsfilter)\nIntensität +HISTORY_MSG_240;(Belichtung - Grauverlaufsfilter)\nRotationsachsen +HISTORY_MSG_241;(Belichtung - Vignettierungsfilter)\nBereich +HISTORY_MSG_242;(Belichtung - Vignettierungsfilter)\nForm +HISTORY_MSG_243;(Transformieren - Objektivkorrektur)\nVignettierung - Radius +HISTORY_MSG_244;(Transformieren - Objektivkorrektur)\nVignettierung - Faktor +HISTORY_MSG_245;(Transformieren - Objektivkorrektur)\nVignettierung - Zentrum +HISTORY_MSG_246;(Belichtung - L*a*b*)\nCL-Kurve +HISTORY_MSG_247;(Belichtung - L*a*b*)\nLH-Kurve +HISTORY_MSG_248;(Belichtung - L*a*b*)\nHH-Kurve +HISTORY_MSG_249;(Details - Detailebenenkontrast)\nSchwelle +HISTORY_MSG_251;(Farbe - Schwarz/Weiß)\nAlgorithmus +HISTORY_MSG_252;(Details - Detailebenenkontrast)\nHautfarbtöne schützen +HISTORY_MSG_253;(Details - Detailebenenkontrast)\nArtefakte reduzieren +HISTORY_MSG_254;(Details - Detailebenenkontrast)\nHautfarbton +HISTORY_MSG_255;(Details - Rauschreduzierung)\nMedianfilter +HISTORY_MSG_256;(Details - Rauschreduzierung)\nMedianfilter - Mediantyp +HISTORY_MSG_257;(Farbe - Farbanpassungen) +HISTORY_MSG_258;(Farbe - Farbanpassungen)\nFarbkurve +HISTORY_MSG_259;(Farbe - Farbanpassungen)\nDeckkraftkurve +HISTORY_MSG_260;(Farbe - Farbanpassungen)\na*[b*]-Transparenz +HISTORY_MSG_261;(Farbe - Farbanpassungen)\nMethode +HISTORY_MSG_262;(Farbe - Farbanpassungen)\nb*-Transparenz +HISTORY_MSG_263;(Farbe - Farbanpassungen)\nSchatten - Blau/Rot +HISTORY_MSG_264;(Farbe - Farbanpassungen)\nSchatten - Cyan/Grün +HISTORY_MSG_265;(Farbe - Farbanpassungen)\nSchatten - Gelb/Blau +HISTORY_MSG_266;(Farbe - Farbanpassungen)\nMitten - Blau / Rot +HISTORY_MSG_267;(Farbe - Farbanpassungen)\nMitten - Cyan/Grün +HISTORY_MSG_268;(Farbe - Farbanpassungen)\nMitten - Gelb/Blau +HISTORY_MSG_269;(Farbe - Farbanpassungen)\nLichter - Blau/Rot +HISTORY_MSG_270;(Farbe - Farbanpassungen)\nLichter - Cyan/Grün +HISTORY_MSG_271;(Farbe - Farbanpassungen)\nLichter - Gelb/Blau +HISTORY_MSG_272;(Farbe - Farbanpassungen)\nFarbausgleich +HISTORY_MSG_273;(Farbe - Farbanpassungen)\nFarbausgleich\nRegler zurücksetzen +HISTORY_MSG_276;(Farbe - Farbanpassungen)\nDeckkraft +HISTORY_MSG_277;--nicht verwendet-- +HISTORY_MSG_278;(Farbe - Farbanpassungen)\nLuminanz schützen +HISTORY_MSG_279;(Farbe - Farbanpassungen)\nSchatten +HISTORY_MSG_280;(Farbe - Farbanpassungen)\nLichter +HISTORY_MSG_281;(Farbe - Farbanpassungen)\nSättigung schützen\nIntensität +HISTORY_MSG_282;(Farbe - Farbanpassungen)\nSättigung schützen\nSchwelle +HISTORY_MSG_283;(Farbe - Farbanpassungen)\nIntensität +HISTORY_MSG_284;(Farbe - Farbanpassungen)\nSättigung schützen\nAutomatisch +HISTORY_MSG_285;(Details - Rauschreduzierung)\nMedianfilter - Methode +HISTORY_MSG_286;(Details - Rauschreduzierung)\nMediantyp +HISTORY_MSG_287;(Details - Rauschreduzierung)\nMedianfilter - Iterationen +HISTORY_MSG_288;(RAW - Weißbild)\nKontrolle zu heller Bereiche +HISTORY_MSG_289;(RAW - Weißbild)\nAuto-Kontrolle zu heller Bereiche +HISTORY_MSG_290;(RAW - Sensor-Matrix)\nSchwarzpunkt - Rot +HISTORY_MSG_291;(RAW - Sensor-Matrix)\nSchwarzpunkt - Grün +HISTORY_MSG_292;(RAW - Sensor-Matrix)\nSchwarzpunkt - Blau +HISTORY_MSG_293;(Farbe - Filmsimulation) +HISTORY_MSG_294;(Farbe - Filmsimulation)\nIntensität +HISTORY_MSG_295;(Farbe - Filmsimulation) - Film +HISTORY_MSG_296;(Details - Rauschreduzierung)\nLuminanzkurve +HISTORY_MSG_297;(Details - Rauschreduzierung)\nModus +HISTORY_MSG_298;(RAW - Vorverarbeitung)\nDead-Pixel-Filter +HISTORY_MSG_299;(Details - Rauschreduzierung)\nChrominanzkurve +HISTORY_MSG_301;(Details - Rauschreduzierung)\nLuminanzkontrolle +HISTORY_MSG_302;(Details - Rauschreduzierung)\nChrominanz - Methode +HISTORY_MSG_303;(Details - Rauschreduzierung)\nChrominanz - Methode +HISTORY_MSG_304;(Erweitert - Wavelet)\nKontrastebenen +HISTORY_MSG_305;(Erweitert - Wavelet) +HISTORY_MSG_306;(Erweitert - Wavelet)\nEinstellungen\nVerarbeitungsebene +HISTORY_MSG_307;(Erweitert - Wavelet)\nEinstellungen\nVerarbeitung +HISTORY_MSG_308;(Erweitert - Wavelet)\nEinstellungen\nVerarbeitungsrichtung +HISTORY_MSG_309;(Erweitert - Wavelet)\nKantenschärfung\nDetails +HISTORY_MSG_310;(Erweitert - Wavelet)\nRestbild - Chroma\nHimmelsfarbtöne schützen +HISTORY_MSG_311;(Erweitert - Wavelet)\nEinstellungen\nAnzahl der Ebenen +HISTORY_MSG_312;(Erweitert - Wavelet)\nRestbild - Schatten/Lichter\nSchwelle Schatten +HISTORY_MSG_313;(Erweitert - Wavelet)\nFarbe\nEbenengrenze +HISTORY_MSG_314;(Erweitert - Wavelet)\nGamut\nArtefakte reduzieren +HISTORY_MSG_315;(Erweitert - Wavelet)\nRestbild - Kompression\nKontrast +HISTORY_MSG_316;(Erweitert - Wavelet)\nGamut\nHautfarbtöne schützen +HISTORY_MSG_317;(Erweitert - Wavelet)\nGamut\nHautfarbton +HISTORY_MSG_318;(Erweitert - Wavelet)\nKontrast\nLichterebenen +HISTORY_MSG_319;(Erweitert - Wavelet)\nKontrast\nLichter-Luminanzbereich +HISTORY_MSG_320;(Erweitert - Wavelet)\nKontrast\nSchatten-Luminanzbereich +HISTORY_MSG_321;(Erweitert - Wavelet)\nKontrast\nSchattenebenen +HISTORY_MSG_322;(Erweitert - Wavelet)\nGamut\nFarbverschiebungen vermeiden +HISTORY_MSG_323;(Erweitert - Wavelet)\nKantenschärfung\nLokale Kontrastkurve +HISTORY_MSG_324;(Erweitert - Wavelet)\nFarbe\nPastellfarben +HISTORY_MSG_325;(Erweitert - Wavelet)\nFarbe\nGesättigte Farben +HISTORY_MSG_326;(Erweitert - Wavelet)\nFarbe\nChrominanzmethode +HISTORY_MSG_327;(Erweitert - Wavelet)\nKontrast\nAnwenden auf +HISTORY_MSG_328;(Erweitert - Wavelet)\nFarbe\nFarb-Kontrast-\nVerknüpfung +HISTORY_MSG_329;(Erweitert - Wavelet)\nTönung\nDeckkraft Rot/Grün +HISTORY_MSG_330;(Erweitert - Wavelet)\nTönung\nDeckkraft Blau/Gelb +HISTORY_MSG_331;(Erweitert - Wavelet)\nKontrastebenen +HISTORY_MSG_332;(Erweitert - Wavelet)\nEinstellungen\nKachelgröße +HISTORY_MSG_333;(Erweitert - Wavelet)\nRestbild - Schatten/Lichter\nSchatten +HISTORY_MSG_334;(Erweitert - Wavelet)\nRestbild - Chroma\nBuntheit +HISTORY_MSG_335;(Erweitert - Wavelet)\nRestbild - Schatten/Lichter\nLichter +HISTORY_MSG_336;(Erweitert - Wavelet)\nRestbild - Schatten/Lichter\nSchwelle Lichter +HISTORY_MSG_337;(Erweitert - Wavelet)\nRestbild - Chroma\nHimmelsfarbton +HISTORY_MSG_338;(Erweitert - Wavelet)\nKantenschärfung\nRadius +HISTORY_MSG_339;(Erweitert - Wavelet)\nKantenschärfung\nIntensität +HISTORY_MSG_340;(Erweitert - Wavelet)\nEinstellungen\nIntensität +HISTORY_MSG_341;(Erweitert - Wavelet)\nEinstellungen\nKantenperformance +HISTORY_MSG_342;(Erweitert - Wavelet)\nKantenschärfung\nErste Ebene +HISTORY_MSG_343;(Erweitert - Wavelet)\nFarbe\nFarbebenen +HISTORY_MSG_344;(Erweitert - Wavelet)\nFarbmethode\nRegler/Kurve +HISTORY_MSG_345;(Erweitert - Wavelet)\nKantenschärfung\nLokaler Kontrast +HISTORY_MSG_346;(Erweitert - Wavelet)\nKantenschärfung\nLokale Kontrastmethode +HISTORY_MSG_347;(Erweitert - Wavelet)\nRauschreduzierung\nEbene 1 +HISTORY_MSG_348;(Erweitert - Wavelet)\nRauschreduzierung\nEbene 2 +HISTORY_MSG_349;(Erweitert - Wavelet)\nRauschreduzierung\nEbene 3 +HISTORY_MSG_350;(Erweitert - Wavelet)\nKantenschärfung\nKantenerkennung +HISTORY_MSG_351;(Erweitert - Wavelet)\nRestbild\nHH-Kurve +HISTORY_MSG_352;(Erweitert - Wavelet)\nEinstellungen\nHintergrund +HISTORY_MSG_353;(Erweitert - Wavelet)\nKantenschärfung\nVerlaufsempfindlichkeit +HISTORY_MSG_354;(Erweitert - Wavelet)\nKantenschärfung\nErweiterter Algorithmus +HISTORY_MSG_355;(Erweitert - Wavelet)\nKantenschärfung\nSchwelle niedrig +HISTORY_MSG_356;(Erweitert - Wavelet)\nKantenschärfung\nSchwelle hoch +HISTORY_MSG_357;(Erweitert - Wavelet)\nRauschreduzierung\nMit K-Schärfe verbinden +HISTORY_MSG_358;(Erweitert - Wavelet)\nGamut\nKontrastkurve +HISTORY_MSG_359;(RAW - Vorverarbeitung)\nHot-/Dead-Pixel-Filter\nSchwelle +HISTORY_MSG_360;(Belichtung - Tonwertkorrektur)\nGamma +HISTORY_MSG_361;(Erweitert - Wavelet)\nEndretusche - Direktionaler Kontrast\nFarbausgleich +HISTORY_MSG_362;(Erweitert - Wavelet)\nRestbild\nKompression +HISTORY_MSG_363;(Erweitert - Wavelet)\nRestbild - Kompression\nIntensität +HISTORY_MSG_364;(Erweitert - Wavelet)\nEndretusche - Direktionaler Kontrast\nKontrastausgleich +HISTORY_MSG_365;(Erweitert - Wavelet)\nEndretusche - Direktionaler Kontrast\nDelta-Kontrastausgleich +HISTORY_MSG_366;(Erweitert - Wavelet)\nRestbild - Kompression\nGamma +HISTORY_MSG_367;(Erweitert - Wavelet)\nEndretusche - finaler lokaler Kontrast\n'Danach'-Kontrastkurve +HISTORY_MSG_368;(Erweitert - Wavelet)\nEndretusche\nKontrastausgleichskurve +HISTORY_MSG_369;(Erweitert - Wavelet)\nEndretusche\nKontrastmethode +HISTORY_MSG_370;(Erweitert - Wavelet)\nEndretusche\nLokale Kontrastkurve +HISTORY_MSG_371;(Transformieren - Skalieren)\nSchärfen +HISTORY_MSG_372;(Transformieren - Skalieren)\nSchärfen\nUSM - Radius +HISTORY_MSG_373;(Transformieren - Skalieren)\nSchärfen\nUSM - Intensität +HISTORY_MSG_374;(Transformieren - Skalieren)\nSchärfen\nUSM - Schwelle +HISTORY_MSG_375;(Transformieren - Skalieren)\nSchärfen\nUSM - Nur Kanten schärfen +HISTORY_MSG_376;(Transformieren - Skalieren)\nSchärfen\nUSM - Kantenschärfung\nRadius +HISTORY_MSG_377;(Transformieren - Skalieren)\nSchärfen\nUSM - Kantentoleranz +HISTORY_MSG_378;(Transformieren - Skalieren)\nSchärfen\nUSM - Halokontrolle +HISTORY_MSG_379;(Transformieren - Skalieren)\nSchärfen\nUSM - Halokontrolle\nIntensität +HISTORY_MSG_380;(Transformieren - Skalieren)\nSchärfen\nMethode +HISTORY_MSG_381;(Transformieren - Skalieren)\nSchärfen\nRLD - Radius +HISTORY_MSG_382;(Transformieren - Skalieren)\nSchärfen\nRLD - Intensität +HISTORY_MSG_383;(Transformieren - Skalieren)\nSchärfen\nRLD - Dämpfung +HISTORY_MSG_384;(Transformieren - Skalieren)\nSchärfen\nRLD - Iterationen +HISTORY_MSG_385;(Erweitert - Wavelet)\nRestbild - Farbausgleich +HISTORY_MSG_386;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nLichter Grün/Cyan +HISTORY_MSG_387;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nLichter Blau/Gelb +HISTORY_MSG_388;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nMitten Grün/Cyan +HISTORY_MSG_389;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nMitten Blau/Gelb +HISTORY_MSG_390;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nSchatten Grün/Cyan +HISTORY_MSG_391;(Erweitert - Wavelet)\nRestbild - Farbausgleich\nSchatten Blau/Gelb +HISTORY_MSG_392;(Erweitert - Wavelet)\nRestbild - Farbausgleich +HISTORY_MSG_393;(Farbe - Farbmanagement)\nEingangsfarbprofil\nDCP - Look-Tabelle +HISTORY_MSG_394;(Farbe - Farbmanagement)\nEingangsfarbprofil\nDCP - Basisbelichtung +HISTORY_MSG_395;(Farbe - Farbmanagement)\nEingangsfarbprofil\nDCP - Basistabelle +HISTORY_MSG_396;(Erweitert - Wavelet)\nKontrast +HISTORY_MSG_397;(Erweitert - Wavelet)\nFarbe +HISTORY_MSG_398;(Erweitert - Wavelet)\nKantenschärfung +HISTORY_MSG_399;(Erweitert - Wavelet)\nRestbild +HISTORY_MSG_400;(Erweitert - Wavelet)\nEndretusche +HISTORY_MSG_401;(Erweitert - Wavelet)\nTönung +HISTORY_MSG_402;(Erweitert - Wavelet)\nRauschreduzierung +HISTORY_MSG_403;(Erweitert - Wavelet)\nKantenschärfung\nKantenempfindlichkeit +HISTORY_MSG_404;(Erweitert - Wavelet)\nKantenschärfung\nGrundverstärkung +HISTORY_MSG_405;(Erweitert - Wavelet)\nRauschreduzierung\nEbene 4 +HISTORY_MSG_406;(Erweitert - Wavelet)\nKantenschärfung\nBenachbarte Pixel +HISTORY_MSG_407;(Erweitert - Retinex)\nMethode +HISTORY_MSG_408;(Erweitert - Retinex)\nRadius +HISTORY_MSG_410;(Erweitert - Retinex)\nEinstellungen\nVerstärkung und Versatz\nVersatz +HISTORY_MSG_411;(Erweitert - Retinex)\nIntensität +HISTORY_MSG_412;(Erweitert - Retinex)\nEinstellungen\nDynamikkompression\nGauß'scher Gradient +HISTORY_MSG_413;(Erweitert - Retinex)\nKontrast +HISTORY_MSG_414;(Erweitert - Retinex)\nEinstellungen\nKorrekturen\nLuminanz(L) - L*a*b* +HISTORY_MSG_415;(Erweitert - Retinex)\nEinstellungen\nÜbertragung\nÜbertragungskurve +HISTORY_MSG_416;(Erweitert - Retinex) +HISTORY_MSG_417;(Erweitert - Retinex)\nEinstellungen\nÜbertragung\nMedianfilter +HISTORY_MSG_418;(Erweitert - Retinex)\nEinstellungen\nÜbertragung\nSchwelle +HISTORY_MSG_419;(Erweitert - Retinex)\nFarbraum +HISTORY_MSG_420;(Erweitert - Retinex)\nEinstellungen\nHSL-Kurve +HISTORY_MSG_421;(Erweitert - Retinex)\nEinstellungen\nKorrekturen\nGammakorrektur +HISTORY_MSG_422;(Erweitert - Retinex)\nEinstellungen\nGamma +HISTORY_MSG_423;(Erweitert - Retinex)\nEinstellungen\nGammasteigung +HISTORY_MSG_424;(Erweitert - Retinex)\nEinstellungen\nHL-Schwelle +HISTORY_MSG_425;(Erweitert - Retinex)\nEinstellungen\nBasis-Logarithmus +HISTORY_MSG_426;(Erweitert - Retinex)\nEinstellungen\nKorrekturen - Farbton (H) +HISTORY_MSG_427;(Farbe - Farbmanagement)\nAusgabeprofil\nArt der Wiedergabe +HISTORY_MSG_428;Monitorbasierte Wiedergabe +HISTORY_MSG_429;(Erweitert - Retinex)\nEinstellungen\nDynamikkompression\nIterationen +HISTORY_MSG_430;(Erweitert - Retinex)\nEinstellungen\nDynamikkompression\nÜbertragungsgradient +HISTORY_MSG_431;(Erweitert - Retinex)\nEinstellungen\nDynamikkompression\nVerlaufsintensität +HISTORY_MSG_432;(Erweitert - Retinex)\nMaske\nLichter +HISTORY_MSG_433;(Erweitert - Retinex)\nMaske\nTonwertbreite Lichter +HISTORY_MSG_434;(Erweitert - Retinex)\nMaske\nSchatten +HISTORY_MSG_435;(Erweitert - Retinex)\nMaske\nTonwertbreite Schatten +HISTORY_MSG_436;(Erweitert - Retinex)\nMaske\nRadius +HISTORY_MSG_437;(Erweitert - Retinex)\nMaske\nMethode +HISTORY_MSG_438;(Erweitert - Retinex)\nMaske\nKurve +HISTORY_MSG_439;(Erweitert - Retinex)\nVorschau +HISTORY_MSG_440;(Details - Detailebenenkontrast)\nProzessreihenfolge +HISTORY_MSG_441;(Erweitert - Retinex)\nEinstellungen\nVerstärkung und Versatz\nÜbertragungsverstärkung +HISTORY_MSG_442;(Erweitert - Retinex)\nEinstellungen\nÜbertragung - Skalierung +HISTORY_MSG_443;(Farbe - Farbmanagement)\nAusgabeprofil\nSchwarzpunkt-Kompensation +HISTORY_MSG_444;(Farbe - Weißabgleich)\nAWB-Temperatur-Korrektur +HISTORY_MSG_445;(RAW - Sensor-Matrix)\nFarbinterpolation\nUnterbild +HISTORY_MSG_446;(EvPixelShift)\nBewegung +HISTORY_MSG_447;(EvPixelShift)\nBewegung - Korrektur +HISTORY_MSG_448;(EvPixelShiftStddev)\nFaktor Grün +HISTORY_MSG_449;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nISO-Anpassung +HISTORY_MSG_450;(EvPixelShift)\nNreadIso +HISTORY_MSG_451;(EvPixelShift)\nPrnu +HISTORY_MSG_452;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegungsmaske anzeigen +HISTORY_MSG_453;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nNur Maske anzeigen +HISTORY_MSG_454;(EvPixelShift)\nAutomatisch +HISTORY_MSG_455;(EvPixelShift)\nNicht grün horizontal +HISTORY_MSG_456;(EvPixelShift(\nNicht grün vertikal +HISTORY_MSG_457;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Rot/Blau-Kanal erkennen +HISTORY_MSG_458;(EvPixelShiftStddev)Faktor Rot +HISTORY_MSG_459;(EvPixelShiftStddev)\nFaktor Blau +HISTORY_MSG_460;(EvPixelShift)\nAmaze Grün +HISTORY_MSG_461;(EvPixelShift)\nAmaze nicht Grün +HISTORY_MSG_462;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Grün-Kanal erkennen +HISTORY_MSG_463;(EvPixelShift)\nRot/Blau-Wichtung +HISTORY_MSG_464;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nUnschärfebewegungsmaske +HISTORY_MSG_465;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nUnschärferadius +HISTORY_MSG_466;(EvPixelShift)\nSumme +HISTORY_MSG_467;(EvPixelShift)\nExp1 +HISTORY_MSG_468;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nLücken in der Bewegungsmaske erkennen +HISTORY_MSG_469;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nMedian +HISTORY_MSG_470;(EvPixelShift)\nMedian3 +HISTORY_MSG_471;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegungskorrektur +HISTORY_MSG_472;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nWeicher Übergang +HISTORY_MSG_474;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nFrame-Helligkeit angleichen +HISTORY_MSG_475;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nAusgleich pro Kanal +HISTORY_MSG_476;(Erweitert - CIECAM)\nBetrachtungsbed.\nFarbtemperatur +HISTORY_MSG_477;(Erweitert - CIECAM)\nBetrachtungsbed.\nTönung +HISTORY_MSG_478;(Erweitert - CIECAM)\nBetrachtungsbed.\nYb% (Ø Leuchtdichte) +HISTORY_MSG_479;(Erweitert - CIECAM)\nBetrachtungsbed.\nCAT02 Adaptation +HISTORY_MSG_480;(Erweitert - CIECAM)\nBetrachtungsbed.\nAuto CAT02 Adaptation +HISTORY_MSG_481;(Erweitert - CIECAM)\nSzene\nFarbtemperatur +HISTORY_MSG_482;(Erweitert - CIECAM)\nSzene\nTönung +HISTORY_MSG_483;(Erweitert - CIECAM)\nSzene\nYb% (Ø Leuchtdichte) +HISTORY_MSG_484;(Erweitert - CIECAM)\nSzene\nAuto Yb% +HISTORY_MSG_485;(Transformieren - Objektivkorrektur)\nProfil +HISTORY_MSG_486;(Transformieren - Objektivkorrektur)\nProfil - Kamera +HISTORY_MSG_487;(Transformieren - Objektivkorrektur)\nProfil - Objektiv +HISTORY_MSG_488;(Belichtung - Dynamikkompression) +HISTORY_MSG_489;(Belichtung - Dynamikkompression)\nDetails +HISTORY_MSG_490;(Belichtung - Dynamikkompression)\nIntensität +HISTORY_MSG_491;(Farbe - Weißabgleich) +HISTORY_MSG_492;(Farbe - RGB-Kurven) +HISTORY_MSG_493;(Belichtung - L*a*b*) +HISTORY_MSG_494;(RAW - Eingangsschärfung) +HISTORY_MSG_496;(Lokal - Spot)\nGelöscht +HISTORY_MSG_497;(Lokal - Spot)\nAusgewählt +HISTORY_MSG_498;(Lokal - Spot)\nName +HISTORY_MSG_499;(Lokal - Spot)\nSichtbarkeit +HISTORY_MSG_500;(Lokal - Spot)\nForm +HISTORY_MSG_501;(Lokal - Spot)\nMethode +HISTORY_MSG_502;(Lokal - Spot)\nForm-Methode +HISTORY_MSG_503;(Lokal - Spot)\nPos X-rechts +HISTORY_MSG_504;(Lokal - Spot)\nPos X-links +HISTORY_MSG_505;(Lokal - Spot)\nPos Y-unten +HISTORY_MSG_506;(Lokal - Spot)\nPos Y-oben +HISTORY_MSG_507;(Lokal - Spot)\nMitte +HISTORY_MSG_508;(Lokal - Spot)\nSpotgröße +HISTORY_MSG_509;(Lokal - Spot)\nQualitäts-Methode +HISTORY_MSG_510;(Lokal - Spot)\nÜbergangsgradient\nIntensität +HISTORY_MSG_511;(Lokal - Spot)\nKantenerkennung\nSchwellenwert +HISTORY_MSG_512;(Lokal - Spot)\nKantenerkennung\nΔE -Zerfall +HISTORY_MSG_513;(Lokal - Spot)\nBereich +HISTORY_MSG_514;(Lokal - Spot)\nStruktur +HISTORY_MSG_515;(Lokal - Lokale Anpassungen) +HISTORY_MSG_516;(Lokal - Farbe-Licht) +HISTORY_MSG_517;(Lokal) - Super aktivieren +HISTORY_MSG_518;(Lokal - Farbe-Licht)\nHelligkeit +HISTORY_MSG_519;(Lokal - Farbe-Licht)\nKontrast +HISTORY_MSG_520;(Lokal - Farbe-Licht)\nChrominanz +HISTORY_MSG_521;(Lokal) - Umfang +HISTORY_MSG_522;(Lokal - Farbe-Licht)\nKurventyp +HISTORY_MSG_523;(Lokal - Farbe-Licht)\nLL-Kurve +HISTORY_MSG_524;(Lokal - Farbe-Licht)\nCC-Kurve +HISTORY_MSG_525;(Lokal - Farbe-Licht)\nLH-Kurve +HISTORY_MSG_526;(Lokal - Farbe-Licht)\nHH-Kurve +HISTORY_MSG_527;(Lokal - Farbe-Licht)\nInvertieren +HISTORY_MSG_528;(Lokal - Dynamik u. Belichtung) +HISTORY_MSG_529;(Lokal - Dynamik u. Belichtung)\nKompression +HISTORY_MSG_530;(Lokal - Dynamik u. Belichtung)\nLichterkompression +HISTORY_MSG_531;(Lokal - Dynamik u. Belichtung)\nLichterkompression\nSchwellenwert +HISTORY_MSG_532;(Lokal - Dynamik u. Belichtung)\nSchwarzwert +HISTORY_MSG_533;(Lokal - Dynamik u. Belichtung)\nSchattenkompression +HISTORY_MSG_534;(Lokal - Farbtemperatur)\nTönung +HISTORY_MSG_535;(Lokal - Dynamik u. Belichtung)\nIntensität +HISTORY_MSG_536;(Lokal - Dynamik u. Belichtung)\nKontrastkurve +HISTORY_MSG_537;(Lokal - Farbtemperatur) +HISTORY_MSG_538;(Lokal - Farbtemperatur)\nGesättigte Töne +HISTORY_MSG_539;(Lokal - Farbtemperatur)\nPastelltöne +HISTORY_MSG_540;(Lokal - Farbtemperatur)\nSchwellenwert +HISTORY_MSG_541;(Lokal - Farbtemperatur)\nHauttöne schützen +HISTORY_MSG_542;(Lokal - Farbtemperatur)\nFarbverschiebung vermeiden +HISTORY_MSG_543;(Lokal - Farbtemperatur)\nPastell- und gesättigte Farbtöne koppeln +HISTORY_MSG_544;(Lokal - Farbtemperatur)\nBereich +HISTORY_MSG_545;(Lokal - Farbtemperatur)\nH-Kurve +HISTORY_MSG_546;(Lokal - Unschärfe)\nUnschärfe und Rauschen +HISTORY_MSG_547;(Lokal - Unschärfe)\nRadius +HISTORY_MSG_548;(Lokal - Unschärfe)\nRauschen +HISTORY_MSG_549;(Lokal - Unschärfe)\nIntensität +HISTORY_MSG_550;(Lokal - Unschärfe)\nMethode +HISTORY_MSG_551;(Lokal - Unschärfe)\nNur Luminanz +HISTORY_MSG_552;(Lokal - Tonwert) +HISTORY_MSG_553;(Lokal - Tonwert)\nKompressionsintensität +HISTORY_MSG_554;(Lokal - Tonwert)\nGamma +HISTORY_MSG_555;(Lokal - Tonwert)\nKantenempfindlichkeit +HISTORY_MSG_556;(Lokal - Tonwert)\nSkalieren +HISTORY_MSG_557;(Lokal - Tonwert)\nGewichtung +HISTORY_MSG_558;(Lokal - Tonwert)\nIntensität +HISTORY_MSG_559;(Lokal - Retinex) +HISTORY_MSG_560;(Lokal - Retinex)\nMethode +HISTORY_MSG_561;(Lokal - Retinex)\nIntensität +HISTORY_MSG_562;(Lokal - Retinex)\nChroma +HISTORY_MSG_563;(Lokal - Retinex)\nRadius +HISTORY_MSG_564;(Lokal - Retinex)\nKontrast +HISTORY_MSG_565;(Lokal) - Umfang +HISTORY_MSG_566;(Lokal - Retinex)\nVerstärkungskurve +HISTORY_MSG_567;(Lokal - Retinex)\nInvertieren +HISTORY_MSG_568;(Lokal - Schärfen) +HISTORY_MSG_569;(Lokal - Schärfen)\nRadius +HISTORY_MSG_570;(Lokal - Schärfen)\nIntensität +HISTORY_MSG_571;(Lokal - Schärfen)\nDämpfung +HISTORY_MSG_572;(Lokal - Schärfen)\nIterationen +HISTORY_MSG_573;(Lokal - Schärfen)\nUmfang +HISTORY_MSG_574;(Lokal - Schärfen)\nInvertieren +HISTORY_MSG_575;(Lokal - Detailebenen) +HISTORY_MSG_576;(Lokal - Detailebenen)\nMulti +HISTORY_MSG_577;(Lokal - Detailebenen)\nChroma +HISTORY_MSG_578;(Lokal - Detailebenen)\nSchwelle +HISTORY_MSG_579;(Lokal - Detailebenen)\nUmfang +HISTORY_MSG_580;(Lokal) - Rauschminderung +HISTORY_MSG_581;(Lokal - Rauschminderung)\nLuminanz f 1 +HISTORY_MSG_582;(Lokal - Rauschminderung)\nLuminanz c +HISTORY_MSG_583;(Lokal - Rauschminderung)\nLuminanz Detailwiederherstellung +HISTORY_MSG_584;(Lokal - Rauschminderung)\nEqualizer Weiß -Schwarz +HISTORY_MSG_585;(Lokal - Rauschminderung)\nFeine Chrominanz +HISTORY_MSG_586;(Lokal - Rauschminderung)\nGrobe Chrominanz +HISTORY_MSG_587;(Lokal - Rauschminderung)\nFarbintensität Detailwiederherstellung +HISTORY_MSG_588;(Lokal - Rauschminderung)\nEqualizer Blau/Rot +HISTORY_MSG_589;(Lokal - Rauschminderung)\nImpulsrauschen +HISTORY_MSG_590;(Lokal - Rauschminderung)\nIntensität +HISTORY_MSG_591;(Lokal - Spot)\nSpeziell\nFarbverschiebungen vermeiden +HISTORY_MSG_592;(Lokal - Schärfen)\nKontrastschwelle +HISTORY_MSG_593;(Lokal - Lokaler Kontrast) +HISTORY_MSG_594;(Lokal - Lokaler Kontrast)\nRadius +HISTORY_MSG_595;(Lokal - Lokaler Kontrast)\nIntensität +HISTORY_MSG_596;(Lokal - Lokaler Kontrast)\nDunkel +HISTORY_MSG_597;(Lokal - Lokaler Kontrast)\nHell +HISTORY_MSG_598;(Lokal - Lokaler Kontrast)\nUmfang +HISTORY_MSG_599;(Lokal - Dunst entfernen)\nIntensität +HISTORY_MSG_600;(Lokal - weiches Licht)\nAktiviert +HISTORY_MSG_601;(Lokal - weiches Licht)\nIntensität +HISTORY_MSG_602;(Lokal - weiches Licht)\nBereich +HISTORY_MSG_603;(Lokal - Schärfen)\nUnschärferadius +HISTORY_MSG_605;(Lokal) - Auswahl Maskenvorschau +HISTORY_MSG_606;Lokalen Spot ausgewählt +HISTORY_MSG_607;(Lokal - Farbe-Licht)\nMaske\nKurve C +HISTORY_MSG_608;(Lokal - Farbe-Licht)\nMaske\nKurve L +HISTORY_MSG_609;(Lokal - Dynamik u. Belichtung)\nMaske\nKurve C +HISTORY_MSG_610;(Lokal - Dynamik u. Belichtung)\nMaske\nKurve L +HISTORY_MSG_611;(Lokal - Farbe-Licht)\nMaske\nKurve LC(H) +HISTORY_MSG_612;(Lokal - Farbe-Licht)\nSpot-Struktur +HISTORY_MSG_613;(Lokal - Dynamik u. Belichtung)\nSpot-Struktur +HISTORY_MSG_614;(Lokal - Dynamik u. Belichtung)\nMaske\nKurve LC(H) +HISTORY_MSG_615;(Lokal - Farbe-Licht)\nMaske\nÜberlagerung +HISTORY_MSG_616;(Lokal - Dynamik u. Belichtung)\nMaske\nÜberlagerung +HISTORY_MSG_617;(Lokal - Dynamik u. Belichtung)\nUnschärfe Kantenerkennung +HISTORY_MSG_618;(Lokal - Farbe-Licht)\nMaske +HISTORY_MSG_619;(Lokal - Dynamik u. Belichtung)\nMaske +HISTORY_MSG_620;(Lokal - Farbe-Licht)\nUnschärfe Kantenerkennung +HISTORY_MSG_621;(Lokal - Dynamik u. Belichtung)\nInvertieren +HISTORY_MSG_622;(Lokal - Spot)\nAusschließende Spot-Struktur +HISTORY_MSG_623;(Lokal - Dynamik u. Belichtung)\nKompensation Farbsättigung +HISTORY_MSG_624;(Lokal - Farbe-Licht)\nFarbkorrektur +HISTORY_MSG_625;(Lokal - Farbe-Licht)\nIntensität Farbkorrektur +HISTORY_MSG_626;(Lokal - Farbe-Licht)\nMethode +HISTORY_MSG_627;(Lokal - Schatten/Lichter) +HISTORY_MSG_628;(Lokal - Schatten/Lichter)\nLichter +HISTORY_MSG_629;(Lokal - Schatten/Lichter)\nTonwertbreite Lichter +HISTORY_MSG_630;(Lokal - Schatten/Lichter)\nSchatten +HISTORY_MSG_631;(Lokal - Schatten/Lichter)\nTonwertbreite Schatten +HISTORY_MSG_632;(Lokal - Schatten/Lichter)\nRadius +HISTORY_MSG_633;(Lokal - Schatten/Lichter)\nUmfang +HISTORY_MSG_634;(Lokal - Farbe-Licht)\nMaske\nRadius +HISTORY_MSG_635;(Lokal - Dynamik u. Belichtung)\nMaske\nRadius +HISTORY_MSG_636;(Lokal)\nWerkzeug hinzugefügt +HISTORY_MSG_637;(Lokal - Schatten/Lichter)\nMaske\nKurve C +HISTORY_MSG_638;(Lokal - Schatten/Lichter)\nMaske\nKurve L +HISTORY_MSG_639;(Lokal - Schatten/Lichter)\nMaske\nKurve LC(H) +HISTORY_MSG_640;(Lokal - Schatten/Lichter)\nMaske\nÜberlagerung +HISTORY_MSG_641;(Lokal - Schatten/Lichter)\nMaske +HISTORY_MSG_642;(Lokal - Schatten/Lichter)\nMaske\nRadius +HISTORY_MSG_643;(Lokal - Schatten/Lichter)\nUnschärfe Kantenerkennung +HISTORY_MSG_644;(Lokal - Schatten/Lichter)\nInvertieren +HISTORY_MSG_645;(Lokal - Spot)\nKantenerkennung\nBalance ab-L (ΔE) +HISTORY_MSG_646;(Lokal - Dynamik u. Belichtung)\nMaske\nFarbintensität +HISTORY_MSG_647;(Lokal - Dynamik u. Belichtung)\nMaske\nGamma +HISTORY_MSG_648;(Lokal - Dynamik u. Belichtung)\nMaske\nSteigung +HISTORY_MSG_649;(Lokal - Dynamik u. Belichtung)\nVerlaufsfilter\nRadius +HISTORY_MSG_650;(Lokal - Farbe-Licht)\nMaske\nFarbintensität +HISTORY_MSG_651;(Lokal - Farbe-Licht)\nMaske\nGamma +HISTORY_MSG_652;(Lokal - Farbe-Licht)\nMaske\nSteigung +HISTORY_MSG_653;(Lokal - Schatten/Lichter)\nMaske\nFarbintensität +HISTORY_MSG_654;(Lokal - Schatten/Lichter)\nMaske\nGamma +HISTORY_MSG_655;(Lokal - Schatten/Lichter)\nMaske\nSteigung +HISTORY_MSG_656;(Lokal - Farbe-Licht)\nRadius +HISTORY_MSG_657;(Lokal - Retinex)\nArtefakte reduzieren +HISTORY_MSG_658;(Lokal - Detailebenen)\nRadius +HISTORY_MSG_659;(Lokal - Spot)\nÜbergangsgradient\nÜbergangszerfall +HISTORY_MSG_660;(Lokal - Detailebenen)\nKlarheit +HISTORY_MSG_661;(Lokal - Detailebenen)\nVerbleibend +HISTORY_MSG_662;(Lokal - Rauschminderung)\nLuminanz f 0 +HISTORY_MSG_663;(Lokal - Rauschminderung)\nLuminanz f 2 +HISTORY_MSG_664;(Lokal - Detailebenen)\nUnschärfe +HISTORY_MSG_665;(Lokal - Detailebenen)\nMaske\nÜberlagerung +HISTORY_MSG_666;(Lokal - Detailebenen)\nMaske\nRadius +HISTORY_MSG_667;(Lokal - Detailebenen)\nMaske\nFarbintensität +HISTORY_MSG_668;(Lokal - Detailebenen)\nMaske\nGamma +HISTORY_MSG_669;(Lokal - Detailebenen)\nMaske\nSteigung +HISTORY_MSG_670;(Lokal - Detailebenen)\nMaske C +HISTORY_MSG_671;(Lokal - Detailebenen)\nMaske L +HISTORY_MSG_672;(Lokal - Detailebenen)\nMaske CL +HISTORY_MSG_673;(Lokal - Detailebenen)\nMaske anwenden +HISTORY_MSG_674;(Lokal)\nWerkzeug entfernt +HISTORY_MSG_675;(Lokal - Tonwert)\nRadius +HISTORY_MSG_676;(Lokal - Spot)\nÜbergangsgradient\nUnterschied XY +HISTORY_MSG_677;(Lokal - Tonwert)\nIntensität +HISTORY_MSG_678;(Lokal - Tonwert)\nSättigung +HISTORY_MSG_679;(Lokal - Retinex)\nMaske C +HISTORY_MSG_680;(Lokal - Retinex)\nMaske L +HISTORY_MSG_681;(Lokal - Retinex)\nMaske CL +HISTORY_MSG_682;(Lokal - Retinex) Maske +HISTORY_MSG_683;(Lokal - Retinex)\nMaske\nÜberlagerung +HISTORY_MSG_684;(Lokal - Retinex)\nMaske\nRadius +HISTORY_MSG_685;(Lokal - Retinex)\nMaske\nFarbintensität +HISTORY_MSG_686;(Lokal - Retinex)\nMaske\nGamma +HISTORY_MSG_687;(Lokal - Retinex)\nMaske\nSteigung +HISTORY_MSG_688;(Lokal)\nWerkzeug entfernt +HISTORY_MSG_689;(Lokal - Retinex) Maske\nÜbertragungszuordnung +HISTORY_MSG_690;(Lokal - Retinex)\nSkalieren +HISTORY_MSG_691;(Lokal - Retinex)\nDunkel +HISTORY_MSG_692;(Lokal - Retinex)\nHell +HISTORY_MSG_693;(Lokal - Retinex)\nSchwelle +HISTORY_MSG_694;(Lokal - Retinex)\nSchwelle Laplace +HISTORY_MSG_695;(Lokal - weiches Licht)\nMethode +HISTORY_MSG_696;(Lokal - Retinex)\nLuminanz normalisieren +HISTORY_MSG_697;(Lokal - Tonwert)\nLuminanz normalisieren +HISTORY_MSG_698;(Lokal - Lokaler Kontrast)\nSchnelle Fouriertransformation +HISTORY_MSG_699;(Lokal - Retinex)\nSchnelle Fouriertransformation +HISTORY_MSG_701;(Lokal - Dynamik u. Belichtung)\nSchatten +HISTORY_MSG_702;(Lokal - Dynamik u. Belichtung)\nMethode +HISTORY_MSG_703;(Lokal - Dynamik u. Belichtung)\nSchwellenwert Laplace +HISTORY_MSG_704;(Lokal - Dynamik u. Belichtung)\nLaplace Balance +HISTORY_MSG_705;(Lokal - Dynamik u. Belichtung)\nLinearität +HISTORY_MSG_706;(Lokal - Tonwert)\nMaske\nKurve C +HISTORY_MSG_707;(Lokal - Tonwert)\nMaske\nKurve L +HISTORY_MSG_708;(Lokal - Tonwert)\nMaske\nKurve LC(h) +HISTORY_MSG_709;(Lokal - Tonwert)\nMaske +HISTORY_MSG_710;(Lokal - Tonwert)\nMaske überlagern +HISTORY_MSG_711;(Lokal - Tonwert)\nMaske Radius +HISTORY_MSG_712;(Lokal - Tonwert)\nMaske Farbintensität +HISTORY_MSG_713;(Lokal - Tonwert)\nMaske Gamma +HISTORY_MSG_714;(Lokal - Tonwert)\nMaske Steigung +HISTORY_MSG_716;(Lokal) - lokale Methode +HISTORY_MSG_717;(Lokal - Wavelet)\nKontrastkurve +HISTORY_MSG_718;(Lokal) - lokale Kontrastebenen +HISTORY_MSG_719;(Lokal - Wavelet)\nVerbleibende L +HISTORY_MSG_720;(Lokal - Unschärfe)\nLuminanzmaske\nKurve C +HISTORY_MSG_721;(Lokal - Unschärfe)\nLuminanzmaske\nKurve L +HISTORY_MSG_722;(Lokal - Unschärfe)\nLuminanzmaske\nKurve LC(h) +HISTORY_MSG_723;(Lokal - Unschärfe)\nMaske +HISTORY_MSG_725;(Lokal - Unschärfe)\nMaske\nÜberlagerung +HISTORY_MSG_726;(Lokal - Unschärfe)\nMaske\nRadius +HISTORY_MSG_727;(Lokal - Unschärfe)\nMaske\nFarbintensität +HISTORY_MSG_728;(Lokal - Unschärfe)\nMaske\nGamma +HISTORY_MSG_729;(Lokal - Unschärfe)\nMaske\nSteigung +HISTORY_MSG_730;(Lokal - Unschärfe)\nMethode +HISTORY_MSG_731;(Lokal - Unschärfe)\nMethode Median\nMedianwert +HISTORY_MSG_732;(Lokal - Unschärfe)\nMethode Median\nIterationen +HISTORY_MSG_733;(Lokal - Unschärfe)\nAnpassbarer Filter\nRadius +HISTORY_MSG_734;(Lokal - Unschärfe)\nAnpassbarer Filter\nDetail +HISTORY_MSG_738;(Lokal - Wavelet)\nRestbild\nLuma zusammenführen +HISTORY_MSG_739;(Lokal - Wavelet)\nRestbild\nRadius +HISTORY_MSG_740;(Lokal - Wavelet)\nRestbild\nChroma zusammenführen +HISTORY_MSG_741;(Lokal - Wavelet)\nVerbleibende C +HISTORY_MSG_742;(Lokal - Dynamik u. Belichtung)\nKontrastdämpfung\nGamma +HISTORY_MSG_743;(Lokal - Dynamik u. Belichtung)\nDynamikkompression\nIntensität +HISTORY_MSG_744;(Lokal - Dynamik u. Belichtung)\nDynamikkompression\nDetail +HISTORY_MSG_745;(Lokal - Dynamik u. Belichtung)\nDynamikkompression\nVersatz +HISTORY_MSG_746;(Lokal - Dynamik u. Belichtung)\nDynamikkompression\nSigma +HISTORY_MSG_747;(Lokal - Einstellungen)\nSpot erstellt +HISTORY_MSG_748;(Lokal - Dynamik u. Belichtung)\nMethode Rauschreduzierung +HISTORY_MSG_749;(Lokal - Dunst entfernen)\nTiefe +HISTORY_MSG_750;(Lokal - Retinex)\nModus logarithmisch +HISTORY_MSG_751;(Lokal - Dunst entfernen)\nSättigung +HISTORY_MSG_752;(Lokal - Retinex)\nVersatz +HISTORY_MSG_753;(Lokal - Retinex)\nÜbertragungszuordnung +HISTORY_MSG_754;(Lokal - Retinex)\nBeschneiden +HISTORY_MSG_755;(Lokal - Tonwert)\nTonwertkorrektur maskieren +HISTORY_MSG_756;(Lokal - Dynamik u. Belichtung)\nVerwende Algo-Belichtungsmaske +HISTORY_MSG_757;(Lokal - Dynamik u. Belichtung)\nMaske\nSchwelle Laplace +HISTORY_MSG_758;(Lokal - Retinex)\nMaske\nSchwelle Laplace +HISTORY_MSG_759;(Lokal - Dynamik u. Belichtung)\nMaske\nSchwelle Laplace +HISTORY_MSG_760;(Lokal - Farbe-Licht)\nMaske\nSchwelle Laplace +HISTORY_MSG_761;(Lokal - Schatten/Lichter)\nMaske\nSchwelle Laplace +HISTORY_MSG_762;(Lokal - Kontrastebenen)\nMaske\nSchwelle Laplace +HISTORY_MSG_763;(Lokal - Unschärfe)\nMaske\nSchwelle Laplace +HISTORY_MSG_764;(Lokal) - Auflösung PDE Laplace-Maske +HISTORY_MSG_765;(Lokal - Rauschminderung)\nLuminanzmaske\nSchwellenwert +HISTORY_MSG_766;(Lokal - Unschärfe)\nSchnelle Fouriertransformation +HISTORY_MSG_767;(Lokal - Unschärfe)\nISO Körnung Verteilung +HISTORY_MSG_768;(Lokal - Unschärfe)\nISO Körnung Intensität +HISTORY_MSG_769;(Lokal - Unschärfe)\nISO Korngröße +HISTORY_MSG_770;(Lokal - Farbe-Licht)\nMaske\nKontrastkurve +HISTORY_MSG_771;(Lokal - Dynamik u. Belichtung)\nMaske\nKontrastkurve +HISTORY_MSG_772;(Lokal - Schärfen)\nMaske\nKontrastkurve +HISTORY_MSG_773;(Lokal - Tonwert)\nMaske\nKontrastkurve +HISTORY_MSG_774;(Lokal - Retinex)\nMaske\nKontrastkurve +HISTORY_MSG_775;(Lokal - Detailebenen)\nMaske\nKontrastkurve +HISTORY_MSG_776;(Lokal - Unschärfe)\nMaske\nKontrastkurve +HISTORY_MSG_777;(Lokal - Unschärfe)\nMaske\nWavelet\nKontrastkurve +HISTORY_MSG_778;(Lokal - Unschärfe)\nMaske\nLichter +HISTORY_MSG_779;(Lokal - Farbe-Licht)\nMaske\nLokale Kontrastkurve +HISTORY_MSG_780;(Lokal - Farbe-Licht)\nMaske\nSchatten +HISTORY_MSG_781;(Lokal - Wavelet)\nWavelet Ebenen +HISTORY_MSG_782;(Lokal - Unschärfe)\nMaske\nWavelet Ebenen +HISTORY_MSG_783;(Lokal - Farbe-Licht)\nWavelet Ebenenauswahl +HISTORY_MSG_784;(Lokal - Spot)\nMaskieren\nΔE Bildmaske +HISTORY_MSG_785;(Lokal - Spot)\nMaskieren\nBereich ΔE-Bildmaske +HISTORY_MSG_786;(Lokal - Schatten/Lichter)\nMethode +HISTORY_MSG_787;(Lokal - Schatten/Lichter)\nEqualizer Regler +HISTORY_MSG_788;(Lokal - Schatten/Lichter)\nEqualizer Details +HISTORY_MSG_789;(Lokal - Schatten/Lichter)\nMaske\nIntensität +HISTORY_MSG_790;(Lokal - Schatten/Lichter)\nMaske Ankerpunkt +HISTORY_MSG_791;(Lokal - Maske)\nShort L-Kurve +HISTORY_MSG_792;(Lokal - Spot)\nMaskieren\nHintergrundfarbe Luminanzmaske +HISTORY_MSG_793;(Lokal - Schatten/Lichter)\nGamma Farbtonkennlinie +HISTORY_MSG_794;(Lokal - Schatten/Lichter)\nSteigung Farbtonkennlinie +HISTORY_MSG_795;(Lokal - Maske)\nSichern wiederhergestelltes Bild +HISTORY_MSG_796;(Lokal - Spot)\nSpeziell\nReferenzen rekursiv +HISTORY_MSG_797;(Lokal - Farbe-Licht)\nZusammenführen\nMethode +HISTORY_MSG_798;(Lokal - Farbe-Licht)\nZusammenführen\nDeckkraft +HISTORY_MSG_799;(Lokal - Farbe-Licht)\nRGB-Kurve +HISTORY_MSG_800;(Lokal - Farbe-Licht)\nMethode RGB-Kurven +HISTORY_MSG_801;(Lokal - Farbe-Licht)\nSpezielle Verwendung RGB-Kurven +HISTORY_MSG_802;(Lokal - Farbe-Licht)\nZusammenführen\nSchwellenwert Kontrast +HISTORY_MSG_803;(Lokal - Farbe-Licht)\nZusammenführen +HISTORY_MSG_804;(Lokal - Farbe-Licht)\nIntensität Strukturmaske +HISTORY_MSG_805;(Lokal - Unschärfe)\nIntensität Strukturmaske +HISTORY_MSG_806;(Lokal - Farbe-Licht)\nStrukturmaske als Werkzeug +HISTORY_MSG_807;(Lokal - Unschärfe)\nStrukturmaske als Werkzeug +HISTORY_MSG_808;(Lokal - Farbe-Licht)\nMaske\nKurve H(H) +HISTORY_MSG_809;(Lokal - Farbtemperatur)\nMaske\nKurve C +HISTORY_MSG_810;(Lokal - Farbtemperatur)\nMaske\nKurve L +HISTORY_MSG_811;(Lokal - Farbtemperatur)\nMaske\nKurve LC(h) +HISTORY_MSG_813;(Lokal - Farbtemperatur)\nMaske +HISTORY_MSG_814;(Lokal - Farbtemperatur)\nMaske\nÜberlagerung +HISTORY_MSG_815;(Lokal - Farbtemperatur)\nMaske\nRadius +HISTORY_MSG_816;(Lokal - Farbtemperatur)\nMaske\nFarbintensität +HISTORY_MSG_817;(Lokal - Farbtemperatur)\nMaske\nGamma +HISTORY_MSG_818;(Lokal - Farbtemperatur)\nMaske\nSteigung +HISTORY_MSG_819;(Lokal - Farbtemperatur)\nMaske\nSchwellenwert Laplace +HISTORY_MSG_820;(Lokal - Farbtemperatur)\nMaske\nKontrastkurve +HISTORY_MSG_821;(Lokal - Farbe-Licht)\nHintergrundgitter +HISTORY_MSG_822;(Lokal - Farbe-Licht)\nHintergrund zusammenführen +HISTORY_MSG_823;(Lokal - Farbe-Licht)\nLuminanz Hintergrund +HISTORY_MSG_824;(Lokal - Dynamik u. Belichtung)\nVerlaufsfilter\nVerlaufsintensität +HISTORY_MSG_825;(Lokal - Dynamik u. Belichtung)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_826;(Lokal - Dynamik u. Belichtung)\nVerlaufsfilter\nIntensität +HISTORY_MSG_827;(Lokal - Dynamik u. Belichtung)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_828;(Lokal - Schatten/Lichter)\nVerlaufsfilter\nVerlaufsintensität +HISTORY_MSG_829;(Lokal - Schatten/Lichter)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_830;(Lokal - Farbe-Licht)\nVerlaufsfilter\nIntensität Luminanz +HISTORY_MSG_831;(Lokal - Farbe-Licht)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_832;(Lokal - Farbe-Licht)\nVerlaufsfilter\nIntensität Chrominanz +HISTORY_MSG_833;(Lokal - Spot)\nÜbergangsgradient\nVerlaufsbreite +HISTORY_MSG_834;(Lokal - Farbe-Licht)\nVerlaufsfilter\nIntensität Farbton +HISTORY_MSG_835;(Lokal - Farbtemperatur)\nVerlaufsfilter\nIntensität Luminanz +HISTORY_MSG_836;(Lokal - Farbtemperatur)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_837;(Lokal - Farbtemperatur)\nVerlaufsfilter\nIntensität Chrominanz +HISTORY_MSG_838;(Lokal - Farbtemperatur)\nVerlaufsfilter\nIntensität Farbton +HISTORY_MSG_839;(Lokal) - Softwarekomplexität +HISTORY_MSG_840;(Lokal - Farbe-Licht)\nCL-Kurve +HISTORY_MSG_841;(Lokal - Farbe-Licht)\nLC-Kurve +HISTORY_MSG_842;(Lokal - Farbe-Licht)\nUnschärfemaske\nRadius +HISTORY_MSG_843;(Lokal - Farbe-Licht)\nUnschärfemaske\nSchwellenwert Kontrast +HISTORY_MSG_844;(Lokal - Farbe-Licht)\nUnschärfemaske\nSchnelle Fouriertransformation +HISTORY_MSG_845;(Lokal - LOG-Kodierung) +HISTORY_MSG_846;(Lokal - LOG-Kodierung)\nAutomatisch +HISTORY_MSG_847;(Lokal - LOG-Kodierung)\nQuelle +HISTORY_MSG_849;(Lokal - LOG-Kodierung)\nQuelle Automatisch +HISTORY_MSG_850;(Lokal - LOG-Kodierung)\nSchwarz-Ev +HISTORY_MSG_851;(Lokal - LOG-Kodierung)\nWeiß-Ev +HISTORY_MSG_852;(Lokal - LOG-Kodierung)\nZiel +HISTORY_MSG_853;(Lokal - LOG-Kodierung)\nLokaler Kontrast +HISTORY_MSG_854;(Lokal - LOG-Kodierung)\nBereich +HISTORY_MSG_855;(Lokal - LOG-Kodierung)\nGesamtes Bild +HISTORY_MSG_856;(Lokal - LOG-Kodierung)\nBereich Schatten +HISTORY_MSG_857;(Lokal - Wavelet)\nUnschärfeebenen\nVerbleibende Unschärfe +HISTORY_MSG_858;(Lokal - Wavelet)\nUnschärfeebenen\nNur Luminanz +HISTORY_MSG_859;(Lokal - Wavelet)\nUnschärfeebenen\nMaximum +HISTORY_MSG_860;(Lokal - Wavelet)\nUnschärfeebenen +HISTORY_MSG_861;(Lokal - Wavelet)\nKontrastebenen +HISTORY_MSG_862;(Lokal - Wavelet)\nKontrastebenen\nDämpfungsreaktion +HISTORY_MSG_863;(Lokal - Wavelet)\nOriginal zusammenführen +HISTORY_MSG_864;(Lokal - Wavelet)\nDirektionaler Kontrast\nDämpfungsreaktion +HISTORY_MSG_865;(Lokal - Wavelet)\nDirektionaler Kontrast\nEbenenbalance +HISTORY_MSG_866;(Lokal - Wavelet)\nDirektionaler Kontrast\nKompression +HISTORY_MSG_868;(Lokal - Spot)\nKantenerkennung\nC-H Balance (ΔE) +HISTORY_MSG_869;(Lokal - Rauschminderung)\nLuminanzkurve +HISTORY_MSG_870;(Lokal - Lokaler Kontrast)\nMaske\nKurve H +HISTORY_MSG_871;(Lokal - Lokaler Kontrast)\nMaske\nKurve C +HISTORY_MSG_872;(Lokal - Lokaler Kontrast)\nMaske\nKurve L +HISTORY_MSG_873;(Lokal - Lokaler Kontrast)\nMaske +HISTORY_MSG_875;(Lokal - Lokaler Kontrast)\nMaske überlagern +HISTORY_MSG_876;(Lokal - Lokaler Kontrast)\nMaske glätten +HISTORY_MSG_877;(Lokal - Lokaler Kontrast)\nMaske Farbintensität +HISTORY_MSG_878;(Lokal - Lokaler Kontrast)\nMaske Kontrastkurve +HISTORY_MSG_879;(Lokal - Wavelet)\nKontrastebene\nFarbintensität +HISTORY_MSG_880;(Lokal - Wavelet)\nUnschärfeebenen\nChrominanz Ebenen +HISTORY_MSG_881;(Lokal - Wavelet)\nKontrastebene\nVersatz +HISTORY_MSG_882;(Lokal - Wavelet)\nUnschärfeebenen +HISTORY_MSG_883;(Lokal - Wavelet)\nKontrast nach Ebenen +HISTORY_MSG_884;(Lokal - Wavelet)\nDirektionaler Kontrast +HISTORY_MSG_885;(Lokal - Wavelet)\nTonwertkorrektur +HISTORY_MSG_886;(Lokal - Wavelet)\nTonwertkorrektur Kompression +HISTORY_MSG_887;(Lokal - Wavelet)\nTonwertkorrektur\nKompression Restbild +HISTORY_MSG_888;(Lokal - Wavelet)\nTonwertkorrektur\nSchwellenwert Balance +HISTORY_MSG_889;(Lokal - Wavelet)\nVerlaufsfilter\nIntensität +HISTORY_MSG_890;(Lokal - Wavelet)\nVerlaufsfilter\nRotationswinkel +HISTORY_MSG_891;(Lokal - Wavelet)\nVerlaufsfilter +HISTORY_MSG_892;(Lokal - LOG-Kodierung)\nVerlaufsintensität +HISTORY_MSG_893;(Lokal - LOG-Kodierung)\nVerlaufswinkel +HISTORY_MSG_894;(Lokal - Spot)\nKantenerkennung\nVorschau Farbe Intensität (ΔE) +HISTORY_MSG_897;(Lokal - Wavelet)\nKantenschärfe\nIntensität +HISTORY_MSG_898;(Lokal - Wavelet)\nKantenschärfe\nRadius +HISTORY_MSG_899;(Lokal - Wavelet(\nKantenschärfe\nDetails +HISTORY_MSG_900;(Lokal - Wavelet)\nKantenschärfe\nVerlaufsempfindlichkeit +HISTORY_MSG_901;(Lokal - Wavelet)\nKantenschärfe\nUnterer Schwellenwert +HISTORY_MSG_902;(Lokal - Wavelet)\nKantenschärfe\nOberer Schwellenwert +HISTORY_MSG_903;(Lokal - Wavelet)\nKantenschärfe\nKontrastkurve +HISTORY_MSG_904;(Lokal - Wavelet)\nKantenschärfe\nErste Ebene +HISTORY_MSG_905;(Lokal - Wavelet)\nKantenschärfe +HISTORY_MSG_906;(Lokal - Wavelet)\nKantenschärfe\nKantenempfindlichkeit +HISTORY_MSG_907;(Lokal - Wavelet)\nKantenschärfe\nGrundverstärkung +HISTORY_MSG_908;(Lokal - Wavelet)\nKantenschärfe\nBenachbarte Pixel +HISTORY_MSG_909;(Lokal - Wavelet\nKantenschärfe\nAlle Werkzeuge anzeigen +HISTORY_MSG_910;(Lokal - Wavelet)\nKantenperformance +HISTORY_MSG_911;(Lokal - Unschärfe)\nChrominanz Luminanz +HISTORY_MSG_912;(Lokal - Unschärfe)\nAnpassbarer Filter Intensität +HISTORY_MSG_913;(Lokal - Wavelet)\nTonwertkorrektur\nDämpfungsreaktion +HISTORY_MSG_914;(Lokal - Wavelet)\nUnschärfeebenen\nDämpfungsreaktion +HISTORY_MSG_915;(Lokal - Wavelet)\nKantenschärfe\nDämpfungsreaktion +HISTORY_MSG_916;(Lokal - Wavelet)\nRestbild Schatten +HISTORY_MSG_917;(Lokal - Wavelet)\nRestbild\nSchwellenwert Schatten +HISTORY_MSG_918;(Lokal - Wavelet)\nRestbild Lichter +HISTORY_MSG_919;(Lokal - Wavelet)\nRestbild\nSchwellenwert Lichter +HISTORY_MSG_920;(Lokal - Wavelet)\nKontrast\nDämpfungsreaktion +HISTORY_MSG_921;(Lokal - Wavelet)\nVerlaufsfilter\nDämpfungsreaktion +HISTORY_MSG_922;(Lokal - Spot)\nSpeziell\nÄnderungen in Schwarz-Weiß erzwingen +HISTORY_MSG_923;(Lokal - Werkzeug)\nKomplexität +HISTORY_MSG_924;(Lokal - Werkzeug)\nKomplexität +HISTORY_MSG_925;(Lokal - Spot)\nAnwendungsbereich\nFarbwerkzeuge +HISTORY_MSG_926;(Lokal - Unschärfe) Rauschreduzierung\nMaskenauswahl +HISTORY_MSG_927;(Lokal - Unschärfe)\nMaske\nSchatten +HISTORY_MSG_928;(Lokal - Normale Farbmaske) +HISTORY_MSG_929;(Lokal - Normale Farbmaske)\nIntensität +HISTORY_MSG_930;(Lokal - Normale Farbmaske)\nÜberlagerung Luminanzmaske +HISTORY_MSG_931;(Lokal - Normale Farbmaske)\nMaske +HISTORY_MSG_932;(Lokal - Normale Farbmaske)\nRadius +HISTORY_MSG_933;(Lokal - Normale Farbmaske)\nSchwellenwert Laplace +HISTORY_MSG_934;(Lokal - Normale Farbmaske)\nFarbintensität +HISTORY_MSG_935;(Lokal - Normale Farbmaske)\nGamma +HISTORY_MSG_936;(Lokal - Normale Farbmaske)\nSteigung +HISTORY_MSG_937;(Lokal - Normale Farbmaske)\nKurve C(C) +HISTORY_MSG_938;(Lokal - Normale Farbmaske)\nKurve L(L) +HISTORY_MSG_939;(Lokal - Normale Farbmaske)\nKurve LC(H) +HISTORY_MSG_940;(Lokal - Normale Farbmaske)\nStrukturmaske als Werkzeug +HISTORY_MSG_941;(Lokal - Normale Farbmaske)\nIntensität Strukturmaske +HISTORY_MSG_942;(Lokal - Normale Farbmaske)\nKurve H(H) +HISTORY_MSG_943;(Lokal - Normale Farbmaske)\nSchnelle Fouriertransformation +HISTORY_MSG_944;(Lokal - Normale Farbmaske)\nUnschärfemaske\nUnschärferadius +HISTORY_MSG_945;(Lokal - Normale Farbmaske)\nUnschärfemaske\nSchwellenwert Kontrast +HISTORY_MSG_946;(Lokal - Normale Farbmaske)\nSchatten +HISTORY_MSG_947;(Lokal - Normale Farbmaske)\nKontrastkurve +HISTORY_MSG_948;(Lokal - Normale Farbmaske)\nWavelet-Kurve +HISTORY_MSG_949;(Lokal - Normale Farbmaske)\nWavelet-Ebenen +HISTORY_MSG_950;(Lokal - Normale Farbmaske)\nVerlaufsfiltermaske\nIntensität +HISTORY_MSG_951;(Lokal - Normale Farbmaske)\nVerlaufsfiltermaske\nRotationswinkel +HISTORY_MSG_952;(Lokal - Normale Farbmaske)\nRadius +HISTORY_MSG_953;(Lokal - Normale Farbmaske)\nÜberlagerung Chrominanzmaske +HISTORY_MSG_954;(Lokal)\nWerkzeuge einblenden/ausblenden +HISTORY_MSG_955;(Lokal) - Spot aktivieren +HISTORY_MSG_956;(Lokal - Farbe-Licht)\nCH-Kurve +HISTORY_MSG_957;(Lokal - Rauschminderung)\nModus +HISTORY_MSG_958;(Lokal) - Zus. Einstellungen +HISTORY_MSG_959;(Lokal - Unschärfe)\nInvertieren +HISTORY_MSG_960;(Lokal - LOG-Kodierung)\nCAT16 +HISTORY_MSG_961;(Lokal - LOG-Kodierung)\nCIECAM +HISTORY_MSG_962;(Lokal - LOG-Kodierung)\nAbsolute Luminanzquelle +HISTORY_MSG_963;(Lokal - LOG-Kodierung)\nAbsolutes Luminanzziel +HISTORY_MSG_964;(Lokal - LOG-Kodierung)\nUmgebung +HISTORY_MSG_965;(Lokal - LOG-Kodierung)\nSättigung s +HISTORY_MSG_966;(Lokal - LOG-Kodierung)\nKontrast J +HISTORY_MSG_967;(Lokal - LOG-Kodierung)\nMaske Kurve C +HISTORY_MSG_968;(Lokal - LOG-Kodierung)\nMaske Kurve L +HISTORY_MSG_969;(Lokal - LOG-Kodierung)\nMaske Kurve H +HISTORY_MSG_970;(Lokal - LOG-Kodierung)\nMaske +HISTORY_MSG_971;(Lokal - LOG-Kodierung)\nMaske überlagern +HISTORY_MSG_972;(Lokal - LOG-Kodierung)\nMaske Radius +HISTORY_MSG_973;(Lokal - LOG-Kodierung)\nMaske Chroma +HISTORY_MSG_974;(Lokal - LOG-Kodierung)\nMaske Kontrast +HISTORY_MSG_975;(Lokal - LOG-Kodierung)\nHelligkeit J +HISTORY_MSG_977;(Lokal - LOG-Kodierung)\nKontrast Q +HISTORY_MSG_978;(Lokal - LOG-Kodierung)\nSichere Quelle +HISTORY_MSG_979;(Lokal - LOG-Kodierung)\nHelligkeit Q +HISTORY_MSG_980;(Lokal - LOG-Kodierung)\nFarbigkeit M +HISTORY_MSG_981;(Lokal - LOG-Kodierung)\nIntensität +HISTORY_MSG_982;(Lokal - Rauschminderung)\nEqualizer Farbton +HISTORY_MSG_983;(Lokal - Rauschminderung)\nWiederherstellung\nSchwellenwert Maske hell +HISTORY_MSG_984;(Lokal - Rauschminderung)\nWiederherstellung\nSchwellenwert Maske dunkel +HISTORY_MSG_985;(Lokal - Rauschminderung)\nLuminanzmaske\nLaplace +HISTORY_MSG_986;(Lokal - Rauschminderung)\nDunkle und helle Bereiche verstärken +HISTORY_MSG_987;(Lokal - Verlaufsfilter)\nSchwellenwert Wiederherstellung +HISTORY_MSG_988;(Lokal - Verlaufsfilter)\nSchwellenwert Maske dunkel +HISTORY_MSG_989;(Lokal - Verlaufsfilter)\nSchwellenwert Maske hell +HISTORY_MSG_990;(Lokal - Rauschminderung)\nWiederherstellung\nSchwelle +HISTORY_MSG_991;(Lokal - Rauschminderung)\nSchwellenwert Maske dunkel +HISTORY_MSG_992;(Lokal - Rauschminderung)\nSchwellenwert Maske hell +HISTORY_MSG_993;(Lokal - Rauschminderung)\nInvertieren +HISTORY_MSG_994;(Lokal - Verlaufsfilter)\nInvertieren +HISTORY_MSG_995;(Lokal - Rauschminderung)\nZerfallrate +HISTORY_MSG_996;(Lokal - Farbe-Licht)\nWiederherstellung\nSchwelle +HISTORY_MSG_997;(Lokal - Farbe-Licht)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_998;(Lokal - Farbe-Licht)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_999;(Lokal - Farbe-Licht)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1000;(Lokal - Rauschminderung)\nLuminanz Graubereiche +HISTORY_MSG_1001;(Lokal - LOG-Kodierung)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1002;(Lokal - LOG-Kodierung)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1003;(Lokal - LOG-Kodierung)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1004;(Lokal - LOG-Kodierung)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1005;(Lokal - Dynamik u. Belichtung)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1006;(Lokal - Dynamik u. Belichtung)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1007;(Lokal - Dynamik u. Belichtung)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1008;(Lokal - Dynamik u. Belichtung)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1009;(Lokal - Schatten/Lichter)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1010;(Lokal - Schatten/Lichter)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1011;(Lokal - Schatten/Lichter)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1012;(Lokal - Schatten/Lichter)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1013;(Lokal - Farbtemperatur)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1014;(Lokal - Farbtemperatur)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1015;(Lokal - Farbtemperatur)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1016;(Lokal - Farbtemperatur)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1017;(Lokal - Lokaler Kontrast)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1018;(Lokal - Lokaler Kontrast)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1019;(Lokal - Lokaler Kontrast)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1020;(Lokal - Lokaler Kontrast)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1021;(Lokal - Rauschminderung)\nChrominanz Graubereiche +HISTORY_MSG_1022;(Lokal - Tonwert)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1023;(Lokal - Tonwert)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1024;(Lokal - Tonwert)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1025;(Lokal - Tonwert)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1026;(Lokal - Detailebenen-Kontrast)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1027;(Lokal - Detailebenen-Kontrast)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1028;(Lokal - Detailebenen-Kontrast)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1029;(Lokal - Detailebenen-Kontrast)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1030;(Lokal - Retinex)\nWiederherstellung\nSchwellenwert +HISTORY_MSG_1031;(Lokal - Retinex)\nWiederherstellung\nSchwellenwert dunkel +HISTORY_MSG_1032;(Lokal - Retinex)\nWiederherstellung\nSchwellenwert hell +HISTORY_MSG_1033;(Lokal - Retinex)\nWiederherstellung\nZerfallrate +HISTORY_MSG_1034;(Lokal - Rauschminderung)\nNicht-lokales Mittel\nIntensität +HISTORY_MSG_1035;(Lokal - Rauschminderung)\nNicht-lokales Mittel\nDetailwiederherstellung +HISTORY_MSG_1036;(Lokal - Rauschminderung)\nNicht-lokales Mittel\nObjektgröße +HISTORY_MSG_1037;(Lokal - Rauschminderung)\nNicht-lokales Mittel\nRadius +HISTORY_MSG_1038;(Lokal - Rauschminderung)\nNicht-lokales Mittel\nGamma +HISTORY_MSG_1039;(Lokal - Unschärfe)\nKörnung Gamma +HISTORY_MSG_1040;(Lokal - Spot)\nSpeziell\nRadius +HISTORY_MSG_1041;(Lokal - Spot)\nSpeziell\nNur Munsell +HISTORY_MSG_1042;(Lokal - LOG-Kodierung)\nSchwellenwert +HISTORY_MSG_1043;(Lokal - Dynamik u. Belichtung)\nNormalisieren +HISTORY_MSG_1044;(Lokal - Lokaler Kontrast)\nGesamtintensität +HISTORY_MSG_1045;(Lokal - Farbe-Licht)\nGesamtintensität +HISTORY_MSG_1046;(Lokal - Rauschminderung)\nGesamtintensität +HISTORY_MSG_1047;(Lokal - Schatten/Lichter)\nGesamtintensität +HISTORY_MSG_1048;(Lokal - Dynamik u. Belichtung)\nGesamtintensität +HISTORY_MSG_1049;(Lokal - Tonwert)\nGesamtintensität +HISTORY_MSG_1050;(Lokal - LOG-Kodierung)\nChroma +HISTORY_MSG_1051;(Lokal - Lokaler Kontrast)\nRestbild\nGamma +HISTORY_MSG_1052;(Lokal - Lokaler Kontrast\nRestbild\nSteigung +HISTORY_MSG_1053;(Lokal - Rauschminderung)\nRauschreduzierung\nGamma +HISTORY_MSG_1054;(Lokal - Lokaler Kontrast)\nWavelet\nGamma +HISTORY_MSG_1055;(Lokal - Farbe u. Licht)\nGamma +HISTORY_MSG_1056;(Lokal - Dynamik u. Belichtung)\nDynamikkompression\nGamma +HISTORY_MSG_1057;(Lokal - CIECAM) +HISTORY_MSG_1058;(Lokal - CIECAM)\nGesamtintensität +HISTORY_MSG_1059;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nAutomatisch +HISTORY_MSG_1060;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nMittlere Luminanz +HISTORY_MSG_1061;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nAbsolute Luminanz +HISTORY_MSG_1062;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nUmgebung +HISTORY_MSG_1063;(Lokal - CIECAM)\nCAM16 - Farbe\nSättigung +HISTORY_MSG_1064;(Lokal - CIECAM)\nCAM16 - Farbe\nChroma +HISTORY_MSG_1062;(Lokal - CIECAM)\nHelligkeit +HISTORY_MSG_1063;(Lokal - CIECAM)\nHelligkeit +HISTORY_MSG_1064;(Lokal - CIECAM)\nSchwellenwert +HISTORY_MSG_1065;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (J) +HISTORY_MSG_1066;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (Q) +HISTORY_MSG_1067;(Lokal - CIECAM)\nCAM16 - Kontrast\nKontrast (J) +HISTORY_MSG_1068;(Lokal - CIECAM)\nCAM16 - Kontrast\nSchwellenwert Kontrast +HISTORY_MSG_1069;(Lokal - CIECAM)\nCAM16 - Kontrast\nKontrast (Q) +HISTORY_MSG_1070;(Lokal - CIECAM)\nCAM16 - Farbe\nBuntheit +HISTORY_MSG_1071;(Lokal - CIECAM)\nBetrachtungsbedingungen\nAbsolute Luminanz +HISTORY_MSG_1072;(Lokal - CIECAM)\nBetrachtungsbedingungen\nMittlere Luminanz +HISTORY_MSG_1073;(Lokal - CIECAM)\nBetrachtungsbedingungen\nChromatische Adaption/Cat16 +HISTORY_MSG_1074;(Lokal - CIECAM)\nCAM16 - Kontrast\nLokaler Kontrast +HISTORY_MSG_1075;(Lokal - CIECAM)\nBetrachtungsbedingungen\nUmgebung +HISTORY_MSG_1076;(Lokal - CIECAM)\nBereich +HISTORY_MSG_1077;(Lokal - CIECAM)\nWerkzeugmodus +HISTORY_MSG_1078;(Lokal - CIECAM)\nCAM16 - Farbe\nHautfarbtöne schützen +HISTORY_MSG_1079;(Lokal - CIECAM)\nSigmoid\nKontraststärke +HISTORY_MSG_1080;(Lokal - CIECAM)\nSigmoid\nSchwellenwert +HISTORY_MSG_1081;(Lokal - CIECAM)\nSigmoid\nÜberlagern +HISTORY_MSG_1082;(Lokal - CIECAM)\nSigmoid\nSchwarz-Ev Weiß-Ev verwenden +HISTORY_MSG_1083;(Lokal - CIECAM)\nCAM16 - Farbe\nFarbtonverschiebung +HISTORY_MSG_1084;(Lokal - CIECAM)\nSchwarz-Ev Weiß-Ev verwenden +HISTORY_MSG_1085;(Lokal - CIECAM)\nJz Cz Hz\nHelligkeit +HISTORY_MSG_1086;(Lokal - CIECAM)\nJz Cz Hz\nKontrast +HISTORY_MSG_1087;(Lokal - CIECAM)\nJz Cz Hz\nChroma +HISTORY_MSG_1088;(Lokal - CIECAM)\nJz Cz Hz\nFarbton +HISTORY_MSG_1089;(Lokal - CIECAM)\nSigmoid Jz\nKontraststärke +HISTORY_MSG_1090;(Lokal - CIECAM)\nSigmoid Jz\nSchwellenwert +HISTORY_MSG_1091;(Lokal - CIECAM)\nSigmoid Jz\nÜberlagern +HISTORY_MSG_1092;(Lokal - CIECAM)\nJz Zuordnung\nPU Anpassung +HISTORY_MSG_1093;(Lokal - CIECAM)\nCAM Modell +HISTORY_MSG_1094;(Lokal - CIECAM)\nJz Lichter +HISTORY_MSG_1095;(Lokal - CIECAM)\nTonwertbreite Jz Lichter +HISTORY_MSG_1096;(Lokal - CIECAM)\nJz Schatten +HISTORY_MSG_1097;(Lokal - CIECAM)\nTonwertbreite Jz Schatten +HISTORY_MSG_1098;(Lokal - CIECAM)\nJz Radius +//HISTORY_MSG_1099;(Lokal) - Hz(Hz)-Kurve +HISTORY_MSG_1099;(Lokal - CIECAM)\nJz Cz Hz\nKurve Cz(Hz) +HISTORY_MSG_1100;(Lokal - CIECAM)\nJz Zuordnung\nReferenz 100 +HISTORY_MSG_1101;(Lokal - CIECAM)\nJz Zuordnung\nPQ Peak Luminanz +HISTORY_MSG_1102;(Lokal - CIECAM)\nKurve Jz(Hz) +HISTORY_MSG_1103;(Lokal - CIECAM)\nGamma Lebendigkeit +HISTORY_MSG_1104;(Lokal - CIECAM)\nGamma Schärfe +HISTORY_MSG_1105;(Lokal - CIECAM)\nTonmethode +HISTORY_MSG_1106;(Lokal - CIECAM)\nTonkurve +HISTORY_MSG_1107;(Lokal - CIECAM)\nFarbmethode +HISTORY_MSG_1108;(Lokal - CIECAM)\nFarbkurve +HISTORY_MSG_1109;(Lokal - CIECAM)\nKurve Jz(Jz) +HISTORY_MSG_1110;(Lokal - CIECAM)\nKurve Cz(Cz) +HISTORY_MSG_1111;(Lokal - CIECAM)\nKurve Cz(Jz) +HISTORY_MSG_1112;(Lokal - CIECAM)\nErzwinge jz +HISTORY_MSG_1113;(Lokal - CIECAM)\nCAM16\nHDR PQ +HISTORY_MSG_1114;(Lokal - CIECAM)\nMaske aktivieren +HISTORY_MSG_1115;(Lokal - CIECAM)\nMaske\nKurve C +HISTORY_MSG_1116;(Lokal - CIECAM)\nMaske\nKurve L +HISTORY_MSG_1117;(Lokal - CIECAM)\nMaske\nKurve LC(h) +HISTORY_MSG_1118;(Lokal - CIECAM)\nMaske\nÜberlagerung +HISTORY_MSG_1119;(Lokal - CIECAM)\nMaske\nGlättradius +HISTORY_MSG_1120;(Lokal - CIECAM)\nMaske\nFarbintensität +HISTORY_MSG_1121;(Lokal - CIECAM)\nMaske\nKontrastkurve +HISTORY_MSG_1122;(Lokal - CIECAM)\nMaske\nSchwelle Wiederherstellung +HISTORY_MSG_1123;(Lokal - CIECAM)\nMaske\nSchwelle dunkel +HISTORY_MSG_1124;(Lokal - CIECAM)\nMaske\nSchwelle hell +HISTORY_MSG_1125;(Lokal - CIECAM)\nMaske\nZerfallrate +HISTORY_MSG_1126;(Lokal - CIECAM)\nMaske\nSchwelle Laplace +HISTORY_MSG_1127;(Lokal - CIECAM)\nMaske\nGamma +HISTORY_MSG_1128;(Lokal - CIECAM)\nMaske\nSteigung +HISTORY_MSG_1129;(Lokal - CIECAM)\nJz Cz Hz\nRelative Helligkeit +HISTORY_MSG_1130;(Lokal - CIECAM)\nJz Cz Hz\nSättigung +HISTORY_MSG_1131;(Lokal - Maske)\nRauschminderung Chroma +HISTORY_MSG_1132;(Lokal - CIECAM)\nWavelet Jz\nDämpfungsreaktion +HISTORY_MSG_1133;(Lokal - CIECAM)\nWavelet Jz\nEbenen +HISTORY_MSG_1134;(Lokal - CIECAM)\nWavelet Jz\nLokaler Kontrast +HISTORY_MSG_1135;(Lokal - CIECAM)\nWavelet Jz\nLuma zusammenführen +HISTORY_MSG_1136;(Lokal - CIECAM)\nWavelet Jz\nChroma zusammenführen +HISTORY_MSG_1137;(Lokal - CIECAM)\nWavelet Jz\nGlättradius +HISTORY_MSG_1138;(Lokal - CIECAM)\nJz Cz Hz\nKurve Hz(Hz) +HISTORY_MSG_1139;(Lokal - CIECAM)\nJz Cz Hz\nKurven H\nGlättradius +HISTORY_MSG_1140;(Lokal - CIECAM)\nJz Cz Hz\nKurve Jz(Hz)\nSchwelle Chroma +HISTORY_MSG_1141;(Lokal - CIECAM)\nChroma-Kurve Jz(Hz) +HISTORY_MSG_1142;(Lokal) - Stärke Glätten +HISTORY_MSG_1143;(Lokal - CIECAM)\nSchwarz-Ev +HISTORY_MSG_1144;(Lokal - CIECAM)\nWeiß-Ev +HISTORY_MSG_1145;(Lokal - CIECAM)\nLOG-Kodierung Jz +HISTORY_MSG_1146;(Lokal - CIECAM)\nLOG-Kodierung Jz\nMittlere Helligkeit +HISTORY_MSG_1147;(Lokal - CIECAM)\nSigmoid Jz\nVerwendet Schwarz-Ev Weiß-Ev +HISTORY_MSG_1148;(Lokal - CIECAM)\nSigmoid Jz +HISTORY_MSG_1149;(Lokal - CIECAM)\nSigmoid Q +HISTORY_MSG_1150;(Lokal - CIECAM)\nSigmoid\nLOG-Kodierung anstatt Sigmoid +HISTORY_MSG_BLSHAPE;(Erweitert - Wavelet)\nUnschärfeebenen\nUnschärfe nach Ebenen +HISTORY_MSG_BLURCWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Buntheit +HISTORY_MSG_BLURWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Helligkeit +HISTORY_MSG_BLUWAV;(Erweitert - Wavelet)\nUnschärfeebenen\nDämpfungsreaktion +HISTORY_MSG_CATCAT;CAT02/16 Modus +HISTORY_MSG_CAT02PRESET;CAT02/16 automatisch +HISTORY_MSG_CATCOMPLEX;(Erweitert - CIECAM)\nKomplexität +HISTORY_MSG_CATMODEL;(Erweitert - CIECAM)\nCAM Modell +HISTORY_MSG_CLAMPOOG;(Belichtung) - Farben\nAuf Farbraum beschränken +HISTORY_MSG_COLORTONING_LABGRID_VALUE;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur +HISTORY_MSG_COLORTONING_LABREGION_AB;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich +HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Kanal +HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - C-Maske +HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - H-Maske +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Helligkeit +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - L-Maske +HISTORY_MSG_COLORTONING_LABREGION_LIST;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Liste +HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Maskenunschärfe +HISTORY_MSG_COLORTONING_LABREGION_OFFSET;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Versatz +HISTORY_MSG_COLORTONING_LABREGION_POWER;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Verstärkung +HISTORY_MSG_COLORTONING_LABREGION_SATURATION;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Sättigung +HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Maske anzeigen +HISTORY_MSG_COLORTONING_LABREGION_SLOPE;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich - Steigung +HISTORY_MSG_COMPLEX;(Erweitert - Wavelet)\nKomplexität +HISTORY_MSG_COMPLEXRETI;(Erweitert - Retinex)\nKomplexität +HISTORY_MSG_DEHAZE_DEPTH;(Details - Bildschleier entfernen)\nTiefe +HISTORY_MSG_DEHAZE_ENABLED;(Details - Bildschleier entfernen) +HISTORY_MSG_DEHAZE_SATURATION;(Details - Bildschleier entfernen)\nSättigung +HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;(Details - Bildschleier entfernen)\nMaske anzeigen +HISTORY_MSG_DEHAZE_STRENGTH;(Details - Bildschleier entfernen)\nIntensität HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;(Sensor—Matrix)\nFarbinterpolation\nAuto-Kontrastschwelle -HISTORY_MSG_DUALDEMOSAIC_CONTRAST;(Sensor-Matrix)\nFarbinterpolation\nKontrastschwelle -HISTORY_MSG_FILMNEGATIVE_ENABLED;(Filmnegativ) -HISTORY_MSG_FILMNEGATIVE_VALUES;(Filmnegativ) - Werte +HISTORY_MSG_DUALDEMOSAIC_CONTRAST;(RAW - Sensor-Matrix)\nFarbinterpolation\nKontrastschwelle +HISTORY_MSG_EDGEFFECT;(Erweitert - Wavelet)\nKantenschärfung\nDämpfungsreaktion +HISTORY_MSG_FILMNEGATIVE_BALANCE;(Farbe - Negativfilm)\nAusgabestärke +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;(Farbe - Negativfilm)\nFarbraum +HISTORY_MSG_FILMNEGATIVE_ENABLED;(Farbe - Negativfilm) +HISTORY_MSG_FILMNEGATIVE_REF_SPOT;(Farbe - Negativfilm)\nReferenz Eingabe +HISTORY_MSG_FILMNEGATIVE_VALUES;(Farbe - Negativfilm)\nWerte HISTORY_MSG_HISTMATCHING;(Belichtung)\nAuto-Tonwertkurve -HISTORY_MSG_ICM_OUTPUT_PRIMARIES;(Farbmanagement)\nAusgabeprofil\nVorlagen -HISTORY_MSG_ICM_OUTPUT_TEMP;(Farbmanagement)\nAusgabeprofil\nIccV4-Illuminant D -HISTORY_MSG_ICM_OUTPUT_TYPE;(Farbmanagement)\nAusgabeprofil\nTyp -HISTORY_MSG_ICM_WORKING_GAMMA;(Farbmanagement)\nArbeitsfarbraum\nGamma -HISTORY_MSG_ICM_WORKING_SLOPE;(Farbmanagement)\nArbeitsfarbraum\nSteigung -HISTORY_MSG_ICM_WORKING_TRC_METHOD;(Farbmanagement)\nArbeitsfarbraum\nFarbtonkennlinie -HISTORY_MSG_LOCALCONTRAST_AMOUNT;(Lokaler Kontrast)\nIntensität -HISTORY_MSG_LOCALCONTRAST_DARKNESS;(Lokaler Kontrast)\nDunkle Bereiche -HISTORY_MSG_LOCALCONTRAST_ENABLED;(Lokaler Kontrast) -HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;(Lokaler Kontrast)\nHelle Bereiche -HISTORY_MSG_LOCALCONTRAST_RADIUS;(Lokaler Kontrast)\nRadius +HISTORY_MSG_HLBL;Farbübertragung - Unschärfe +HISTORY_MSG_ICM_OUTPUT_PRIMARIES;(Farbe - Farbmanagement)\nAusgabeprofil\nVorlagen +HISTORY_MSG_ICM_OUTPUT_TEMP;(Farbe - Farbmanagement)\nAusgabeprofil\nIccV4-Illuminant D +HISTORY_MSG_ICM_OUTPUT_TYPE;(Farbe - Farbmanagement)\nAusgabeprofil\nTyp +HISTORY_MSG_ICM_WORKING_GAMMA;(Farbe - Farbmanagement)\nAbstraktes Profil\nGamma Farbtonkennlinie +HISTORY_MSG_ICM_WORKING_SLOPE;(Farbe - Farbmanagement)\nAbstraktes Profil\nSteigung Farbtonkennlinie +HISTORY_MSG_ICM_WORKING_TRC_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nFarbtonkennlinie +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nBeleuchtung +HISTORY_MSG_ICM_WORKING_PRIM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nZielvorwahl +HISTORY_MSG_ICM_REDX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot X +HISTORY_MSG_ICM_REDY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot Y +HISTORY_MSG_ICM_GREX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün X +HISTORY_MSG_ICM_GREY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün Y +HISTORY_MSG_ICM_BLUX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau X +HISTORY_MSG_ICM_BLUY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau Y +HISTORY_MSG_ICL_LABGRIDCIEXY;CIE xy +HISTORY_MSG_ICM_AINTENT;(Farbe - Farbmanagement)\nAbstraktes Profil Ziel +HISTORY_MSG_ILLUM;Beleuchtung +HISTORY_MSG_ICM_FBW;(Farbe - Farbmanagement)\nAbstraktes Profil\nSchwarz-Weiß +HISTORY_MSG_ICM_PRESER;(Farbe - Farbmanagement)\nAbstraktes Profil\nPastelltöne erhalten +HISTORY_MSG_LOCALCONTRAST_AMOUNT;(Details - Lokaler Kontrast)\nIntensität +HISTORY_MSG_LOCALCONTRAST_DARKNESS;(Details - Lokaler Kontrast)\nDunkle Bereiche +HISTORY_MSG_LOCALCONTRAST_ENABLED;(Details - Lokaler Kontrast) +HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;(Details - Lokaler Kontrast)\nHelle Bereiche +HISTORY_MSG_LOCALCONTRAST_RADIUS;(Details - Lokaler Kontrast)\nRadius HISTORY_MSG_METADATA_MODE;(Metadaten)\nKopiermodus -HISTORY_MSG_MICROCONTRAST_CONTRAST;(Mikrokontrast)\nKontrastschwelle -HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;(Eingangsschärfung)\nAuto-Schwelle -HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;(Eingangsschärfung)\nAuto-Radius -HISTORY_MSG_PDSHARPEN_CONTRAST;(Eingangsschärfung)\nKontrastschwelle -HISTORY_MSG_PDSHARPEN_GAMMA;(Eingangsschärfung)\nGamma -HISTORY_MSG_PDSHARPEN_ITERATIONS;(Eingangsschärfung)\nIterationen -HISTORY_MSG_PDSHARPEN_RADIUS;(Eingangsschärfung)\nRadius -HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;(Eingangsschärfung)\nRandschärfe erhöhen -HISTORY_MSG_PIXELSHIFT_DEMOSAIC;(Sensor-Matrix)\nFarbinterpolation - PS\nBewegungsmethode -HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;(Sensor-Matrix)\nVorverarbeitung\nRichtung -HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;(Sensor-Matrix)\nVorverarbeitung\nPDAF-Zeilenfilter -HISTORY_MSG_PRSHARPEN_CONTRAST;(Skalieren) - Schärfen\nKontrastschwelle -HISTORY_MSG_RAWCACORR_AUTOIT;(Sensor-Matrix)\nChromatische Aberration\nIterationen -HISTORY_MSG_RAWCACORR_COLORSHIFT;(Sensor-Matrix)\nChromatische Aberration\nFarbverschiebungen\nvermeiden -HISTORY_MSG_RAW_BORDER;(Sensor-Matrix)\nFarbinterpolation\nBildrand -HISTORY_MSG_RESIZE_ALLOWUPSCALING;(Skalieren)\nHochskalieren zulassen -HISTORY_MSG_SHARPENING_BLUR;(Schärfung)\nWeichzeichnerradius -HISTORY_MSG_SHARPENING_CONTRAST;(Schärfung)\nKontrastschwelle -HISTORY_MSG_SHARPENING_GAMMA;(Schärfung) - Gamma -HISTORY_MSG_SH_COLORSPACE;Farbraum -HISTORY_MSG_SOFTLIGHT_ENABLED;(Weiches Licht) -HISTORY_MSG_SOFTLIGHT_STRENGTH;(Weiches Licht)\nIntensität -HISTORY_MSG_SPOT;Fleckenentfernung -HISTORY_MSG_SPOT_ENTRY;Fleckenentfernung - Punkt bearb. -HISTORY_MSG_TM_FATTAL_ANCHOR;(Dynamikkompression)\nHelligkeitsverschiebung +HISTORY_MSG_MICROCONTRAST_CONTRAST;(Details - Mikrokontrast)\nKontrastschwelle +HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;(RAW - Eingangsschärfung)\nAuto-Schwelle +HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;(RAW - Eingangsschärfung)\nAuto-Radius +HISTORY_MSG_PDSHARPEN_CHECKITER;(RAW - Eingangsschärfung)\nIterationen automatisch limitieren +HISTORY_MSG_PDSHARPEN_CONTRAST;(RAW - Eingangsschärfung)\nKontrastschwelle +HISTORY_MSG_PDSHARPEN_ITERATIONS;(RAW - Eingangsschärfung)\nIterationen +HISTORY_MSG_PDSHARPEN_RADIUS;(RAW - Eingangsschärfung)\nRadius +HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;(RAW - Eingangsschärfung)\nRandschärfe erhöhen +HISTORY_MSG_PERSP_CAM_ANGLE;(Transformieren - Perspektive)\nKamerawinkel +HISTORY_MSG_PERSP_CAM_FL;(Transformieren - Perspektive)\nKamera +HISTORY_MSG_PERSP_CAM_SHIFT;(Transformieren - Perspektive)\nKamera +HISTORY_MSG_PERSP_CTRL_LINE;(Transformieren - Perspektive)\nKontrolllinien +HISTORY_MSG_PERSP_METHOD;(Transformieren - Perspektive)\nMethode +HISTORY_MSG_PERSP_PROJ_ANGLE;(Transformieren - Perspektive)\nWiederherstellen +HISTORY_MSG_PERSP_PROJ_ROTATE;(Transformieren - Perspektive)\nPCA-Rotation +HISTORY_MSG_PERSP_PROJ_SHIFT;(Transformieren - Perspektive)\nPCA +HISTORY_MSG_PIXELSHIFT_AVERAGE;(RAW - Sensor-MatrixPixelShift)\nFarbinterpolation - PS\nBewegungsdurchschnitt +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegungsmethode +HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;(RAW - Sensor-Matrix)\nVorverarbeitung\nRichtung +HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;(RAW - Sensor-Matrix)\nVorverarbeitung\nPDAF-Zeilenfilter +HISTORY_MSG_PREPROCWB_MODE;(RAW - Vorverarbeitung WB)\nModus +HISTORY_MSG_PROTAB;(Erweitert - Wavelet)\nTönung\nSchutz +HISTORY_MSG_PRSHARPEN_CONTRAST;(Transformieren - Skalieren)\nSchärfen\nKontrastschwelle +HISTORY_MSG_RANGEAB;(Erweitert - Wavelet)\nTönung\nBereich ab +HISTORY_MSG_RAWCACORR_AUTOIT;(RAW - Sensor-Matrix)\nChromatische Aberration\nIterationen +HISTORY_MSG_RAWCACORR_COLORSHIFT;(RAW - Sensor-Matrix)\nChromatische Aberration\nFarbverschiebungen vermeiden +HISTORY_MSG_RAW_BORDER;(RAW - Sensor-Matrix)\nFarbinterpolation\nBildrand +HISTORY_MSG_RESIZE_ALLOWUPSCALING;(Transformieren - Skalieren)\nHochskalieren zulassen +HISTORY_MSG_RESIZE_LONGEDGE;(Transformieren - Skalieren)\nLange Kante +HISTORY_MSG_RESIZE_SHORTEDGE;(Transformieren - Skalieren)\nKurze Kante +HISTORY_MSG_SHARPENING_BLUR;(Details - Schärfung)\nWeichzeichnerradius +HISTORY_MSG_SHARPENING_CONTRAST;(Details - Schärfung)\nKontrastschwelle +HISTORY_MSG_SH_COLORSPACE;(Belichtung - Schatten/Lichter)\nFarbraum +HISTORY_MSG_SIGMACOL;(Erweitert - Wavelet)\nFarbe\nDämpfungsreaktion +HISTORY_MSG_SIGMADIR;(Erweitert - Wavelet)\nEndretusche - direktionaler Kontrast\nDämpfungsreaktion +HISTORY_MSG_SIGMAFIN;(Erweitert - Wavelet)\nEndretusche - finaler Lokaler Kontrast\nDämpfungsreaktion +HISTORY_MSG_SIGMATON;(Erweitert - Wavelet)\nTönung\nDämpfungsreaktion +HISTORY_MSG_SOFTLIGHT_ENABLED;(Farbe - Weiches Licht) +HISTORY_MSG_SOFTLIGHT_STRENGTH;(Farbe - Weiches Licht)\nIntensität +HISTORY_MSG_SPOT;(Details - Flecken entfernen) +HISTORY_MSG_SPOT_ENTRY;(Details -Flecken entfernen)\nPunkt modifiziert +HISTORY_MSG_TEMPOUT;CAM02 Temperatur Automatik +HISTORY_MSG_THRESWAV;(Balance) Schwellenwert +HISTORY_MSG_TM_FATTAL_ANCHOR;(Belichtung - Dynamikkompression)\nHelligkeitsverschiebung +HISTORY_MSG_TRANS_METHOD;(Transformieren - Objektivkorrektur)\nMethode +HISTORY_MSG_WAVBALCHROM;(Erweitert - Wavelet)\nRauschreduzierung\nFarb-Equalizer +HISTORY_MSG_WAVBALLUM;(Erweitert - Wavelet)\nRauschreduzierung\nEqualizer Luminanz +HISTORY_MSG_WAVBL;(Erweitert - Wavelet)\nUnschärfeebenen +HISTORY_MSG_WAVCHROMCO;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz grob +HISTORY_MSG_WAVCHROMFI;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz fein +HISTORY_MSG_WAVCHR;(Erweitert - Wavelet)\nUnschärfeebenen\nChroma-Unschärfe +HISTORY_MSG_WAVCLARI;(Erweitert - Wavelet)\nSchärfemaske und Klarheit +HISTORY_MSG_WAVDENLH;(Erweitert - Wavelet)\nRauschreduzierung\nEbenen 5-6 +HISTORY_MSG_WAVDENMET;(Erweitert - Wavelet)\nLokaler Equalizer +HISTORY_MSG_WAVDENOISE;(Erweitert - Wavelet)\nRauschreduzierung\nKurve Lokaler Kontrast +HISTORY_MSG_WAVDENOISEH;(Erweitert - Wavelet)\nLokaler Kontrast der oberen Ebenen +HISTORY_MSG_WAVDETEND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nDetails +HISTORY_MSG_WAVEDGS;(Erweitert - Wavelet)\nRestbild - Kompression\nKantenschutz +HISTORY_MSG_WAVGUIDH;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nEqualizer Farbton +HISTORY_MSG_WAVHUE;(Erweitert - Wavelet)\nEqualizer Farbton +HISTORY_MSG_WAVLEVDEN;(Erweitert - Wavelet)\nKontrast\nSchwellenwert hoher Kontrast +HISTORY_MSG_WAVLEVSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius +HISTORY_MSG_WAVLABGRID_VALUE;(Erweitert - Wavelet)\nTönung\nAusgeschlossene Farben +HISTORY_MSG_WAVLEVELSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius +HISTORY_MSG_WAVLIMDEN;(Erweitert - Wavelet)\nRauschreduzierung\nInteraktion der Ebenen 5-6 mit 1-4 +HISTORY_MSG_WAVLOWTHR;(Erweitert - Wavelet)\nKontrast\nSchwellenwert niedriger Kontrast +HISTORY_MSG_WAVMERGEC;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nChroma zusammenführen +HISTORY_MSG_WAVMERGEL;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nLuma zusammenführen +HISTORY_MSG_WAVMIXMET;(Erweitert - Wavelet)\nRauschreduzierung\nReferenz +HISTORY_MSG_WAVOFFSET;(Erweitert - Wavelet)\nKontrast\nVersatz +HISTORY_MSG_WAVOLDSH;(Erweitert - Wavelet)\nAlter Algorithmus +HISTORY_MSG_WAVQUAMET;(Erweitert - Wavelet)\nRauschreduzierung\nModus +HISTORY_MSG_WAVRADIUS;(Erweitert - Wavelet)\nRestbild - Schatten/Lichter\nRadius +HISTORY_MSG_WAVSCALE;(Erweitert - Wavelet)\nRestbild - Kompression\nSkalieren +HISTORY_MSG_WAVSHOWMASK;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nWaveletmaske anzeigen +HISTORY_MSG_WAVSIGM;(Erweitert - Wavelet)\nKontrast\nSigma +HISTORY_MSG_WAVSIGMA;(Erweitert - Wavelet)\nKontrast\nDämpfungsreaktion +HISTORY_MSG_WAVSLIMET;(Erweitert - Wavelet)\nRauschreduzierung\nMethode +HISTORY_MSG_WAVSOFTRAD;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nRadius +HISTORY_MSG_WAVSOFTRADEND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nRadius +HISTORY_MSG_WAVSTREND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nIntensität +HISTORY_MSG_WAVTHRDEN;(Erweitert - Wavelet)\nRauschreduzierung\nSchwellenwert +HISTORY_MSG_WAVTHREND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nSchwellenwert Lokaler Kontrast +HISTORY_MSG_WAVUSHAMET;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nMethode HISTORY_NEWSNAPSHOT;Hinzufügen HISTORY_NEWSNAPSHOT_TOOLTIP;Taste: Alt + s HISTORY_SNAPSHOT;Schnappschuss @@ -883,16 +1624,17 @@ ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Füge Gamma- und Steigungswerte der Beschrei ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Wenn leer, wird die Standardbeschreibung verwendet. ICCPROFCREATOR_GAMMA;Gamma ICCPROFCREATOR_ICCVERSION;ICC-Version: -ICCPROFCREATOR_ILL;Illuminant: +ICCPROFCREATOR_ILL;Beleuchtung: ICCPROFCREATOR_ILL_41;D41 ICCPROFCREATOR_ILL_50;D50 ICCPROFCREATOR_ILL_55;D55 ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater ICCPROFCREATOR_ILL_65;D65 ICCPROFCREATOR_ILL_80;D80 ICCPROFCREATOR_ILL_DEF;Vorgabe ICCPROFCREATOR_ILL_INC;StdA 2856K -ICCPROFCREATOR_ILL_TOOLTIP;Illuminant kann nur bei ICC-v4-Profilen\nverwendet werden. +ICCPROFCREATOR_ILL_TOOLTIP;Illuminant kann nur bei ICC-v4-Profilen verwendet werden. ICCPROFCREATOR_PRIMARIES;Vorlage: ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -902,6 +1644,7 @@ ICCPROFCREATOR_PRIM_BETA;BetaRGB ICCPROFCREATOR_PRIM_BLUX;Blau X ICCPROFCREATOR_PRIM_BLUY;Blau Y ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 ICCPROFCREATOR_PRIM_GREX;Grün X ICCPROFCREATOR_PRIM_GREY;Grün Y ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -909,60 +1652,60 @@ ICCPROFCREATOR_PRIM_REC2020;Rec2020 ICCPROFCREATOR_PRIM_REDX;Rot X ICCPROFCREATOR_PRIM_REDY;Rot Y ICCPROFCREATOR_PRIM_SRGB;sRGB -ICCPROFCREATOR_PRIM_TOOLTIP;Benutzerdefinierte Vorlagen können nur\nbei ICC-v4-Profilen verwendet werden. +ICCPROFCREATOR_PRIM_TOOLTIP;Benutzerdefinierte Vorlagen können nur bei ICC-v4-Profilen verwendet werden. ICCPROFCREATOR_PRIM_WIDEG;Widegamut ICCPROFCREATOR_PROF_V2;ICC v2 ICCPROFCREATOR_PROF_V4;ICC v4 ICCPROFCREATOR_SAVEDIALOG_TITLE;ICC-Profile speichern unter ... ICCPROFCREATOR_SLOPE;Steigung ICCPROFCREATOR_TRC_PRESET;Farbtonkennlinie: +INSPECTOR_WINDOW_TITLE;Inspektor IPTCPANEL_CATEGORY;Kategorie -IPTCPANEL_CATEGORYHINT;Beschreibt das Thema des Bildes nach\nMeinung des Anbieters. +IPTCPANEL_CATEGORYHINT;Beschreibt das Thema des Bildes nach Meinung des Anbieters. IPTCPANEL_CITY;Stadt -IPTCPANEL_CITYHINT;Tragen Sie den Namen der Stadt ein, in dem\ndieses Bild aufgenommen wurde. +IPTCPANEL_CITYHINT;Tragen Sie den Namen der Stadt ein, in dem dieses Bild aufgenommen wurde. IPTCPANEL_COPYHINT;IPTC-Werte in die Zwischenablage kopieren. IPTCPANEL_COPYRIGHT;Urheberrechtsvermerk -IPTCPANEL_COPYRIGHTHINT;Enthält jeglichen notwendigen Urheberrechtsvermerk wie\nz.B. © Copyright 2014 Erika Mustermann, all rights reserved. +IPTCPANEL_COPYRIGHTHINT;Enthält jeglichen notwendigen Urheberrechtsvermerk wie z.B. © Copyright 2014 Erika Mustermann, alle Rechte vorbehalten. IPTCPANEL_COUNTRY;Land -IPTCPANEL_COUNTRYHINT;Tragen Sie den Namen des Landes ein, in dem\ndieses Bild aufgenommen wurde. +IPTCPANEL_COUNTRYHINT;Tragen Sie den Namen des Landes ein, in dem dieses Bild aufgenommen wurde. IPTCPANEL_CREATOR;Ersteller -IPTCPANEL_CREATORHINT;Tragen Sie den Namen der Person ein,\ndie dieses Bild erstellt hat. +IPTCPANEL_CREATORHINT;Tragen Sie den Namen der Person ein, die dieses Bild erstellt hat. IPTCPANEL_CREATORJOBTITLE;Berufsbezeichnung des Erstellers -IPTCPANEL_CREATORJOBTITLEHINT;Geben Sie die Berufsbezeichnung der Person ein,\ndie im Feld Ersteller aufgeführt ist. +IPTCPANEL_CREATORJOBTITLEHINT;Geben Sie die Berufsbezeichnung der Person ein, die im Feld Ersteller aufgeführt ist. IPTCPANEL_CREDIT;Danksagung -IPTCPANEL_CREDITHINT;Geben Sie ein, wer aufgeführt werden muss,\nwenn das Bild veröffentlicht wird. +IPTCPANEL_CREDITHINT;Geben Sie ein, wer aufgeführt werden muss, wenn das Bild veröffentlicht wird. IPTCPANEL_DATECREATED;Erstellungsdatum -IPTCPANEL_DATECREATEDHINT;Geben Sie das Erstellungdatum des Bildes ein. +IPTCPANEL_DATECREATEDHINT;Geben Sie das Erstellungsdatum des Bildes ein. IPTCPANEL_DESCRIPTION;Beschreibung -IPTCPANEL_DESCRIPTIONHINT;Beschreiben Sie kurz "Wer", "Was" und "Warum",\nwas passiert in dem Bild und welche Rolle\nspielen die dargestellten Personen. +IPTCPANEL_DESCRIPTIONHINT;Beschreiben Sie kurz 'Wer', 'Was' und 'Warum', was passiert in dem Bild und welche Rolle spielen die dargestellten Personen. IPTCPANEL_DESCRIPTIONWRITER;Verfasser der Beschreibung -IPTCPANEL_DESCRIPTIONWRITERHINT;Tragen Sie den Namen der Person ein, die beim\nSchreiben, Ändern oder Korrigieren der Bildbe-\nschreibung involviert war. +IPTCPANEL_DESCRIPTIONWRITERHINT;Tragen Sie den Namen der Person ein, die beim Schreiben, Ändern oder Korrigieren der Bildbeschreibung involviert war. IPTCPANEL_EMBEDDED;Eingebettet IPTCPANEL_EMBEDDEDHINT;Setzt auf die im Bild eingebetteten IPTC-Daten zurück. IPTCPANEL_HEADLINE;Überschrift -IPTCPANEL_HEADLINEHINT;Tragen Sie eine kurze veröffentlichbare\nSynopsis, oder eine Zusammenfassung\ndes Bildinhalts ein. +IPTCPANEL_HEADLINEHINT;Tragen Sie eine kurze veröffentlichbare Synopsis, oder eine Zusammenfassung des Bildinhalts ein. IPTCPANEL_INSTRUCTIONS;Anweisungen -IPTCPANEL_INSTRUCTIONSHINT;Geben Sie weitere redaktionelle Anweisungen bezüglich\ndes Gebrauchs des Bildes ein, wie z. B. Sperrfristen,\nNutzungsbeschränkungen oder Warnungen, die nicht\nschon im Urheberrechtsvermerk aufgeführt sind. +IPTCPANEL_INSTRUCTIONSHINT;Geben Sie weitere redaktionelle Anweisungen bezüglich des Gebrauchs des Bildes ein, wie z.B. Sperrfristen, Nutzungsbeschränkungen oder Warnungen, die nicht schon im Urheberrechtsvermerk aufgeführt sind. IPTCPANEL_KEYWORDS;Stichwörter -IPTCPANEL_KEYWORDSHINT;Geben Sie beliebig viele Schlüsselwörter\nvon Ausdrücken oder Phrasen ein, um das\nThema des Bildes zu beschreiben. +IPTCPANEL_KEYWORDSHINT;Geben Sie beliebig viele Schlüsselwörter von Ausdrücken oder Phrasen ein, um das Thema des Bildes zu beschreiben. IPTCPANEL_PASTEHINT;IPTC-Werte aus der Zwischenablage einfügen -IPTCPANEL_PROVINCE;Bundesland / Kanton -IPTCPANEL_PROVINCEHINT;Tragen Sie den Namen des Bundeslandes / Kanton\nein, in dem dieses Bild aufgenommen wurde. +IPTCPANEL_PROVINCE;Bundesland/Kanton +IPTCPANEL_PROVINCEHINT;Tragen Sie den Namen des Bundeslandes/Kanton ein, in dem dieses Bild aufgenommen wurde. IPTCPANEL_RESET;Zurücksetzen IPTCPANEL_RESETHINT;Auf die im Profil gespeicherten Werte zurücksetzen IPTCPANEL_SOURCE;Quelle -IPTCPANEL_SOURCEHINT;Tragen Sie den Namen einer Person oder einer\nFirma ein, von der Sie das Bild erhalten haben\nund die eine wesentliche Rolle in der Lieferkette\nspielt. +IPTCPANEL_SOURCEHINT;Tragen Sie den Namen einer Person oder einer Firma ein, von der Sie das Bild erhalten haben und die eine wesentliche Rolle in der Lieferkette spielt. IPTCPANEL_SUPPCATEGORIES;Weitere Kategorien -IPTCPANEL_SUPPCATEGORIESHINT;Weitere Kategorien um das Thema\ndes Bildes genauer zu spezifizieren. +IPTCPANEL_SUPPCATEGORIESHINT;Weitere Kategorien um das Thema des Bildes genauer zu spezifizieren. IPTCPANEL_TITLE;Titel -IPTCPANEL_TITLEHINT;Geben Sie einen kurzen lesbaren Namen\nfür das Bild ein, z.B. den Dateinamen. +IPTCPANEL_TITLEHINT;Geben Sie einen kurzen lesbaren Namen für das Bild ein, z.B. den Dateinamen. IPTCPANEL_TRANSREFERENCE;Verarbeitungs-ID -IPTCPANEL_TRANSREFERENCEHINT;Geben Sie eine Kennung zur Kontrolle oder\nVerfolgung des Arbeitsablaufes ein. -LENSPROFILE_LENS_WARNING;Warnung: Der Cropfaktor des Profils entspricht nicht dem des Objektivs.\nDies kann zu einem fehlerhaften Ergebnis führen. +IPTCPANEL_TRANSREFERENCEHINT;Geben Sie eine Kennung zur Kontrolle oder Verfolgung des Arbeitsablaufes ein. MAIN_BUTTON_FULLSCREEN;Vollbild\nTaste: F11 MAIN_BUTTON_ICCPROFCREATOR;ICC-Profil erstellen. -MAIN_BUTTON_NAVNEXT_TOOLTIP;Navigiert zum nächsten Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das ausgewählte Miniaturbild.\nTaste: F4\n\nNavigiert zum nächsten Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf auf das im Editor geöffnete Bild.\nTaste: Umschalt + F4 -MAIN_BUTTON_NAVPREV_TOOLTIP;Navigiert zum vorherigen Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das ausgewählte Miniaturbild.\nTaste: F3\n\nNavigiert zum vorherigen Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf auf das im Editor geöffnete Bild.\nTaste: Umschalt + F3 +MAIN_BUTTON_NAVNEXT_TOOLTIP;Navigiert zum nächsten Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das ausgewählte Miniaturbild.\nTaste: F4\n\nNavigiert zum nächsten Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das im Editor geöffnete Bild.\nTaste: Umschalt + F4 +MAIN_BUTTON_NAVPREV_TOOLTIP;Navigiert zum vorherigen Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das ausgewählte Miniaturbild.\nTaste: F3\n\nNavigiert zum vorherigen Miniaturbild in der\nDateiverwaltung oder Filmstreifen bezogen\nauf das im Editor geöffnete Bild.\nTaste: Umschalt + F3 MAIN_BUTTON_NAVSYNC_TOOLTIP;Selektiert das Miniaturbild des aktuell geöffneten\nBildes in der Dateiverwaltung und des Filmstreifens.\nEs werden alle aktiven Filter gelöscht.\nTaste: x\n\nWie oben, jedoch ohne Löschung aktiver Filter. Das\nMiniaturbild des geöffneten Bildes wird nicht angezeigt,\nwenn es herausgefiltert wurde.\nTaste: y MAIN_BUTTON_PREFERENCES;Einstellungen MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;Bild zur Warteschlange hinzufügen.\nTaste: Strg + b @@ -994,23 +1737,25 @@ MAIN_MSG_PATHDOESNTEXIST;Der Pfad\n\n%1\n\nexistiert nicht. Bitte setzen MAIN_MSG_QOVERWRITE;Möchten Sie die Datei überschreiben? MAIN_MSG_SETPATHFIRST;Um diese Funktion zu nutzen, müssen Sie zuerst in den Einstellungen einen Zielpfad setzen. MAIN_MSG_TOOMANYOPENEDITORS;Zu viele geöffnete Editorfenster.\nUm fortzufahren, schließen sie bitte ein Editorfenster. -MAIN_MSG_WRITEFAILED;Fehler beim Schreiben von\n\n"%1"\n\nStellen Sie sicher, dass das Verzeichnis existiert und dass Sie Schreibrechte besitzen. +MAIN_MSG_WRITEFAILED;Fehler beim Schreiben von\n\n'%1'\n\nStellen Sie sicher, dass das Verzeichnis existiert und dass Sie Schreibrechte besitzen. MAIN_TAB_ADVANCED;Erweitert MAIN_TAB_ADVANCED_TOOLTIP;Taste: Alt + a MAIN_TAB_COLOR;Farbe MAIN_TAB_COLOR_TOOLTIP;Taste: Alt + c MAIN_TAB_DETAIL;Details MAIN_TAB_DETAIL_TOOLTIP;Taste: Alt + d -MAIN_TAB_DEVELOP; Batchbearbeitung +MAIN_TAB_DEVELOP;Batchbearbeitung MAIN_TAB_EXIF;Exif -MAIN_TAB_EXPORT; Schnell-Export +MAIN_TAB_EXPORT;Schnell-Export MAIN_TAB_EXPOSURE;Belichtung MAIN_TAB_EXPOSURE_TOOLTIP;Taste: Alt + e MAIN_TAB_FAVORITES;Favoriten MAIN_TAB_FAVORITES_TOOLTIP;Taste: Alt + u -MAIN_TAB_FILTER; Filter -MAIN_TAB_INSPECT; Prüfen +MAIN_TAB_FILTER;Filter +MAIN_TAB_INSPECT;Inspektor MAIN_TAB_IPTC;IPTC +MAIN_TAB_LOCALLAB;Lokal +MAIN_TAB_LOCALLAB_TOOLTIP;Taste: Alt-o MAIN_TAB_METADATA;Metadaten MAIN_TAB_METADATA_TOOLTIP;Taste: Alt + m MAIN_TAB_RAW;RAW @@ -1021,7 +1766,7 @@ MAIN_TOOLTIP_BACKCOLOR0;Hintergrundfarbe der Vorschau basierend auf dem Oberf MAIN_TOOLTIP_BACKCOLOR1;Hintergrundfarbe der Vorschau: Schwarz\nTaste: 9 MAIN_TOOLTIP_BACKCOLOR2;Hintergrundfarbe der Vorschau: Weiß\nTaste: 9 MAIN_TOOLTIP_BACKCOLOR3;Hintergrundfarbe der Vorschau: Mittleres Grau\nTaste: 9 -MAIN_TOOLTIP_BEFOREAFTERLOCK;Vorher-Ansicht: Sperren / Entsperren\n\nGesperrt: Friert die Vorher-Ansicht ein, so\ndass sich die Gesamtwirkung mehrerer\nBearbeitungsschritte beurteilen lässt.\n\nEntsperrt: Die Vorher-Ansicht hinkt dem\naktuellen Bild immer einen Bearbeitungs-\nschritt hinterher. +MAIN_TOOLTIP_BEFOREAFTERLOCK;Vorher-Ansicht: Sperren / Entsperren\n\nGesperrt: Friert die Vorher-Ansicht ein,\nsodass sich die Gesamtwirkung mehrerer\nBearbeitungsschritte beurteilen lässt.\n\nEntsperrt: Die Vorher-Ansicht hinkt dem\naktuellen Bild immer einen Bearbeitungs-\nschritt hinterher. MAIN_TOOLTIP_HIDEHP;Linkes Bedienfeld ein-/ausblenden.\nTaste: l MAIN_TOOLTIP_INDCLIPPEDH;Anzeige zu heller Bereiche ein-/ausschalten.\nTaste: > MAIN_TOOLTIP_INDCLIPPEDS;Anzeige zu dunkler Bereiche ein-/ausschalten.\nTaste: < @@ -1035,7 +1780,7 @@ MAIN_TOOLTIP_QINFO;Bildinformationen ein-/ausblenden.\nTaste: i MAIN_TOOLTIP_SHOWHIDELP1;Linkes Bedienfeld ein-/ausblenden.\nTaste: l MAIN_TOOLTIP_SHOWHIDERP1;Rechtes Bedienfeld ein-/ausblenden.\nTaste: Alt + l MAIN_TOOLTIP_SHOWHIDETP1;Oberes Bedienfeld ein-/ausblenden.\nTaste: Umschalt + l -MAIN_TOOLTIP_THRESHOLD;Schwelle +MAIN_TOOLTIP_THRESHOLD;Schwellenwert MAIN_TOOLTIP_TOGGLE;Vorher/Nachher-Ansicht ein-/ausschalten.\nTaste: Umschalt + b MONITOR_PROFILE_SYSTEM;Systemvorgabe NAVIGATOR_B;B: @@ -1050,7 +1795,7 @@ NAVIGATOR_S;S: NAVIGATOR_V;V: NAVIGATOR_XY_FULL;Breite = %1, Höhe = %2 NAVIGATOR_XY_NA;x: --, y: -- -OPTIONS_BUNDLED_MISSING;Das mitgelieferte Profil %1 konnte nicht gefunden werden!\n\nIhre Installation könnte beschädigt sein.\n\nEs werden die internen Standardwerte verwendet. +OPTIONS_BUNDLED_MISSING;Das mitgelieferte Profil %1 konnte nicht gefunden werden.\n\nIhre Installation könnte beschädigt sein.\n\nEs werden die internen Standardwerte verwendet. OPTIONS_DEFIMG_MISSING;Das Standardprofil für Bilddateien wurde nicht gefunden oder ist beschädigt.\n\nBitte überprüfen Sie das Verzeichnis Ihrer Profile.\n\nProfil %1 wird stattdessen verwendet. OPTIONS_DEFRAW_MISSING;Das Standardprofil für RAW-Dateien wurde nicht gefunden oder ist beschädigt.\n\nBitte überprüfen Sie das Verzeichnis Ihrer Profile.\n\nProfil %1 wird stattdessen verwendet. PARTIALPASTE_ADVANCEDGROUP;Erweiterte Einstellungen @@ -1058,8 +1803,8 @@ PARTIALPASTE_BASICGROUP;Basisparameter PARTIALPASTE_CACORRECTION;Farbsaum entfernen PARTIALPASTE_CHANNELMIXER;RGB-Kanalmixer PARTIALPASTE_CHANNELMIXERBW;Schwarz/Weiß -PARTIALPASTE_COARSETRANS;Drehen / Spiegeln -PARTIALPASTE_COLORAPP;CIE Color Appearance Model 2002 +PARTIALPASTE_COARSETRANS;Drehen/Spiegeln +PARTIALPASTE_COLORAPP;CIE CAM (Farberscheinungsmodell) 02/16 PARTIALPASTE_COLORGROUP;Farbparameter PARTIALPASTE_COLORTONING;Farbanpassungen PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-Füllen @@ -1076,10 +1821,10 @@ PARTIALPASTE_DIRPYREQUALIZER;Detailebenenkontrast PARTIALPASTE_DISTORTION;Verzeichnungskorrektur PARTIALPASTE_EPD;Tonwertkorrektur PARTIALPASTE_EQUALIZER;Wavelet -PARTIALPASTE_EVERYTHING;Alle Parameter aktivieren / deaktivieren +PARTIALPASTE_EVERYTHING;Alle Parameter aktivieren/deaktivieren PARTIALPASTE_EXIFCHANGES;Änderungen an Exif-Daten PARTIALPASTE_EXPOSURE;Belichtung -PARTIALPASTE_FILMNEGATIVE;Filmnegativ +PARTIALPASTE_FILMNEGATIVE;Negativfilm PARTIALPASTE_FILMSIMULATION;Filmsimulation PARTIALPASTE_FLATFIELDAUTOSELECT;Weißbild: Automatische Auswahl PARTIALPASTE_FLATFIELDBLURRADIUS;Weißbild: Unschärferadius @@ -1087,7 +1832,7 @@ PARTIALPASTE_FLATFIELDBLURTYPE;Weißbild: Unschärfetyp PARTIALPASTE_FLATFIELDCLIPCONTROL;Weißbild: Kontrolle zu heller Bereiche PARTIALPASTE_FLATFIELDFILE;Weißbild: Datei PARTIALPASTE_GRADIENT;Grauverlaufsfilter -PARTIALPASTE_HSVEQUALIZER;Farbton (H) / Sättigung (S) / Dynamik (V) +PARTIALPASTE_HSVEQUALIZER;Farbton (H)/Sättigung (S)/Dynamik (V) PARTIALPASTE_ICMSETTINGS;ICM-Einstellungen PARTIALPASTE_IMPULSEDENOISE;Impulsrauschreduzierung PARTIALPASTE_IPTCINFO;IPTC-Informationen @@ -1095,6 +1840,8 @@ PARTIALPASTE_LABCURVE;L*a*b* - Einstellungen PARTIALPASTE_LENSGROUP;Objektivkorrekturen PARTIALPASTE_LENSPROFILE;Objektivkorrekturprofil PARTIALPASTE_LOCALCONTRAST;Lokaler Kontrast +PARTIALPASTE_LOCALLAB;Lokale Anpassungen +PARTIALPASTE_LOCALLABGROUP;Lokale Anpassungen PARTIALPASTE_METADATA;Kopiermodus PARTIALPASTE_METAGROUP;Metadaten PARTIALPASTE_PCVIGNETTE;Vignettierungsfilter @@ -1104,10 +1851,11 @@ PARTIALPASTE_PREPROCESS_GREENEQUIL;Vorverarbeitung: Grün-Ausgleich PARTIALPASTE_PREPROCESS_HOTPIXFILT;Vorverarbeitung: Hot-Pixel-Filter PARTIALPASTE_PREPROCESS_LINEDENOISE;Vorverarbeitung: Zeilenrauschfilter PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;Vorverarbeitung: PDAF-Zeilenfilter +PARTIALPASTE_PREPROCWB;Vorverarbeitung Weißabgleich PARTIALPASTE_PRSHARPENING;Schärfung nach Größenänderung PARTIALPASTE_RAWCACORR_AUTO;Chromatische Aberration: Automatische Korrektur PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;Chromatische Aberration: Farbverschiebungen vermeiden -PARTIALPASTE_RAWCACORR_CAREDBLUE;Chromatische Aberration: Rot & Blau +PARTIALPASTE_RAWCACORR_CAREDBLUE;Chromatische Aberration: Rot/Blau PARTIALPASTE_RAWEXPOS_BLACK;Weißpunkt: Schwarzpegel PARTIALPASTE_RAWEXPOS_LINEAR;Weißpunkt: Korrekturfaktor PARTIALPASTE_RAWGROUP;RAW @@ -1128,6 +1876,7 @@ PARTIALPASTE_SHARPENEDGE;Kantenschärfung PARTIALPASTE_SHARPENING;Schärfung PARTIALPASTE_SHARPENMICRO;Mikrokontrast PARTIALPASTE_SOFTLIGHT;Weiches Licht +PARTIALPASTE_SPOT;Flecken entfernen PARTIALPASTE_TM_FATTAL;Dynamikkompression PARTIALPASTE_VIBRANCE;Dynamik PARTIALPASTE_VIGNETTING;Vignettierungskorrektur @@ -1163,11 +1912,17 @@ PREFERENCES_CHUNKSIZE_RAW_CA;RAW-CA-Korrektur PREFERENCES_CHUNKSIZE_RAW_RCD;RCD-Farbinterpolation PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans-Farbinterpolation PREFERENCES_CHUNKSIZE_RGB;RGB-Verarbeitung +PREFERENCES_CIE;CIECAM +PREFERENCES_CIEARTIF;Artefakte vermeiden PREFERENCES_CLIPPINGIND;Anzeige zu heller/dunkler Bereiche PREFERENCES_CLUTSCACHE;HaldCLUT-Zwischenspeicher PREFERENCES_CLUTSCACHE_LABEL;Maximale Anzahl CLUTs im Zwischenspeicher PREFERENCES_CLUTSDIR;HaldCLUT-Verzeichnis PREFERENCES_CMMBPC;Schwarzpunkt-Kompensation +PREFERENCES_COMPLEXITYLOC;Vorgabe Komplexität für Lokale Anpassungen +PREFERENCES_COMPLEXITY_EXP;Erweitert +PREFERENCES_COMPLEXITY_NORM;Standard +PREFERENCES_COMPLEXITY_SIMP;Basis PREFERENCES_CROP;Einstellung des Ausschnittswerkzeuges PREFERENCES_CROP_AUTO_FIT;Automatischer Zoom des Ausschnitts PREFERENCES_CROP_GUIDES;Hilfslinien anzeigen wenn Ausschnitt nicht verändert wird @@ -1200,6 +1955,12 @@ PREFERENCES_DIRSOFTWARE;Installationsverzeichnis PREFERENCES_EDITORCMDLINE;Benutzerdefinierte Befehlszeile PREFERENCES_EDITORLAYOUT;Editor-Layout PREFERENCES_EXTERNALEDITOR;Externer Editor +PREFERENCES_EXTEDITOR_DIR;Ausgabeverzeichnis +PREFERENCES_EXTEDITOR_DIR_TEMP;Temp-Ordner Betriebssystem +PREFERENCES_EXTEDITOR_DIR_CURRENT;Derselbe Ordner wie Bild +PREFERENCES_EXTEDITOR_DIR_CUSTOM;Benutzerdefiniert +PREFERENCES_EXTEDITOR_FLOAT32;Ausgabe in 32-bit (float) TIFF +PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass Ausgabeprofil PREFERENCES_FBROWSEROPTS;Bildinformationen und Miniaturbilder PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Einzeilige Toolbar PREFERENCES_FLATFIELDFOUND;Gefunden @@ -1216,9 +1977,10 @@ PREFERENCES_HISTOGRAM_TOOLTIP;Wenn aktiviert, wird das Arbeitsprofil für die Da PREFERENCES_HLTHRESHOLD;Lichter - Schwelle PREFERENCES_ICCDIR;ICC-Profile-Verzeichnis PREFERENCES_IMPROCPARAMS;Standard-Bearbeitungsprofile +PREFERENCES_INSPECTORWINDOW;Inspektor in eigenem Fullscreen-Fenster öffnen PREFERENCES_INSPECT_LABEL;Bildzwischenspeicher PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximale Anzahl Bilder im Zwischenspeicher -PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Legt die maximale Anzahl Bilder fest, die im Zwischenspeicher gehalten werden, wenn man in der Dateiverwaltung mit der Maus über ein Bild fährt.\n\nAuf Systemen mit nicht mehr als 2GB RAM, sollte der Wert nicht größer als 2 gewählt werden. +PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Legt die maximale Anzahl Bilder fest, die im Zwischenspeicher gehalten werden, wenn man in der Dateiverwaltung mit der Maus über ein Bild fährt.\n\nAuf Systemen mit nicht mehr als 2GB RAM sollte der Wert nicht größer als 2 gewählt werden. PREFERENCES_INTENT_ABSOLUTE;Absolut farbmetrisch PREFERENCES_INTENT_PERCEPTUAL;Wahrnehmungsabhängig PREFERENCES_INTENT_RELATIVE;Relativ farbmetrisch @@ -1227,13 +1989,13 @@ PREFERENCES_INTERNALTHUMBIFUNTOUCHED;Zeige das eingebettete JPEG als Miniaturbil PREFERENCES_LANG;Sprache PREFERENCES_LANGAUTODETECT;Systemsprache verwenden PREFERENCES_MAXRECENTFOLDERS;Maximale Anzahl der letzten Dateien -PREFERENCES_MENUGROUPEXTPROGS;Untermenü "Öffnen mit" +PREFERENCES_MENUGROUPEXTPROGS;Untermenü 'Öffnen mit' PREFERENCES_MENUGROUPFILEOPERATIONS;Untermenü Dateioperationen PREFERENCES_MENUGROUPLABEL;Untermenü Farbmarkierung PREFERENCES_MENUGROUPPROFILEOPERATIONS;Untermenü Profiloperationen PREFERENCES_MENUGROUPRANK;Untermenü Bewertung PREFERENCES_MENUOPTIONS;Menüoptionen -PREFERENCES_MONINTENT;Standard-Rendering-Intent +PREFERENCES_MONINTENT;Standard Monitor-Wiedergabe PREFERENCES_MONITOR;Monitor PREFERENCES_MONPROFILE;Standardfarbprofil PREFERENCES_MONPROFILE_WARNOSX;Aufgrund einer macOS-Limitierung wird nur sRGB unterstützt. @@ -1269,11 +2031,11 @@ PREFERENCES_PROFILESAVEINPUT;Bearbeitungsprofile zusammen mit dem Bild speichern PREFERENCES_PROFILESAVELOCATION;Speicherort der Profile PREFERENCES_PROFILE_NONE;Kein Farbprofil PREFERENCES_PROPERTY;Eigenschaft -PREFERENCES_PRTINTENT;Rendering-Intent +PREFERENCES_PRTINTENT;Wiedergabe PREFERENCES_PRTPROFILE;Farbprofil PREFERENCES_PSPATH;Adobe Photoshop Installationsverzeichnis PREFERENCES_REMEMBERZOOMPAN;Zoom und Bildposition merken -PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Öffnen eines neuen Bildes mit den Zoom- und Positionswerten\ndes vorangegangenen Bildes.\n\nFunktioniert nur unter folgenden Bedingungen:\nEin-Reitermodus aktiv\n“Demosaikmethode für 100%-Ansicht“ muss auf “Wie im Bild-\nverarbeitungsprofil vorgegeben“ eingestellt sein. +PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Öffnen eines neuen Bildes mit den Zoom- und Positionswerten des vorangegangenen Bildes.\n\nFunktioniert nur unter folgenden Bedingungen:\nEin-Reitermodus aktiv\n'Demosaikmethode für 100%-Ansicht' muss auf 'Wie im Bildverarbeitungsprofil vorgegeben' eingestellt sein. PREFERENCES_SAVE_TP_OPEN_NOW;Werkzeugstatus jetzt speichern PREFERENCES_SELECTLANG;Sprache PREFERENCES_SERIALIZE_TIFF_READ;TIFF-Bilder @@ -1284,10 +2046,11 @@ PREFERENCES_SHOWBASICEXIF;Exif-Daten anzeigen PREFERENCES_SHOWDATETIME;Datum und Uhrzeit anzeigen PREFERENCES_SHOWEXPOSURECOMPENSATION;Belichtungskorrektur anfügen PREFERENCES_SHOWFILMSTRIPTOOLBAR;Toolbar oberhalb des Filmstreifens anzeigen +PREFERENCES_SHOWTOOLTIP;Anzeigen der Tooltips für Lokale Anpassungen PREFERENCES_SHTHRESHOLD;Schatten - Schwelle PREFERENCES_SINGLETAB;Ein-Reitermodus PREFERENCES_SINGLETABVERTAB;Ein-Reitermodus (vertikale Reiter) -PREFERENCES_SND_HELP;Geben Sie einen Pfad zu einer Sounddatei oder einen Systemklang ein.\n\nBeispiel Systemklänge:\nWindows: SystemDefault, SystemAsterisk ...\nLinux: complete, window-attention ...\n +PREFERENCES_SND_HELP;Geben Sie einen Pfad zu einer Sound-Datei ein, oder geben Sie nichts ein für keinen Sound. Für Systemklänge: \nWindows: SystemDefault, SystemAsterisk ...\nLinux: complete, window-attention … PREFERENCES_SND_LNGEDITPROCDONE;Bearbeitung abgeschlossen PREFERENCES_SND_QUEUEDONE;Warteschlange abgearbeitet PREFERENCES_SND_THRESHOLDSECS;Verzögerung in Sekunden @@ -1307,6 +2070,7 @@ PREFERENCES_TP_LABEL;Werkzeugbereich: PREFERENCES_TP_VSCROLLBAR;Keine vertikale Scrollbar PREFERENCES_USEBUNDLEDPROFILES;Standardprofile verwenden PREFERENCES_WORKFLOW;Layout +PREFERENCES_ZOOMONSCROLL;Bilder zoomen per scrollen PROFILEPANEL_COPYPPASTE;Zu kopierende Parameter PROFILEPANEL_GLOBALPROFILES;Standardprofile PROFILEPANEL_LABEL;Bearbeitungsprofile @@ -1327,9 +2091,9 @@ PROFILEPANEL_TOOLTIPLOAD;Profil aus Datei laden.\n\nStrg-Taste beim Klicken fest PROFILEPANEL_TOOLTIPPASTE;Profil aus Zwischenablage einfügen.\n\nStrg-Taste beim Klicken festhalten, um\neinzufügende Parameter auszuwählen. PROFILEPANEL_TOOLTIPSAVE;Profil speichern.\n\nStrg-Taste beim Klicken festhalten, um\nzu speichernde Parameter auszuwählen. PROGRESSBAR_DECODING;Dekodiere... -PROGRESSBAR_GREENEQUIL;Grünbalance... +PROGRESSBAR_GREENEQUIL;Grün-Balance... PROGRESSBAR_HLREC;Lichterrekonstruktion... -PROGRESSBAR_HOTDEADPIXELFILTER;Hot/Dead-Pixel-Filter... +PROGRESSBAR_HOTDEADPIXELFILTER;Hot-/Dead-Pixel-Filter... PROGRESSBAR_LINEDENOISE;Linienrauschfilter... PROGRESSBAR_LOADING;Lade Bild... PROGRESSBAR_LOADINGTHUMBS;Lade Miniaturbilder... @@ -1357,9 +2121,9 @@ QUEUE_DESTFILENAME;Pfad und Dateiname QUEUE_FORMAT_TITLE;Dateiformat QUEUE_LOCATION_FOLDER;In dieses Verzeichnis speichern QUEUE_LOCATION_TEMPLATE;Dynamisches Verzeichnis verwenden -QUEUE_LOCATION_TEMPLATE_TOOLTIP;Die folgenden Variablen können verwendet werden:\n%f, %d1, %d2, ..., %p1, %p2, ..., %r, %s1, %s2, ...\n\nDiese Variablen beinhalten bestimmte Teile des Verzeichnispfades, in welchem sich das Bild befindet, oder Attribute des Bildes.\n\nWenn zum Beispiel /home/tom/photos/2010-10-31/dsc0042.nef geöffnet wurde, dann haben die Variablen den folgenden Inhalt:\n%d4 = home\n%d3 = tom\n%d2 = photos\n%d1 = 2010-10-31\n%f = dsc0042\n%p1 = /home/tom/photos/2010-10-31\n%p2 = /home/tom/photos\n%p3 = /home/tom\n%p4 = /home\n\nWenn Sie die Ausgabedatei in dasselbe Verzeichnis wie das Originalbild speichern wollen, dann wählen Sie:\n%p1/%f\n\nWenn Sie die Ausgabedatei in ein Unterverzeichnis mit dem Namen "converted" schreiben wollen, dann wählen Sie:\n%p1/converted/%f\n\nWenn Sie die Ausgabedatei im Verzeichnispfad "/home/tom/photos/converted" speichern wollen, dort jedoch in einem mit dem Namen des Ursprungsverzeichnisses betitelten Unterverzeichnis, dann wählen Sie:\n%p2/converted/%d1/%f\n\nDie Variable %r enthält die Bewertung des Bildes. +QUEUE_LOCATION_TEMPLATE_TOOLTIP;Die folgenden Variablen können verwendet werden:\n%f, %d1, %d2, ..., %p1, %p2, ..., %r, %s1, %s2, ...\n\nDiese Variablen beinhalten bestimmte Teile des Verzeichnispfades, in welchem sich das Bild befindet, oder Attribute des Bildes.\n\nWenn zum Beispiel /home/tom/photos/2010-10-31/dsc0042.nef geöffnet wurde, dann haben die Variablen den folgenden Inhalt:\n%d4 = home\n%d3 = tom\n%d2 = photos\n%d1 = 2010-10-31\n%f = dsc0042\n%p1 = /home/tom/photos/2010-10-31\n%p2 = /home/tom/photos\n%p3 = /home/tom\n%p4 = /home\n\nWenn Sie die Ausgabedatei in dasselbe Verzeichnis wie das Originalbild speichern wollen, dann wählen Sie:\n%p1/%f\n\nWenn Sie die Ausgabedatei in ein Unterverzeichnis mit dem Namen 'converted' schreiben wollen, dann wählen Sie:\n%p1/converted/%f\n\nWenn Sie die Ausgabedatei im Verzeichnispfad '/home/tom/photos/converted' speichern wollen, dort jedoch in einem mit dem Namen des Ursprungsverzeichnisses betitelten Unterverzeichnis, dann wählen Sie:\n%p2/converted/%d1/%f\n\nDie Variable %r enthält die Bewertung des Bildes. QUEUE_LOCATION_TITLE;Ausgabeverzeichnis -QUEUE_STARTSTOP_TOOLTIP;Startet / Stoppt die Verarbeitung\nder Warteschlange.\n\nTaste: Strg + s +QUEUE_STARTSTOP_TOOLTIP;Startet/Stoppt die Verarbeitung\nder Warteschlange.\n\nTaste: Strg + s SAMPLEFORMAT_0;Unbekanntes Datenformat SAMPLEFORMAT_1;8 Bit ohne Vorzeichen SAMPLEFORMAT_2;16 Bit ohne Vorzeichen @@ -1370,7 +2134,7 @@ SAMPLEFORMAT_32;24 Bit Gleitkomma SAMPLEFORMAT_64;32 Bit Gleitkomma SAVEDLG_AUTOSUFFIX;Suffix anfügen, wenn die Datei bereits existiert SAVEDLG_FILEFORMAT;Dateiformat -SAVEDLG_FILEFORMAT_FLOAT; Fließkomma +SAVEDLG_FILEFORMAT_FLOAT;Fließkomma SAVEDLG_FORCEFORMATOPTS;Erzwinge Speicheroptionen SAVEDLG_JPEGQUAL;JPEG-Qualität SAVEDLG_PUTTOQUEUE;Zur Warteschlange hinzufügen @@ -1386,7 +2150,7 @@ SAVEDLG_SUBSAMP_TOOLTIP;Beste Kompression: 4:2:0\nAusgeglichen: 4:2:2\nBeste Qua SAVEDLG_TIFFUNCOMPRESSED;Unkomprimiertes TIFF SAVEDLG_WARNFILENAME;Die Datei wird gespeichert als SHCSELECTOR_TOOLTIP;Um die 3 Regler zurückzusetzen, rechte Maustaste klicken. -SOFTPROOF_GAMUTCHECK_TOOLTIP;Markiert Pixel deren Farbe außerhalb des Farbumfangs liegen in Abhängigkeit des:\n- Druckerprofils, wenn eines eingestellt und Soft-Proofing aktiviert ist.\n- Ausgabeprofils, wenn ein Druckerprofil nicht eingestellt und Soft-Proofing aktiviert ist.\n- Monitorprofils, wenn Soft-Proofing deaktiviert ist. +SOFTPROOF_GAMUTCHECK_TOOLTIP;Markiert Pixel, deren Farbe außerhalb des Farbumfangs liegen in Abhängigkeit des:\n- Druckerprofils, wenn eines eingestellt und Soft-Proofing aktiviert ist.\n- Ausgabeprofils, wenn ein Druckerprofil nicht eingestellt und Soft-Proofing aktiviert ist.\n- Monitorprofils, wenn Soft-Proofing deaktiviert ist. SOFTPROOF_TOOLTIP;Soft-Proofing simuliert das Aussehen des Bildes:\n- für den Druck, wenn ein Druckerprofil unter Einstellungen > Farbmanagement eingestellt ist.\n- wenn es auf einem Bildschirm dargestellt wird, der das aktuelle Ausgabeprofil verwendet und kein Druckerprofil eingestellt ist. THRESHOLDSELECTOR_B;Unten THRESHOLDSELECTOR_BL;Unten-Links @@ -1398,35 +2162,36 @@ THRESHOLDSELECTOR_TR;Oben-Rechts TOOLBAR_TOOLTIP_COLORPICKER;Farbwähler\n\nWenn eingeschaltet:\n- Mit der linken Maustaste können Sie einen Farbwähler setzen.\n- Zum Verschieben, linke Maustaste festhalten.\n- Strg + Umschalttaste + Rechts-Klick entfernt alle Farbwähler.\n- Rechts-Klick auf den Farbwählerbutton blendet die Farbwähler ein/aus\n- Rechts-Klick in einen freien Bereich schaltet auf das Hand-Werkzeug zurück. TOOLBAR_TOOLTIP_CROP;Ausschnitt wählen.\nTaste: c\n\nZum Verschieben des Ausschnitts,\nUmschalttaste festhalten. TOOLBAR_TOOLTIP_HAND;Hand-Werkzeug\nTaste: h -TOOLBAR_TOOLTIP_STRAIGHTEN;Ausrichten / Drehen\nTaste: s\n\nRichtet das Bild entlang einer Leitlinie aus. +TOOLBAR_TOOLTIP_PERSPECTIVE;Perspektivkorrektur\n\nMit dem Editieren der Kontrolllinien können perspektivische Verzerrungen korrigiert werden. Ein erneuter Klick auf diesen Button wendet die Korrektur an. +TOOLBAR_TOOLTIP_STRAIGHTEN;Ausrichten/Drehen\nTaste: s\n\nRichtet das Bild entlang einer Leitlinie aus. TOOLBAR_TOOLTIP_WB;Weißabgleich manuell setzen.\nTaste: w TP_BWMIX_ALGO;OYCPM-Algorithmus TP_BWMIX_ALGO_LI;Linear TP_BWMIX_ALGO_SP;Spezialeffekte TP_BWMIX_ALGO_TOOLTIP;Linear liefert ein lineares Ergebnis.\nSpezialeffekte liefert einen speziellen Effekt durch Mischen von Kanälen. TP_BWMIX_AUTOCH;Auto -TP_BWMIX_CC_ENABLED;Komplemantärfarbe anpassen +TP_BWMIX_CC_ENABLED;Komplementärfarbe anpassen. TP_BWMIX_CC_TOOLTIP;Aktiviert die automatische Anpassung der\nKomplementärfarbe im ROYGCBPM-Modus. TP_BWMIX_CHANNEL;Luminanzequalizer -TP_BWMIX_CURVEEDITOR1;“Bevor“-Kurve -TP_BWMIX_CURVEEDITOR2;“Danach“-Kurve +TP_BWMIX_CURVEEDITOR1;'Bevor'-Kurve +TP_BWMIX_CURVEEDITOR2;'Danach'-Kurve TP_BWMIX_CURVEEDITOR_AFTER_TOOLTIP;Die Tonwertkurve wird NACH der Schwarz/Weiß-\nKonvertierung angewendet. TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;Die Tonwertkurve wird VOR der Schwarz/Weiß-\nKonvertierung angewendet. -TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L = f(H).\nZu hohe Werte können zu Artefakten führen. +TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L=f(H).\nZu hohe Werte können zu Artefakten führen. TP_BWMIX_FILTER;Farbfilter TP_BWMIX_FILTER_BLUE;Blau -TP_BWMIX_FILTER_BLUEGREEN;Blau-Grün +TP_BWMIX_FILTER_BLUEGREEN;Blau/Grün TP_BWMIX_FILTER_GREEN;Grün -TP_BWMIX_FILTER_GREENYELLOW;Grün-Gelb +TP_BWMIX_FILTER_GREENYELLOW;Grün/Gelb TP_BWMIX_FILTER_NONE;Keiner TP_BWMIX_FILTER_PURPLE;Violett TP_BWMIX_FILTER_RED;Rot -TP_BWMIX_FILTER_REDYELLOW;Rot-Gelb +TP_BWMIX_FILTER_REDYELLOW;Rot/Gelb TP_BWMIX_FILTER_TOOLTIP;Der Farbfilter simuliert Aufnahmen wie mit einem auf dem Objektiv montierten farbigen Filter. Farbfilter reduzieren die Durchlässigkeit für einen speziellen Farbbereich und verändern dementsprechend die Helligkeit.\n\nz.B. verdunkelt ein Rotfilter blauen Himmel. TP_BWMIX_FILTER_YELLOW;Gelb TP_BWMIX_GAMMA;Gammakorrektur TP_BWMIX_GAM_TOOLTIP;Korrigiert Gamma für einzelne RGB-Kanäle. -TP_BWMIX_LABEL;Schwarz / Weiß +TP_BWMIX_LABEL;Schwarz/Weiß TP_BWMIX_MET;Methode TP_BWMIX_MET_CHANMIX;Kanalmixer TP_BWMIX_MET_DESAT;Entsättigung @@ -1461,10 +2226,10 @@ TP_BWMIX_VAL;L TP_CACORRECTION_BLUE;Blau TP_CACORRECTION_LABEL;Farbsaum entfernen TP_CACORRECTION_RED;Rot -TP_CBDL_AFT;Nach Schwarz / Weiß -TP_CBDL_BEF;Vor Schwarz / Weiß +TP_CBDL_AFT;Nach Schwarz/Weiß +TP_CBDL_BEF;Vor Schwarz/Weiß TP_CBDL_METHOD;Prozessreihenfolge -TP_CBDL_METHOD_TOOLTIP;Wählen Sie, ob der Detailebenenkontrast nach\ndem Schwarz/Weiß-Werkzeug abgearbeitet wird\n(ermöglicht das Arbeiten im L*a*b*-Farbraum),\noder vor ihm (ermöglicht das Arbeiten im RGB-\nFarbraum). +TP_CBDL_METHOD_TOOLTIP;Wählen Sie, ob der Detailebenenkontrast nach\ndem Schwarz/Weiß-Werkzeug abgearbeitet wird\n(ermöglicht das Arbeiten im L*a*b*-Farbraum)\noder vor ihm (ermöglicht das Arbeiten im RGB-\nFarbraum). TP_CHMIXER_BLUE;Blau-Kanal TP_CHMIXER_GREEN;Grün-Kanal TP_CHMIXER_LABEL;RGB-Kanalmixer @@ -1473,61 +2238,90 @@ TP_COARSETRAF_TOOLTIP_HFLIP;Horizontal spiegeln. TP_COARSETRAF_TOOLTIP_ROTLEFT;Nach links drehen.\nTaste: [ TP_COARSETRAF_TOOLTIP_ROTRIGHT;Nach rechts drehen.\nTaste: ] TP_COARSETRAF_TOOLTIP_VFLIP;Vertikal spiegeln. -TP_COLORAPP_ABSOLUTELUMINANCE;Absolute Luminanz +TP_COLORAPP_ABSOLUTELUMINANCE;Leuchtdichte +TP_COLORAPP_ADAPSCEN_TOOLTIP;Entspricht der Leuchtdichte in Candela pro m2 zum Zeitpunkt der Aufnahme, automatisch berechnet aus den Exif-Daten. TP_COLORAPP_ALGO;Algorithmus TP_COLORAPP_ALGO_ALL;Alle TP_COLORAPP_ALGO_JC;Helligkeit + Buntheit (JH) TP_COLORAPP_ALGO_JS;Helligkeit + Sättigung (JS) TP_COLORAPP_ALGO_QM;Helligkeit + Farbigkeit (QM) TP_COLORAPP_ALGO_TOOLTIP;Auswahl zwischen Parameter-Teilmengen\nund allen Parametern. -TP_COLORAPP_BADPIXSL;Hot / Bad-Pixelfilter -TP_COLORAPP_BADPIXSL_TOOLTIP;Unterdrückt “Hot / Bad“-Pixel\n\n0 = keine Auswirkung\n1 = Mittel\n2 = Gaussian +TP_COLORAPP_BADPIXSL;Hot-/Dead-Pixelfilter +TP_COLORAPP_BADPIXSL_TOOLTIP;Unterdrückt Hot-/Dead-Pixel (hell gefärbt).\n0 = Kein Effekt\n1 = Median\n2 = Gaussian\nAlternativ kann das Bild angepasst werden, um sehr dunkle Schatten zu vermeiden.\n\nDiese Artefakte sind auf Einschränkungen von CIECAM02 zurückzuführen. TP_COLORAPP_BRIGHT;Helligkeit (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM02 berücksichtigt die Weißintensität und unterscheidet sich von L*a*b* und RGB-Helligkeit. +TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM02/16 berücksichtigt die Weißintensität und unterscheidet sich von L*a*b* und RGB-Helligkeit. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bei manueller Einstellung werden Werte über 65 empfohlen. +TP_COLORAPP_CATMET_TOOLTIP;Klassisch - traditionelle CIECAM-Berechnung. Die Transformationen der chromatischen Adaption werden separat auf 'Szenenbedingungen' und 'Grundlichtart' einerseits und auf 'Grundlichtart' und 'Betrachtungsbedingungen' andererseits angewandt.\n\nSymmetrisch - Die chromatische Anpassung basiert auf dem Weißabgleich. Die Einstellungen 'Szenenbedingungen', 'Bildeinstellungen' und 'Betrachtungsbedingungen' werden neutralisiert.\n\nGemischt - Wie die Option 'Klassisch', aber in diesem Fall basiert die chromatische Anpassung auf dem Weißabgleich. +TP_COLORAPP_CATMOD;Modus CAT02/16 +TP_COLORAPP_CATCLASSIC;Klassisch +TP_COLORAPP_CATSYMGEN;Automatisch Symmetrisch +TP_COLORAPP_CATSYMSPE;Gemischt TP_COLORAPP_CHROMA;Buntheit (H) TP_COLORAPP_CHROMA_M;Farbigkeit (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;Die Farbigkeit in CIECAM02 unterscheidet sich\nvon L*a*b*- und RGB-Farbigkeit. +TP_COLORAPP_CHROMA_M_TOOLTIP;Die Farbigkeit in CIECAM02/16 unterscheidet sich von L*a*b*- und RGB-Farbigkeit. TP_COLORAPP_CHROMA_S;Sättigung (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;Sättigung in CIECAM02 unterscheidet sich\nvon L*a*b* und RGB Sättigung. -TP_COLORAPP_CHROMA_TOOLTIP;Buntheit in CIECAM02 unterscheidet sich\nvon L*a*b* und RGB-Buntheit. +TP_COLORAPP_CHROMA_S_TOOLTIP;Die Sättigung in CIECAM02/16 unterscheidet sich von L*a*b* und RGB-Sättigung. +TP_COLORAPP_CHROMA_TOOLTIP;Die Buntheit in CIECAM02/16 unterscheidet sich von L*a*b* und RGB-Buntheit. TP_COLORAPP_CIECAT_DEGREE;CAT02 Adaptation TP_COLORAPP_CONTRAST;Kontrast (J) TP_COLORAPP_CONTRAST_Q;Kontrast (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;Kontrast (Q) in CIECAM02 unterscheidet sich\nvom L*a*b*- und RGB-Kontrast. -TP_COLORAPP_CONTRAST_TOOLTIP;Kontrast (J) in CIECAM02 unterscheidet sich\nvom L*a*b*- und RGB-Kontrast. +TP_COLORAPP_CONTRAST_Q_TOOLTIP;Kontrast (Q) in CIECAM02/16 unterscheidet sich vom L*a*b*- und RGB-Kontrast. +TP_COLORAPP_CONTRAST_TOOLTIP;Kontrast (J) in CIECAM02/16 unterscheidet sich vom L*a*b*- und RGB-Kontrast. TP_COLORAPP_CURVEEDITOR1;Tonwertkurve 1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Zeigt das Histogramm von L (L*a*b*) vor CIECAM02.\nWenn "CIECAM02-Ausgabe-Histogramm in Kurven anzeigen" aktiviert ist, wird das Histogramm von J oder Q nach CIECAM02-Anpassungen angezeigt.\n\nJ und Q werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Zeigt das Histogramm von L (L*a*b*) vor CIECAM02/16.\nWenn 'CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von J oder Q nach CIECAM02/16-Anpassungen angezeigt.\n\nJ und Q werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. TP_COLORAPP_CURVEEDITOR2;Tonwertkurve 2 -TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Gleiche Verwendung wie bei der zweiten Belichtungstonwertkurve. +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Gleiche Verwendung wie bei der ersten Belichtungstonwertkurve. TP_COLORAPP_CURVEEDITOR3;Farbkurve -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Korrigiert Buntheit, Sättigung oder Farbigkeit.\n\nZeigt das Histogramm der Chromatizität (L*a*b* ) VOR den CIECAM02-Änderungen an.\nWenn "CIECAM02-Ausgabe-Histogramm in Kurven anzeigen" aktiviert ist, wird das Histogramm von C, S oder M NACH den CIECAM02-Änderungen angezeigt.\n\nC, S und M werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. -TP_COLORAPP_DATACIE;CIECAM02-Ausgabe-Histogramm in\nKurven anzeigen -TP_COLORAPP_DATACIE_TOOLTIP;Wenn aktiviert, zeigen die Histogramme\nder CIECAM02-Kurven die angenäherten\nWerte/Bereiche für J oder Q und C, S oder M\nNACH den CIECAM02-Anpassungen an. Das\nbetrifft nicht das Haupt-Histogramm.\n\nWenn deaktiviert, zeigen die Histogramme\nder CIECAM02-Kurven die L*a*b*-Werte\nVOR den CIECAM02-Anpassungen an. +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Korrigiert Buntheit, Sättigung oder Farbigkeit.\n\nZeigt das Histogramm der Chromatizität (L*a*b* ) VOR den CIECAM02/16-Änderungen an.\nWenn 'CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von C, S oder M NACH den CIECAM02/16-Änderungen angezeigt.\n\nC, S und M werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. +TP_COLORAPP_DATACIE;CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen +TP_COLORAPP_DATACIE_TOOLTIP;Wenn aktiviert, zeigen die Histogramme der CIECAM02/16-Kurven die angenäherten Werte/Bereiche für J oder Q und C, S oder M NACH den CIECAM02/16-Anpassungen an. Das betrifft nicht das Haupt-Histogramm.\n\nWenn deaktiviert, zeigen die Histogramme der CIECAM02/16-Kurven die L*a*b*-Werte VOR den CIECAM02/16-Anpassungen an. +TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D65) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D50 oder D55). +TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D50) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D75). TP_COLORAPP_FREE;Farbtemperatur + Tönung + CAT02 + [Ausgabe] TP_COLORAPP_GAMUT;Gamutkontrolle (L*a*b*) TP_COLORAPP_GAMUT_TOOLTIP;Gamutkontrolle im L*a*b*-Modus erlauben. +TP_COLORAPP_GEN;Voreinstellungen +TP_COLORAPP_GEN_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um die Farbwahrnehmung des menschlichen Auges unter verschiedenen Lichtverhältnissen besser zu simulieren, z.B. vor unterschiedlichen Hintergründen.\nEs berücksichtigt die Umgebung jeder Farbe und modifiziert ihr Erscheinungsbild, um sie so nah wie möglich an die menschliche Wahrnehmung wiederzugeben.\nDie Ausgabe wird auch an die beabsichtigten Betrachtungsbedingungen (Monitor, Fernseher, Projektor, Drucker usw.) angepasst, sodass das chromatische Erscheinungsbild über die Szene und die Anzeigeumgebung hinweg erhalten bleibt. TP_COLORAPP_HUE;Farbton (H) TP_COLORAPP_HUE_TOOLTIP;Farbton (H) - Winkel zwischen 0° und 360°. -TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 +TP_COLORAPP_IL41;D41 +TP_COLORAPP_IL50;D50 +TP_COLORAPP_IL55;D55 +TP_COLORAPP_IL60;D60 +TP_COLORAPP_IL65;D65 +TP_COLORAPP_IL75;D75 +TP_COLORAPP_ILA;Glühlampe Normlichtart A 2856K +TP_COLORAPP_ILFREE;Frei +TP_COLORAPP_ILLUM;Beleuchtung +TP_COLORAPP_ILLUM_TOOLTIP;Wählen Sie die Lichtquelle, die den Aufnahmebedingungen am nächsten kommt.\nIm Allgemeinen kann D50 gewählt werden, das kann sich jedoch je nach Zeit und Breitengrad ändern. +TP_COLORAPP_LABEL;CIE CAM (Farberscheinungsmodell) 02/16 TP_COLORAPP_LABEL_CAM02;Bildanpassungen TP_COLORAPP_LABEL_SCENE;Umgebungsbedingungen (Szene) TP_COLORAPP_LABEL_VIEWING;Betrachtungsbedingungen TP_COLORAPP_LIGHT;Helligkeit (J) -TP_COLORAPP_LIGHT_TOOLTIP;Helligkeit in CIECAM02 unterscheidet sich\nvon L*a*b* und RGB Helligkeit. -TP_COLORAPP_MEANLUMINANCE;Mittlere Luminanz (Yb%) +TP_COLORAPP_LIGHT_TOOLTIP;Helligkeit in CIECAM02/16 unterscheidet sich von L*a*b* und RGB Helligkeit. +TP_COLORAPP_MEANLUMINANCE;Mittlere Leuchtdichte (Yb%) TP_COLORAPP_MODEL;Weißpunktmodell -TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRT's Weißabgleich wird für die Szene verwendet,\nCIECAM02 auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02] + [Ausgabe]:\nRT's Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. +TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRTs Weißabgleich wird für die Szene verwendet,\nCIECAM02/16 auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02/16] + [Ausgabe]:\nRTs Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. +TP_COLORAPP_MODELCAT;CAM Modell +TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CIECAM02 oder CIECAM16.\nCIECAM02 ist manchmal genauer.\nCIECAM16 sollte weniger Artefakte erzeugen. +TP_COLORAPP_MOD02;CIECAM02 +TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_NEUTRAL;Zurücksetzen TP_COLORAPP_NEUTRAL_TIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. +TP_COLORAPP_PRESETCAT02;Voreinstellung Modus CAT02/16 Automatisch - Symmetrisch +TP_COLORAPP_PRESETCAT02_TIP;Stellen Sie die Combobox-Schieberegler Temp, Grün so ein, dass Cat02/16 automatisch voreingestellt ist.\nSie können die Beleuchtungsbedingungen für die Aufnahme ändern.\nCAT02/16-Anpassung an die Betrachtungsbedingungen, Temperatur, Farbton und andere Einstellungen können, falls erforderlich, geändert werden.\nAlle automatischen Kontrollkästchen sind deaktiviert. TP_COLORAPP_RSTPRO;Hautfarbtöne schützen TP_COLORAPP_RSTPRO_TOOLTIP;Hautfarbtöne schützen\nWirkt sich auf Regler und Kurven aus. +TP_COLORAPP_SOURCEF_TOOLTIP;Entspricht den Aufnahmebedingungen und wie man die Bedingungen und Daten wieder in einen normalen Bereich bringt. 'Normal' bedeutet Durchschnitts- oder Standardbedingungen und Daten, d. h. ohne Berücksichtigung von CIECAM-Korrekturen. TP_COLORAPP_SURROUND;Umgebung +TP_COLORAPP_SURROUNDSRC;Lichtumgebung TP_COLORAPP_SURROUND_AVER;Durchschnitt TP_COLORAPP_SURROUND_DARK;Dunkel TP_COLORAPP_SURROUND_DIM;Gedimmt TP_COLORAPP_SURROUND_EXDARK;Extrem Dunkel (Cutsheet) TP_COLORAPP_SURROUND_TOOLTIP;Verändert Töne und Farben unter Berücksichtigung der\nBetrachtungsbedingungen des Ausgabegerätes.\n\nDurchschnitt:\nDurchschnittliche Lichtumgebung (Standard).\nDas Bild wird nicht angepasst.\n\nGedimmt:\nGedimmte Umgebung (TV). Das Bild wird leicht dunkel.\n\nDunkel:\nDunkle Umgebung (Projektor). Das Bild wird dunkler.\n\nExtrem dunkel:\nExtrem dunkle Umgebung. Das Bild wird sehr dunkel. +TP_COLORAPP_SURSOURCE_TOOLTIP;Verändert Töne und Farben unter Berücksichtigung der Szenenbedingungen.\n\nDurchschnitt: Durchschnittliche Lichtumgebung (Standard). Das Bild wird nicht angepasst.\n\nGedimmt: Gedimmte Umgebung. Das Bild wird leicht hell.\n\nDunkel: Dunkle Umgebung. Das Bild wird heller.\n\nExtrem dunkel: Extrem dunkle Umgebung. Das Bild wird sehr hell. TP_COLORAPP_TCMODE_BRIGHTNESS;Helligkeit (Q) TP_COLORAPP_TCMODE_CHROMA;Buntheit (H) TP_COLORAPP_TCMODE_COLORF;Farbigkeit (M) @@ -1536,19 +2330,24 @@ TP_COLORAPP_TCMODE_LABEL2;Tonwertkurve 2 Modus TP_COLORAPP_TCMODE_LABEL3;Farbkurve Modus TP_COLORAPP_TCMODE_LIGHTNESS;Helligkeit (J) TP_COLORAPP_TCMODE_SATUR;Sättigung (S) -TP_COLORAPP_TEMP_TOOLTIP;Um eine Farbtemperatur auszuwählen\nsetzen Sie die Tönung immer auf "1".\nA Temp=2856\nD50 Temp=5003\nD55 Temp=5503\nD65 Temp=6504\nD75 Temp=7504 -TP_COLORAPP_TONECIE;Tonwertkorrektur mittels\nCIECAM02-Helligkeit (Q) +TP_COLORAPP_TEMP2_TOOLTIP;Symmetrischer Modus Temp = Weißabgleich.\nBei Auswahl einer Beleuchtung setze Tönung=1.\n\nA Temp=2856\nD41 Temp=4100\nD50 Temp=5003\nD55 Temp=5503\nD60 Temp=6000\nD65 Temp=6504\nD75 Temp=7504 +TP_COLORAPP_TEMPOUT_TOOLTIP;Deaktivieren um Temperatur und Tönung zu ändern. +TP_COLORAPP_TEMP_TOOLTIP;Um eine Beleuchtungsart auszuwählen, setzen Sie die Tönung immer auf '1'.\nA Temp=2856\nD50 Temp=5003\nD55 Temp=5503\nD65 Temp=6504\nD75 Temp=7504 +TP_COLORAPP_TONECIE;Tonwertkorrektur mittels CIECAM02/16 TP_COLORAPP_TONECIE_TOOLTIP;Wenn diese Option ausgeschaltet ist, wird die Tonwertkorrektur im L*a*b*-Farbraum durchgeführt.\nWenn die Option eingeschaltet ist, wird CIECAM02 für die Tonwertkorrektur verwendet. Das Werkzeug Tonwertkorrektur muss aktiviert sein, damit diese Option berücksichtigt wird. +TP_COLORAPP_VIEWINGF_TOOLTIP;Berücksichtigt, auf welchem Gerät das endgültige Bild angezeigt wird (Monitor, Fernseher, Projektor, Drucker, ...) sowie seine Umgebung. Dieser Prozess nimmt die Daten aus dem Prozess 'Image Adjustments' auf und "passt" sie so an das Gerät an, dass die Betrachtungsbedingungen und die Umgebung berücksichtigt werden. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute Luminanz der Betrachtungsumgebung\n(normalerweise 16cd/m²). -TP_COLORAPP_WBCAM;[RT+CAT02] + [Ausgabe] +TP_COLORAPP_WBCAM;[RT+CAT02/16] + [Ausgabe] TP_COLORAPP_WBRT;[RT] + [Ausgabe] +TP_COLORAPP_YBOUT_TOOLTIP;Yb ist die relative Helligkeit des Hintergrunds, ausgedrückt in % von Grau. Ein Grau bei 18 % entspricht einer Hintergrundluminanz ausgedrückt in CIE L von 50 %.\nDiese Daten müssen die durchschnittliche Luminanz des Bildes berücksichtigen. +TP_COLORAPP_YBSCEN_TOOLTIP;Yb ist die relative Helligkeit des Hintergrunds, ausgedrückt in % von Grau. Ein Grau bei 18 % entspricht einer Hintergrundluminanz ausgedrückt in CIE L von 50 %.\nDiese Daten müssen die durchschnittliche Luminanz des Bildes berücksichtigen. TP_COLORTONING_AB;o C/L TP_COLORTONING_AUTOSAT;Automatisch TP_COLORTONING_BALANCE;Farbausgleich TP_COLORTONING_BY;o C/L TP_COLORTONING_CHROMAC;Deckkraft TP_COLORTONING_COLOR;Farbe -TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Buntheitsdeckkraft als Funktion der Luminanz oB = f(L). +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Buntheitsdeckkraft als Funktion der Luminanz dB=f(L). TP_COLORTONING_HIGHLIGHT;Lichter TP_COLORTONING_HUE;Farbton TP_COLORTONING_LAB;L*a*b*-Überlagerung @@ -1600,6 +2399,7 @@ TP_COLORTONING_TWOBY;Spezial a* und b* TP_COLORTONING_TWOCOLOR_TOOLTIP;Standardfarbe:\nLinearer Verlauf, a* = b*.\n\nSpezial-Farbe:\nLinearer Verlauf, a* = b*, aber nicht verbunden\n\nSpezial a* und b*:\nLinearer Verlauf, nicht verbunden, mit unterschiedlichen\nKurven für a* und b*. Bevorzugt für spezielle Effekte.\n\nSpezial-Farbe (2 Farben):\nBesser vorhersehbar. TP_COLORTONING_TWOSTD;Standardfarbe TP_CROP_FIXRATIO;Format +TP_CROP_GTCENTEREDSQUARE;Zentriertes Quadrat TP_CROP_GTDIAGONALS;Diagonalregel TP_CROP_GTEPASSPORT;Passfoto (biometrisch) TP_CROP_GTFRAME;Rahmen @@ -1625,28 +2425,28 @@ TP_DEFRINGE_RADIUS;Radius TP_DEFRINGE_THRESHOLD;Schwelle TP_DEHAZE_DEPTH;Tiefe TP_DEHAZE_LABEL;Bildschleier entfernen -TP_DEHAZE_LUMINANCE;Nur Luminanz +TP_DEHAZE_SATURATION;Sättigung TP_DEHAZE_SHOW_DEPTH_MAP;Maske anzeigen TP_DEHAZE_STRENGTH;Intensität TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto-Multizonen TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;Automatisch Global -TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;Delta-Chrominanz Blau / Gelb +TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;Chrominanz Blau/Gelb TP_DIRPYRDENOISE_CHROMINANCE_CURVE;Chrominanzkurve -TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Erhöht / Reduziert die Intensität der\nChrominanz-Rauschreduzierung in\nAbhängigkeit der Farbsättigung. +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Erhöht/Reduziert die Intensität der\nChrominanz-Rauschreduzierung in\nAbhängigkeit der Farbsättigung. TP_DIRPYRDENOISE_CHROMINANCE_FRAME;Chrominanz TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Benutzerdefiniert TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominanz (Master) TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Methode TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nVorschau:\nNur der sichbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. -TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet.\nAbhängig von der Bildgröße, wird das Bild in ca. 10 bis 70\nKacheln aufgeteilt. Für jede Kachel wird die Chrominanz-\nRauschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet.\nAbhängig von der Bildgröße, wird das Bild in ca. 10 bis 70\nKacheln aufgeteilt. Für jede Kachel wird die Chrominanz-\nRauschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichtbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Zeigt das Restrauschen des sichtbaren Bildbereichs\nin der 100%-Ansicht an.\n\n<50: Sehr wenig Rauschen\n50 - 100: Wenig Rauschen\n100 - 300: Durchschnittliches Rauschen\n>300: Hohes Rauschen\n\nDie Werte unterscheiden sich im L*a*b*- und RGB-Modus.\nDie RGB-Werte sind ungenauer, da der RGB-Modus\nLuminanz und Chrominanz nicht komplett trennt. TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Vorschaugröße = %1, Zentrum: Px = %2 Py = %2 TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO;Rauschen: Mittelwert = %1 Hoch = %2 -TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;Rauschen: Mittelwert = --- Hoch = --- +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;Rauschen: Mittelwert = --- Hoch = --- TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Kachelgröße = %1 Zentrum: Tx = %2 Ty = %2 -TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;Delta-Chrominanz Rot / Grün +TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;Chrominanz Rot/Grün TP_DIRPYRDENOISE_LABEL;Rauschreduzierung TP_DIRPYRDENOISE_LUMINANCE_CONTROL;Luminanzkontrolle TP_DIRPYRDENOISE_LUMINANCE_CURVE;Luminanzkurve @@ -1662,19 +2462,19 @@ TP_DIRPYRDENOISE_MAIN_GAMMA_TOOLTIP;Mit Gamma kann die Intensität der\nRauschre TP_DIRPYRDENOISE_MAIN_MODE;Modus TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressiv TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Konservativ -TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Konservativ" bewahrt Tieffrequenz-Chroma-Muster,\nwährend "Aggressiv" sie entfernt. +TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;'Konservativ' bewahrt Tieffrequenz-Chroma-Muster,\nwährend 'Aggressiv' sie entfernt. TP_DIRPYRDENOISE_MEDIAN_METHOD;Methode TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Nur Farbe TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Medianfilter TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Nur Luminanz TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;Bei der Methode “Nur Luminanz“ und “L*a*b*“,\nwird der Medianfilter nach den Waveletschritten\nverarbeitet.\nBei RGB wird der Medianfilter am Ende der\nRauschreduzierung verarbeitet. +TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;Bei der Methode 'Nur Luminanz' und 'L*a*b*',\nwird der Medianfilter nach den Wavelet-Schritten verarbeitet.\nBei RGB wird der Medianfilter am Ende der Rauschreduzierung verarbeitet. TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Gewichtet L* (wenig) + a*b* (normal) TP_DIRPYRDENOISE_MEDIAN_PASSES;Iterationen TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Manchmal führt ein kleines 3×3-Fenster mit\nmehreren Iterationen zu besseren Ergebnissen\nals ein 7×7-Fenster mit nur einer Iteration. TP_DIRPYRDENOISE_MEDIAN_TYPE;Mediantyp -TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Einen Medianfilter mit der gewünschten Fenstergröße auswählen.\nJe größer das Fenster, umso länger dauert die Verarbeitungszeit.\n\n3×3 weich: Nutzt 5 Pixel in einem 3×3-Pixelfenster.\n3×3: Nutzt 9 Pixel in einem 3×3-Pixelfenster.\n5×5 weich: Nutzt 13 Pixel in einem 5×5-Pixelfenster.\n5×5: Nutzt 25 Pixel in einem 5×5-Pixelfenster.\n7×7: Nutzt 49 Pixel in einem 7×7-Pixelfenster.\n9×9: Nutzt 81 Pixel in einem 9×9-Pixelfenster.\n\nManchmal ist das Ergebnis mit einem kleineren Fenster und mehreren Iterationen besser, als mit einem größeren und nur einer Iteration. +TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Einen Medianfilter mit der gewünschten Fenstergröße auswählen.\nJe größer das Fenster, desto länger dauert die Verarbeitungszeit.\n\n3×3 weich: Nutzt 5 Pixel in einem 3×3-Pixelfenster.\n3×3: Nutzt 9 Pixel in einem 3×3-Pixelfenster.\n5×5 weich: Nutzt 13 Pixel in einem 5×5-Pixelfenster.\n5×5: Nutzt 25 Pixel in einem 5×5-Pixelfenster.\n7×7: Nutzt 49 Pixel in einem 7×7-Pixelfenster.\n9×9: Nutzt 81 Pixel in einem 9×9-Pixelfenster.\n\nManchmal ist das Ergebnis mit einem kleineren Fenster und mehreren Iterationen besser, als mit einem größeren und nur einer Iteration. TP_DIRPYRDENOISE_TYPE_3X3;3×3 TP_DIRPYRDENOISE_TYPE_3X3SOFT;3×3 weich TP_DIRPYRDENOISE_TYPE_5X5;5×5 @@ -1695,9 +2495,9 @@ TP_DIRPYREQUALIZER_LUMANEUTRAL;Neutral TP_DIRPYREQUALIZER_SKIN;Hautfarbtöne schützen TP_DIRPYREQUALIZER_SKIN_TOOLTIP;-100: Nur Farben innerhalb des Bereichs werden verändert.\n0: Alle Farben werden gleich behandelt.\n+100: Nur Farben außerhalb des Bereichs werden verändert. TP_DIRPYREQUALIZER_THRESHOLD;Schwelle -TP_DIRPYREQUALIZER_TOOLTIP;Verringert Artefakte an den Übergängen\nzwischen Hautfarbtöne und dem Rest\ndes Bildes. +TP_DIRPYREQUALIZER_TOOLTIP;Verringert Artefakte an den Übergängen\nzwischen Hautfarbtönen und dem Rest des Bildes. TP_DISTORTION_AMOUNT;Intensität -TP_DISTORTION_AUTO_TIP;Korrigiert die Verzeichnung in RAW-Bildern durch Vergleich mit dem eingebetten JPEG, falls dieses existiert und die Verzeichnung durch die Kamera korrigiert wurde. +TP_DISTORTION_AUTO_TIP;Korrigiert die Verzeichnung in RAW-Bildern durch Vergleich mit dem eingebetteten JPEG, falls dieses existiert und die Verzeichnung durch die Kamera korrigiert wurde. TP_DISTORTION_LABEL;Verzeichnungskorrektur TP_EPD_EDGESTOPPING;Kantenschutz TP_EPD_GAMMA;Gamma @@ -1706,7 +2506,7 @@ TP_EPD_REWEIGHTINGITERATES;Iterationen TP_EPD_SCALE;Faktor TP_EPD_STRENGTH;Intensität TP_EXPOSURE_AUTOLEVELS;Auto -TP_EXPOSURE_AUTOLEVELS_TIP;Automatische Belichtungseinstellung\nbasierend auf Bildanalyse. +TP_EXPOSURE_AUTOLEVELS_TIP;Automatische Belichtungseinstellung\nBasierend auf Bildanalyse. TP_EXPOSURE_BLACKLEVEL;Schwarzwert TP_EXPOSURE_BRIGHTNESS;Helligkeit TP_EXPOSURE_CLAMPOOG;Farben auf Farbraum beschränken @@ -1735,13 +2535,23 @@ TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Gewichteter Standard TP_EXPOS_BLACKPOINT_LABEL;Schwarzpunkt TP_EXPOS_WHITEPOINT_LABEL;Weißpunkt TP_FILMNEGATIVE_BLUE;Blauverhältnis -TP_FILMNEGATIVE_GREEN;Bezugsexponent (Kontrast) -TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. -TP_FILMNEGATIVE_LABEL;Filmnegativ -TP_FILMNEGATIVE_PICK;Neutrale Stellen wählen +TP_FILMNEGATIVE_BLUEBALANCE;Balance Kalt/Warm +TP_FILMNEGATIVE_COLORSPACE;Farbraum +TP_FILMNEGATIVE_COLORSPACE_INPUT;Eingangsfarbraum +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Wählen Sie den Farbraum aus, der verwendet werden soll, um die Negativ-Umkehrung durchzuführen:\nEingangsfarbraum: Führt die Umkehrung durch, bevor das Eingangsprofil angewendet wird, wie in den vorherigen Versionen von RT.\nArbeitsfarbraum< /b>: Führt die Umkehrung nach dem Eingabeprofil durch, wobei das aktuell ausgewählte Arbeitsprofil angewandt wird. +TP_FILMNEGATIVE_COLORSPACE_WORKING;Arbeitsfarbraum +TP_FILMNEGATIVE_REF_LABEL;Eingang RGB: %1 +TP_FILMNEGATIVE_REF_PICK;Farbwähler +TP_FILMNEGATIVE_REF_TOOLTIP;Auswahl eines Graupunktes, um den Weißabgleich für das Positivbild zu setzen. +TP_FILMNEGATIVE_GREEN;Bezugsexponent +TP_FILMNEGATIVE_GREENBALANCE;Balance Magenta/Grün +TP_FILMNEGATIVE_GUESS_TOOLTIP;Setzt automatisch die Rot- und Blau-Werte, indem mit der Pipette zwei Punkte ohne Farbinformation im Originalbild genommen werden. Diese Punkte sollten in der Helligkeit unterschiedlich sein. Der Weißabgleich sollte erst danach vorgenommen werden. +TP_FILMNEGATIVE_LABEL;Negativfilm +TP_FILMNEGATIVE_OUT_LEVEL;Ausgabestärke +TP_FILMNEGATIVE_PICK;Neutrale Punkte anwählen TP_FILMNEGATIVE_RED;Rotverhältnis TP_FILMSIMULATION_LABEL;Filmsimulation -TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee sucht nach Hald-CLUT-Bildern, die für die Filmsimulation benötigt werden, in einem Ordner, der viel Zeit benötigt.\nGehen Sie zu\n< Einstellungen > Bildbearbeitung > Filmsimulation >\nund prüfen Sie welcher Order benutzt wird. Wählen Sie den Ordner aus, der nur die Hald-CLUT-Bilder beinhaltet, oder einen leeren Ordner, wenn Sie die Filsimulation nicht verwenden möchten.\n\nWeitere Informationen über die Filmsimulation finden Sie auf RawPedia.\n\nMöchten Sie die Suche beenden? +TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee sucht nach Hald-CLUT-Bildern, die für die Filmsimulation benötigt werden, in einem Ordner, der zu viel Zeit zum Laden benötigt.\nGehen Sie zu\n< Einstellungen > Bildbearbeitung > Filmsimulation >\nund prüfen Sie, welcher Order benutzt wird. Wählen Sie den Ordner aus, der nur die Hald-CLUT-Bilder beinhaltet oder einen leeren Ordner, wenn Sie die Filmsimulation nicht verwenden möchten.\n\nWeitere Informationen über die Filmsimulation finden Sie auf RawPedia.\n\nMöchten Sie die Suche beenden? TP_FILMSIMULATION_STRENGTH;Intensität TP_FILMSIMULATION_ZEROCLUTSFOUND;HaldCLUT-Verzeichnis in den Einstellungen festlegen TP_FLATFIELD_AUTOSELECT;Automatische Auswahl @@ -1757,9 +2567,9 @@ TP_FLATFIELD_LABEL;Weißbild TP_GENERAL_11SCALE_TOOLTIP;Der Effekt dieses Werkzeugs ist nur in der 100%-Ansicht akkurat oder sichtbar. TP_GRADIENT_CENTER;Rotationsachse TP_GRADIENT_CENTER_X;Rotationsachse X -TP_GRADIENT_CENTER_X_TOOLTIP;Ankerpunkt der Rotationsachse X:\n-100 = linker Bildrand\n0 = Bildmitte\n+100 = rechter Bildrand +TP_GRADIENT_CENTER_X_TOOLTIP;Ankerpunkt der Rotationsachse X:\n-100 = linker Bildrand\n0 = Bildmitte\n+100 = rechter Bildrand. TP_GRADIENT_CENTER_Y;Rotationsachse Y -TP_GRADIENT_CENTER_Y_TOOLTIP;Ankerpunkt der Rotationsachse Y:\n-100 = oberer Bildrand\n0 = Bildmitte\n+100 = unterer Bildrand +TP_GRADIENT_CENTER_Y_TOOLTIP;Ankerpunkt der Rotationsachse Y:\n-100 = oberer Bildrand\n0 = Bildmitte\n+100 = unterer Bildrand. TP_GRADIENT_DEGREE;Rotationswinkel TP_GRADIENT_DEGREE_TOOLTIP;Rotationswinkel in Grad. TP_GRADIENT_FEATHER;Bereich @@ -1770,25 +2580,28 @@ TP_GRADIENT_STRENGTH_TOOLTIP;Filterstärke in Blendenstufen. TP_HLREC_BLEND;Überlagerung TP_HLREC_CIELAB;CIELab-Überlagerung TP_HLREC_COLOR;Farbübertragung +TP_HLREC_HLBLUR;Unschärfe TP_HLREC_ENA_TOOLTIP;Wird bei Verwendung der automatischen\nBelichtungskorrektur möglicherweise\naktiviert. TP_HLREC_LABEL;Lichter rekonstruieren TP_HLREC_LUMINANCE;Luminanz wiederherstellen TP_HLREC_METHOD;Methode: TP_HSVEQUALIZER_CHANNEL;Kanal TP_HSVEQUALIZER_HUE;H -TP_HSVEQUALIZER_LABEL;Farbton (H) / Sättigung (S) / Dynamik (V) +TP_HSVEQUALIZER_LABEL;Farbton (H)/Sättigung (S)/Dynamik (V) TP_HSVEQUALIZER_SAT;S TP_HSVEQUALIZER_VAL;V TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Basisbelichtung TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Die eingebettete DCP-Basisbelichtung verwenden.\nDie Einstellung ist nur verfügbar wenn sie vom\nEingangsfarbprofil unterstützt wird. TP_ICM_APPLYHUESATMAP;Basistabelle TP_ICM_APPLYHUESATMAP_TOOLTIP;Die eingebettete DCP-Basistabelle verwenden.\nDie Einstellung ist nur verfügbar wenn sie vom\nEingangsfarbprofil unterstützt wird. -TP_ICM_APPLYLOOKTABLE;“Look“-Tabelle -TP_ICM_APPLYLOOKTABLE_TOOLTIP;Die eingebettete DCP-“Look“-Tabelle verwenden.\nDie Einstellung ist nur verfügbar wenn sie vom\nEingangsfarbprofil unterstützt wird. +TP_ICM_APPLYLOOKTABLE;'Look'-Tabelle +TP_ICM_APPLYLOOKTABLE_TOOLTIP;Die eingebettete DCP-'Look'-Tabelle verwenden.\nDie Einstellung ist nur verfügbar wenn sie vom\nEingangsfarbprofil unterstützt wird. TP_ICM_BPC;Schwarzpunkt-Kompensation TP_ICM_DCPILLUMINANT;Illumination TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpoliert -TP_ICM_DCPILLUMINANT_TOOLTIP;DCP-Illumination auswählen. Vorgabe ist\nInterpoliert. Die Einstellung ist nur verfügbar\nwenn sie vom Eingangsfarbprofil unterstützt\nwird. +TP_ICM_DCPILLUMINANT_TOOLTIP;DCP-Illumination auswählen. Vorgabe ist\n'Interpoliert'. Die Einstellung ist nur verfügbar,\nwenn sie vom Eingangsfarbprofil unterstützt\nwird. +TP_ICM_FBW;Schwarz und Weiß +TP_ICM_ILLUMPRIM_TOOLTIP;Wählen Sie die Lichtart, die den Aufnahmebedingungen am nächsten kommt.\nÄnderungen können nur vorgenommen werden, wenn die Auswahl 'Ziel-Primärfarben' auf 'Benutzerdefiniert (Schieberegler)' eingestellt ist. TP_ICM_INPUTCAMERA;Kamera-Standard TP_ICM_INPUTCAMERAICC;Kameraspezifisches Profil TP_ICM_INPUTCAMERAICC_TOOLTIP;Verwendet RawTherapees kameraspezifisches\nDCP/ICC-Eingangsfarbprofil, welches präziser als\neine einfache Matrix ist. @@ -1802,26 +2615,71 @@ TP_ICM_INPUTNONE;Kein Profil TP_ICM_INPUTNONE_TOOLTIP;Kein Eingangsfarbprofil verwenden. TP_ICM_INPUTPROFILE;Eingangsfarbprofil TP_ICM_LABEL;Farbmanagement +TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +TP_ICM_NEUTRAL;Zurücksetzen TP_ICM_NOICM;Kein ICM: sRGB-Ausgabe TP_ICM_OUTPUTPROFILE;Ausgabeprofil -TP_ICM_PROFILEINTENT;Rendering-Intent +TP_ICM_OUTPUTPROFILE_TOOLTIP;Standardmäßig sind alle RTv4- oder RTv2-Profile mit TRC - sRGB: g=2.4 s=12.92 voreingestellt.\n\nMit 'ICC Profile Creator' können Sie v4- oder v2-Profile mit den folgenden Auswahlmöglichkeiten erstellen:\n- Primär: Aces AP0, Aces AP1 , AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Benutzerdefiniert\n- TRC: BT709, sRGB, linear, Standard g=2,2, Standard g=1,8, Benutzerdefiniert\n- Lichtart: D41, D50, D55 , D60, D65, D80, stdA 2856K +TP_ICM_PRIMRED_TOOLTIP;Primäreinstellungen Rot:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +TP_ICM_PRIMGRE_TOOLTIP;Primäreinstellungen Grün:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMBLU_TOOLTIP;Primäreinstellungen Blau:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PROFILEINTENT;Wiedergabe +TP_ICM_REDFRAME;Benutzerdefinierte Voreinstellungen TP_ICM_SAVEREFERENCE;Referenzbild speichern TP_ICM_SAVEREFERENCE_APPLYWB;Weißabgleich anwenden TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Um ICC-Profile zu erstellen, den Weißabgleich beim Speichern anwenden. Um DCP-Profile zu erstellen, den Weißabgleich NICHT beim Speichern anwenden. -TP_ICM_SAVEREFERENCE_TOOLTIP;Speichert das lineare TIFF-Bild bevor das\nEingangsfarbprofil angewendet wird. Das\nErgebnis kann zu Kalibrierungsaufgaben\nund zum Erstellen von Kameraprofilen\nverwendet werden. +TP_ICM_SAVEREFERENCE_TOOLTIP;Speichern Sie das lineare TIFF-Bild bevor das Eingangsfarbprofil angewendet wird. Das Ergebnis kann für Kalibrierungsaufgaben und zum Erstellen von Kameraprofilen verwendet werden. TP_ICM_TONECURVE;Tonwertkurve -TP_ICM_TONECURVE_TOOLTIP;Eingebettete DCP-Tonwertkurve verwenden.\nDie Einstellung ist nur verfügbar wenn sie\nvom Eingangsfarbprofil unterstützt wird. +TP_ICM_TONECURVE_TOOLTIP;Eingebettete DCP-Tonwertkurve verwenden.\nDie Einstellung ist nur verfügbar, wenn sie vom Eingangsfarbprofil unterstützt wird. +TP_ICM_TRCFRAME;Abstraktes Profil +TP_ICM_TRCFRAME_TOOLTIP;Auch bekannt als 'synthetisches' oder 'virtuelles' Profil, das am Ende der Verarbeitungspipeline (vor CIECAM) angewendet wird, sodass Sie benutzerdefinierte Bildeffekte erstellen können.\nSie können Änderungen vornehmen an:\n'Farbtonkennlinie': Ändert die Farbtöne des Bildes.\n'Beleuchtungsart': Ermöglicht Ihnen, die Profil-Primärfarben zu ändern, um sie an die Aufnahmebedingungen anzupassen.\n'Ziel-Primärfarben': Ermöglicht Ihnen, die Ziel-Primärfarben mit zwei Hauptanwendungen zu ändern - Kanalmischer und -kalibrierung.\nHinweis: Abstrakte Profile berücksichtigen die integrierten Arbeitsprofile, ohne sie zu ändern. Sie funktionieren nicht mit benutzerdefinierten Arbeitsprofilen. +TP_ICM_WORKING_CIEDIAG;CIE xy-Diagramm TP_ICM_WORKINGPROFILE;Arbeitsfarbraum +TP_ICM_WORKING_PRESER;Pastelltöne erhalten TP_ICM_WORKING_TRC;Farbtonkennlinie: +TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 +TP_ICM_WORKING_TRC_22;Adobe g=2.2 +TP_ICM_WORKING_TRC_18;ProPhoto g=1.8 +TP_ICM_WORKING_TRC_LIN;Linear g=1 TP_ICM_WORKING_TRC_CUSTOM;Benutzerdefiniert TP_ICM_WORKING_TRC_GAMMA;Gamma TP_ICM_WORKING_TRC_NONE;Keine TP_ICM_WORKING_TRC_SLOPE;Steigung -TP_ICM_WORKING_TRC_TOOLTIP;Nur für die mitgelieferten\nProfile möglich. +TP_ICM_TRC_TOOLTIP;Ermöglicht Ihnen, die standardmäßige sRGB-'Farbtonkennlinie' in RT (g=2,4 s=12,92) zu ändern.\nDiese Farbtonkennlinie modifiziert die Farbtöne des Bildes. Die RGB- und Lab-Werte, das Histogramm und die Ausgabe (Bildschirm, TIF, JPG) werden geändert:\nGamma wirkt hauptsächlich auf helle Töne, Steigung wirkt hauptsächlich auf dunkle Töne.\nSie können ein beliebiges Paar von 'Gamma' und 'Steigung' (Werte >1) wählen, und der Algorithmus stellt sicher, dass zwischen den linearen und parabolischen Teilen der Kurve Kontinuität besteht.\nEine andere Auswahl als 'Keine' aktiviert die Menüs 'Lichtart' und 'Ziel-Primärfarben'. +TP_ICM_WORKING_ILLU;Beleuchtung +TP_ICM_WORKING_ILLU_NONE;Standard +TP_ICM_WORKING_ILLU_D41;D41 +TP_ICM_WORKING_ILLU_D50;D50 +TP_ICM_WORKING_ILLU_D55;D55 +TP_ICM_WORKING_ILLU_D60;D60 +TP_ICM_WORKING_ILLU_D65;D65 +TP_ICM_WORKING_ILLU_D80;D80 +TP_ICM_WORKING_ILLU_D120;D120 +TP_ICM_WORKING_ILLU_STDA;Glühbirne Normlicht A 2875K +TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +TP_ICM_WORKING_PRIM;Zielvorwahl +TP_ICM_PRIMILLUM_TOOLTIP;Sie können ein Bild von seinem ursprünglichen Modus ('Arbeitsprofil') in einen anderen Modus ('Zielvorwahl') ändern. Wenn Sie einen anderen Farbmodus für ein Bild auswählen, ändern Sie die Farbwerte im Bild dauerhaft.\n\nDas Ändern der 'Primärfarben' ist ziemlich komplex und schwierig zu verwenden. Es erfordert viel Experimentieren.\nEs kann exotische Farbanpassungen als Primärfarben des Kanalmischers vornehmen.\nEs ermöglicht Ihnen, die Kamerakalibrierung mit 'Benutzerdefiniert (Schieberegler)' zu ändern. +TP_ICM_WORKING_PRIM_NONE;Standard +TP_ICM_WORKING_PRIM_SRGB;sRGB +TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +TP_ICM_WORKING_PRIM_PROP;ProPhoto +TP_ICM_WORKING_PRIM_REC;Rec2020 +TP_ICM_WORKING_PRIM_ACE;ACESp1 +TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_PRIM_AC0;ACESp0 +TP_ICM_WORKING_PRIM_BRU;BruceRGB +TP_ICM_WORKING_PRIM_BET;Beta RGB +TP_ICM_WORKING_PRIM_BST;BestRGB +TP_ICM_WORKING_PRIM_CUS;Benutzerdefiniert (Regler) +TP_ICM_WORKING_PRIM_CUSGR;Benutzerdefiniert (CIE xy-Diagramm) +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;Wenn 'Benutzerdefiniert CIE xy-Diagramm' in der Combobox 'Zielvorwahl' ausgewählt ist, können die Werte der 3 Primärfarben direkt im Diagramm geändert werden.\nBeachten Sie, dass in diesem Fall die Weißpunktposition im Diagramm nicht aktualisiert wird. +TP_ICM_WORKING_TRC_TOOLTIP;Auswahl der mitgelieferten Profile. TP_IMPULSEDENOISE_LABEL;Impulsrauschreduzierung TP_IMPULSEDENOISE_THRESH;Schwelle TP_LABCURVE_AVOIDCOLORSHIFT;Farbverschiebungen vermeiden -TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Anpassung der Farben an den Arbeitsfarbraum\nund Anwendung der Munsellkorrektur. +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Anpassung der Farben an den Arbeitsfarbraum\nund Anwendung der Munsell-Korrektur. TP_LABCURVE_BRIGHTNESS;Helligkeit TP_LABCURVE_CHROMATICITY;Chromatizität TP_LABCURVE_CHROMA_TOOLTIP;Für Schwarz/Weiß setzen Sie die Chromatizität auf -100. @@ -1840,18 +2698,18 @@ TP_LABCURVE_CURVEEDITOR_CC_RANGE1;Neutral TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Matt TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastell TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Gesättigt -TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromatizität als Funktion der Chromatizität C = f(C) +TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromatizität als Funktion der Chromatizität C=f(C) TP_LABCURVE_CURVEEDITOR_CH;CH -TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromatizität als Funktion des Farbtons C = f(H) +TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromatizität als Funktion des Farbtons C=f(H) TP_LABCURVE_CURVEEDITOR_CL;CL -TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromatizität als Funktion der Luminanz C = f(L) +TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromatizität als Funktion der Luminanz C=f(L) TP_LABCURVE_CURVEEDITOR_HH;HH -TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H = f(H) +TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H=f(H) TP_LABCURVE_CURVEEDITOR_LC;LC -TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminanz als Funktion der Chromatizität L = f(C) +TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminanz als Funktion der Chromatizität L=f(C) TP_LABCURVE_CURVEEDITOR_LH;LH -TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L = f(H) -TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanz als Funktion der Luminanz L = f(L) +TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L=f(H) +TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanz als Funktion der Luminanz L=f(L) TP_LABCURVE_LABEL;L*a*b* - Anpassungen TP_LABCURVE_LCREDSK;LC-Kurve auf Hautfarbtöne beschränken TP_LABCURVE_LCREDSK_TIP;Wenn aktiviert, wird die LC-Kurve auf\nHautfarbtöne beschränkt.\nWenn deaktiviert, wird die LC-Kurve auf\nalle Farbtöne angewendet. @@ -1860,6 +2718,8 @@ TP_LABCURVE_RSTPRO_TOOLTIP;Kann mit dem Chromatizitätsregler und\nder CC-Kurve TP_LENSGEOM_AUTOCROP;Auto-Schneiden TP_LENSGEOM_FILL;Auto-Füllen TP_LENSGEOM_LABEL;Objektivkorrekturen +TP_LENSGEOM_LIN;Linear +TP_LENSGEOM_LOG;Logarithmisch TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatisch (Lensfun) TP_LENSPROFILE_CORRECTION_LCPFILE;LCP-Datei TP_LENSPROFILE_CORRECTION_MANUAL;Benutzerdefiniert (Lensfun) @@ -1875,12 +2735,812 @@ TP_LOCALCONTRAST_DARKNESS;Dunkle Bereiche TP_LOCALCONTRAST_LABEL;Lokaler Kontrast TP_LOCALCONTRAST_LIGHTNESS;Helle Bereiche TP_LOCALCONTRAST_RADIUS;Radius +TP_LOCALLAB_ACTIV;Nur Luminanz +TP_LOCALLAB_ACTIVSPOT;Spot aktivieren +TP_LOCALLAB_ADJ;Equalizer Blau/Gelb-Rot/Grün +TP_LOCALLAB_ALL;Alle Rubriken +TP_LOCALLAB_AMOUNT;Intensität +TP_LOCALLAB_ARTIF;Kantenerkennung +TP_LOCALLAB_ARTIF_TOOLTIP;Schwellenwert Bereich ΔE erhöht den Anwendungsbereich des ΔE. Hohe Werte sind für große Gamutbereiche.\nErhöhung der ΔE-Zerfallrate kann die Kantenerkennung erhöhen, aber auch den Bereich verringern. +TP_LOCALLAB_AUTOGRAY;Automatisch mittlere Luminanz (Yb%) +TP_LOCALLAB_AUTOGRAYCIE;Automatisch +TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Berechnet automatisch die 'mittlere Luminanz' und 'absolute Luminanz'.\nFür Jz Cz Hz: automatische Berechnung von 'PU Anpassung', 'Schwarz-Ev' und 'Weiß-Ev'. +TP_LOCALLAB_AVOID;vermeide Farbverschiebungen +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewandt wird. +TP_LOCALLAB_AVOIDRAD;Radius +TP_LOCALLAB_AVOIDMUN;Nur Munsell-Korrektur +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewandt wird +TP_LOCALLAB_BALAN;ab-L Balance (ΔE) +TP_LOCALLAB_BALANEXP;Laplace Balance +TP_LOCALLAB_BALANH;C-H Balance (ΔE) +TP_LOCALLAB_BALAN_TOOLTIP;Verändert die ΔE Algorithmus-Parameter.\nBerücksichtigt mehr oder weniger a*b* oder L*, oder mehr oder weniger C oder H.\nNicht zur Rauschreduzierung. +TP_LOCALLAB_BASELOG;Bereich Schatten (logarithmisch) +TP_LOCALLAB_BILATERAL;Impulsrauschen +TP_LOCALLAB_BLACK_EV;Schwarz-Ev +TP_LOCALLAB_BLCO;nur Chrominanz +TP_LOCALLAB_BLENDMASKCOL;Überlagerung +TP_LOCALLAB_BLENDMASKMASK;Addiere/subtrahiere Luminanzmaske +TP_LOCALLAB_BLENDMASKMASKAB;Addiere/subtrahiere Chrominanzmaske +TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;Wenn Regler = 0 keine Auswirkung.\nAddiert oder subtrahiert die Maske vom Originalbild. +TP_LOCALLAB_BLENDMASK_TOOLTIP;Wenn Überlagerung = 0 ist, wird nur die Formerkennung verbessert.\nWenn Überlagerung > 0 ist, wird die Maske zum Bild hinzugefügt. Wenn Überlagerung < 0 ist, wird die Maske vom Bild subtrahiert. +TP_LOCALLAB_BLGUID;Anpassbarer Filter +TP_LOCALLAB_BLINV;Invertieren +TP_LOCALLAB_BLLC;Luminanz u. Chrominanz +TP_LOCALLAB_BLLO;Nur Luminanz +TP_LOCALLAB_BLMED;Median +TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal - direkte Unschärfe und Rauschen mit allen Einstellungen.\nInvertiert - Unschärfe und Rauschen mit allen Einstellungen. Vorsicht, kann zu unerwünschten Ergebnissen führen. +TP_LOCALLAB_BLNOI_EXP;Unschärfe und Rauschen +TP_LOCALLAB_BLNORM;Normal +TP_LOCALLAB_BLUFR;Unschärfe und Rauschreduzierung +TP_LOCALLAB_BLUMETHOD_TOOLTIP;So verwischen Sie den Hintergrund und isolieren Sie den Vordergrund:\n- Verwischen Sie den Hintergrund, indem Sie das Bild vollständig mit einem RT-Spot abdecken (hohe Werte für Umfang und Übergang und 'Normal' oder 'Invertieren' im Kontrollkästchen).\n- Isolieren Sie den Vordergrund durch Verwendung eines oder mehrerer 'Ausschließen'-RT-Spots und Vergrößerung des Bereichs.\n\nDieses Modul (einschließlich 'Median' und 'Anpassbarer Filter') kann zusätzlich zur Rauschreduzierung im Hauptmenü verwendet werden. +TP_LOCALLAB_BLUR;Gauß'sche Unschärfe - Rauschen - Körnung +TP_LOCALLAB_BLURCOL;Radius +TP_LOCALLAB_BLURCOLDE_TOOLTIP;Zur Berechnung von ΔE wird ein leicht unscharfes Bild verwendet, um isolierte Pixel zu vermeiden. +TP_LOCALLAB_BLURDE;Unschärfe Kantenerkennung +TP_LOCALLAB_BLURLC;Nur Luminanz +TP_LOCALLAB_BLURLEVELFRA;Unschärfe-Ebenen +TP_LOCALLAB_BLURMASK_TOOLTIP;Verwendet eine große Radius-Unschärfe für eine Maske, die es erlaubt, den Bildkontrast und/oder Teile davon abzudunkeln oder aufzuhellen. +TP_LOCALLAB_BLURRMASK_TOOLTIP;Verändert den Radius der Gauß'schen Unschärfe (0 bis 1000). +TP_LOCALLAB_BLUR_TOOLNAME;Unschärfe und Rauschreduzierung +TP_LOCALLAB_BLWH;Alle Änderungen in Schwarz-Weiß erzwingen +TP_LOCALLAB_BLWH_TOOLTIP;Setzt Farbkomponenten 'a' und 'b' auf Null.\nHilfreich für Schwarz/Weiß-Entwicklung oder Filmsimulation. +TP_LOCALLAB_BUTTON_ADD;Hinzufügen +TP_LOCALLAB_BUTTON_DEL;Löschen +TP_LOCALLAB_BUTTON_DUPL;Duplizieren +TP_LOCALLAB_BUTTON_REN;Umbenennen +TP_LOCALLAB_BUTTON_VIS;Ein-/Ausblenden +TP_LOCALLAB_BWFORCE;Schwarz-Ev & Weiß-Ev verwenden +TP_LOCALLAB_CAM16_FRA;CAM16 Bildanpassungen +TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Spitzenleuchtdichte) +TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) angepasst an CAM16. Ermöglicht die Änderung der internen PQ-Funktion (normalerweise 10000 cd/m2 - Standard 100 cd/m2 - deaktiviert für 100 cd/m2).\nKann zur Anpassung an verschiedene Geräte und Bilder verwendet werden. +TP_LOCALLAB_CAMMODE;CAM-Modell +TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +TP_LOCALLAB_CAMMODE_ZCAM;nur ZCAM +TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CATAD;Chromatische Adaptation/Cat16 +TP_LOCALLAB_CBDL;Detailebenenkontrast +TP_LOCALLAB_CBDLCLARI_TOOLTIP;Verstärkt den lokalen Kontrast der Mitteltöne. +TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Das gleiche wie Wavelets.\nDie erste Ebene (0) arbeitet mit 2x2 Pixeldetails.\nDie letzte Ebene (5) arbeitet mit 64x64 Pixeldetails. +TP_LOCALLAB_CBDL_THRES_TOOLTIP;Verhindert das Schärfen von Rauschen. +TP_LOCALLAB_CBDL_TOOLNAME;Detailebenen-Kontrast +TP_LOCALLAB_CENTER_X;Mitte X +TP_LOCALLAB_CENTER_Y;Mitte Y +TP_LOCALLAB_CH;Kurven CL - LC +TP_LOCALLAB_CHROMA;Chrominanz +TP_LOCALLAB_CHROMABLU;Chrominanz-Ebenen +TP_LOCALLAB_CHROMABLU_TOOLTIP;Erhöht oder verringert den Effekt abhängig von den Luma-Einstellungen.\nWerte kleiner 1 verringern den Effekt. Werte größer 1 erhöhen den Effekt. +TP_LOCALLAB_CHROMACBDL;Chrominanz +TP_LOCALLAB_CHROMACB_TOOLTIP;Erhöht oder verringert den Effekt abhängig von den Luma-Einstellungen.\nWerte kleiner 1 verringern den Effekt. Werte größer 1 erhöhen den Effekt. +TP_LOCALLAB_CHROMALEV;Chrominanz Ebenen +TP_LOCALLAB_CHROMASKCOL;Chrominanz +TP_LOCALLAB_CHROMASK_TOOLTIP;Ändert die Chrominanz der Maske, wenn eine existiert (d.h. C(C) oder LC(H) ist aktiviert). +TP_LOCALLAB_CHROML;Chroma (C) +TP_LOCALLAB_CHRRT;Chrominanz +TP_LOCALLAB_CIE_TOOLNAME;CIECAM (CAM16 & JzCzHz) +TP_LOCALLAB_CIE;CIECAM (CAM16 & JzCzHz) +TP_LOCALLAB_CIEC;CIECAM-Umgebungsparameter +TP_LOCALLAB_CIECAMLOG_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um das Sehen der menschlichen Farbwahrnehmung unter verschiedenen Lichtbedingungen zu simulieren.\nDer erste CIECAM-Prozess 'Szenebasierte Bedingungen' wird per LOG-Kodierung durchgeführt und verwendet 'Absolute Luminanz' zum Zeitpunkt der Aufnahme.\nDer zweite CIECAM-Prozess 'Bildkorrektur' wurde vereinfacht und nutzt nur 3 Variablen ('Lokaler Kontrast', 'Kontrast J', 'Sättigung s').\nDer dritte CIECAM-Prozess 'Anzeigebedingungen' passt die Ausgabe an das beabsichtigte Anzeigegerät (Monitor, TV, Projektor, Drucker, etc.) an, damit das chromatische und kontrastreiche Erscheinungsbild in der gesamten Anzeigeumgebung erhalten bleibt. +TP_LOCALLAB_CIEMODE;Werkzeugposition ändern +TP_LOCALLAB_CIEMODE_COM;Standard +TP_LOCALLAB_CIEMODE_DR;Dynamikbereich +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +TP_LOCALLAB_CIEMODE_WAV;Wavelet +TP_LOCALLAB_CIEMODE_LOG;LOG-Kodierung +TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewandt werden. +TP_LOCALLAB_CIETOOLEXP;Kurven +TP_LOCALLAB_CIECOLORFRA;Farbe +TP_LOCALLAB_CIECONTFRA;Kontrast +TP_LOCALLAB_CIELIGHTFRA;Beleuchtung +TP_LOCALLAB_CIELIGHTCONTFRA;Beleuchtung & Kontrast +TP_LOCALLAB_CIRCRADIUS;Spot-Größe +TP_LOCALLAB_CIRCRAD_TOOLTIP;Die Spot-Größe bestimmt die Referenzen des RT-Spots, die für die Formerkennung nützlich sind (Farbton, Luma, Chroma, Sobel).\nNiedrige Werte können für die Bearbeitung kleiner Flächen und Strukturen nützlich sein.\nHohe Werte können für die Behandlung von größeren Flächen oder auch Haut nützlich sein. +TP_LOCALLAB_CLARICRES;Chroma zusammenführen +TP_LOCALLAB_CLARIFRA;Klarheit u. Schärfemaske - Überlagern u. Abschwächen +TP_LOCALLAB_CLARILRES;Luma zusammenführen +TP_LOCALLAB_CLARISOFT;Radius +TP_LOCALLAB_CLARISOFT_TOOLTIP;Der Regler 'Radius' (Algorithmus des anpassbaren Filters) reduziert Lichthöfe und Unregelmäßigkeiten für die Klarheit, die Schärfemaske und für alle Pyramiden-Wavelet-Prozesse. Zum Deaktivieren setzen Sie den Schieberegler auf Null. +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;Der Regler ‘Radius’ (Algorithmus des anpassbaren Filters) reduziert Lichthöfe und Unregelmäßigkeiten für Klarheit, Schärfemaske und Wavelets Jz des lokalen Kontrastes. +TP_LOCALLAB_CLARITYML;Klarheit +TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 bis 4 (einschließlich): 'Schärfemaske' ist aktiviert\nLevel 5 und darüber: 'Klarheit' ist aktiviert.\nHilfreich bei 'Wavelet - Tonwertkorrektur' +TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 bis 4 (einschließlich): ‘Schärfemaske’ ist aktiviert\nLevel 5 und darüber: 'Klarheit' ist aktiviert. +TP_LOCALLAB_CLIPTM;Wiederhergestellte Daten beschneiden +TP_LOCALLAB_COFR;Farbe und Licht +TP_LOCALLAB_COLOR_CIE;Farbkurve +TP_LOCALLAB_COLORDE;Vorschau Farbe - Intensität (ΔE) +TP_LOCALLAB_COLORDEPREV_TOOLTIP;Die Schaltfläche 'Vorschau ΔE' funktioniert nur, wenn Sie eines (und nur eines) der Werkzeuge im Menü 'Werkzeug zum aktuellen Spot hinzufügen' aktiviert haben.\nUm eine Vorschau von ΔE mit mehreren aktivierten Werkzeugen anzuzeigen, verwenden Sie 'Maske und Anpassungen' - Vorschau ΔE. +TP_LOCALLAB_COLORDE_TOOLTIP;Zeigt eine blaue Farbvorschau für die ΔE-Auswahl an, wenn negativ, und grün, wenn positiv.\n\nMaske und Anpassungen (geänderte Bereiche ohne Maske anzeigen): Zeigt tatsächliche Änderungen an, wenn sie positiv sind, erweiterte Änderungen (nur Luminanz) mit Blau und Gelb, wenn sie negativ sind. +TP_LOCALLAB_COLORSCOPE;Bereich (Farbwerkzeuge) +TP_LOCALLAB_COLORSCOPE_TOOLTIP;Regler für Farbe, Licht, Schatten, Highlights und Dynamik.\nAndere Werkzeuge haben ihre eigenen Kontrollregler für den Anwendungsbereich. +TP_LOCALLAB_COLOR_TOOLNAME;Farbe und Licht +TP_LOCALLAB_COL_NAME;Name +TP_LOCALLAB_COL_VIS;Status +TP_LOCALLAB_COMPFRA;Direktionaler Kontrast +TP_LOCALLAB_COMPLEX_METHOD;Software Komplexität +TP_LOCALLAB_COMPLEX_TOOLTIP;Erlaubt dem Benutzer die Rubrik 'Lokale Anpassungen' auszuwählen. +TP_LOCALLAB_COMPREFRA;Tonwertkorrektur +TP_LOCALLAB_CONTCOL;Schwellenwert Kontrast +TP_LOCALLAB_CONTFRA;Ebenenkontrast +TP_LOCALLAB_CONTRAST;Kontrast +TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Ermöglicht das freie Ändern des Kontrasts der Maske.\nHat eine ähnliche Funktion wie die Regler 'Gamma' und 'Neigung'.\nMit dieser Funktion können Sie bestimmte Bereiche des Bildes (normalerweise die hellsten Bereiche der Maske) anvisieren, indem mit Hilfe der Kurve dunklere Bereiche ausgeschlossen werden). Kann Artefakte erzeugen. +TP_LOCALLAB_CONTRESID;Kontrast +TP_LOCALLAB_CONTTHMASK_TOOLTIP;Bestimmen Sie die zu verändernden Bildbereiche auf Basis der Textur. +TP_LOCALLAB_CONTTHR;Schwellenwert Kontrast +TP_LOCALLAB_CONTWFRA;Lokaler Kontrast +TP_LOCALLAB_CSTHRESHOLD;Wavelet-Ebenen +TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet-Ebenenauswahl +TP_LOCALLAB_CURV;Luminanz - Kontrast - Chrominanz 'Super' +TP_LOCALLAB_CURVCURR;Normal +TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;Wenn sich die Kurven oben befinden, ist die Maske vollständig Schwarz und hat keine Auswirkung auf das Bild.\nMit dem Absenken der Kurve wird die Maske allmählich bunter und brillanter, und das Bild ändert sich immer mehr.\n\nDie graue Übergangslinie repräsentiert die Referenzen (Chroma, Luma, Farbton).\nSie können wählen, ob der obere Rand der Kurven auf diesem Übergang positioniert werden soll oder nicht. +TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;Wenn sich die Kurven oben befinden, ist die Maske vollständig Schwarz und hat keine Auswirkung auf das Bild.\nMit dem Absenken der Kurve wird die Maske allmählich bunter und heller und ändert das Bild schrittweise.\n\nEs wird empfohlen, den oberen Rand der Kurven auf der grauen Grenzlinie zu positionieren, die die Referenzwerte von Chroma, Luma, Farbton für den RT-Spot darstellt. +TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;Um die Kurven zu aktivieren, setzen Sie das Kombinationsfeld 'Kurventyp' auf 'Normal'. +TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tonkurve +TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), kann mit L(H) in Farbe und Licht verwendet werden. +TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal': die Kurve L=f(L) verwendet den selben Algorithmus wie der Helligkeitsregler. +TP_LOCALLAB_CURVNONE;Kurven deaktivieren +TP_LOCALLAB_CURVES_CIE;Tonkurve +TP_LOCALLAB_DARKRETI;Dunkelheit +TP_LOCALLAB_DEHAFRA;Dunst entfernen +TP_LOCALLAB_DEHAZ;Intensität +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Entfernt atmosphärischen Dunst. Erhöht Sättigung und Details.\nKann einen Farbstich entfernen, aber auch einen Blaustich hinzufügen, der wiederum mit anderen Werkzeugen wieder entfernt werden kann. +TP_LOCALLAB_DEHAZ_TOOLTIP;Negative Werte fügen Dunst hinzu. +TP_LOCALLAB_DELTAD;Ebenenbalance +TP_LOCALLAB_DELTAEC;ΔE-Bildmaske +TP_LOCALLAB_DENOIBILAT_TOOLTIP;Ermöglicht Impulsrauschen zu reduzieren oder auch 'Salz-& Pfefferrauschen'. +TP_LOCALLAB_DENOICHROC_TOOLTIP;Ermöglicht den Umgang mit Flecken und Rauschen. +TP_LOCALLAB_DENOICHRODET_TOOLTIP;Ermöglicht die Wiederherstellung von Chrominanz-Details durch schrittweise Anwendung einer Fourier-Transformation (DCT). +TP_LOCALLAB_DENOICHROF_TOOLTIP;Ermöglicht die Detailjustierung von Chrominanz-Rauschen +TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Ermöglicht das Reduzieren von Chrominanz-Rauschen in Richtung Blau/Gelb oder Rot/Grün. +TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Ermöglicht das Reduzieren von Rauschen entweder in den Schatten oder in den Lichtern. +TP_LOCALLAB_DENOI1_EXP;Rauschreduzierung auf Luminanz-Maske +TP_LOCALLAB_DENOI2_EXP;Wiederherstellung auf Luminanz-Maske +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Ermöglicht die Wiederherstellung von Luminanz-Details durch schrittweise Anwendung einer Fourier-Transformation (DCT). +TP_LOCALLAB_DENOIMASK;Maske Farbrauschen reduzieren +TP_LOCALLAB_DENOIMASK_TOOLTIP;Für alle Werkzeuge, ermöglicht die Kontrolle des chromatischen Rauschens der Maske.\nNützlich für eine bessere Kontrolle der Chrominanz und Vermeidung von Artefakten bei Verwendung der LC(h)-Kurve. +TP_LOCALLAB_DENOIQUA_TOOLTIP;Im konservativen Modus werden Niedrigfrequenz-Details erhalten. Im aggressiven Modus werden diese entfernt.\nBeide Modi verwenden Wavelets und DCT und können in Verbindung mit 'Nicht-lokales Mittel - Luminanz' verwendet werden. +TP_LOCALLAB_DENOITHR_TOOLTIP;Korrigiert die Kantenerkennung, um die Rauschreduktion in Bereichen mit geringen Kontrasten zu unterstützen. +TP_LOCALLAB_DENOI_EXP;Rauschreduzierung +TP_LOCALLAB_DENOI_TOOLTIP;Dieses Modul kann zur Rauschreduktion entweder (am Ende der Prozess-Pipeline) selbständig verwendet werden oder in Verbindung mit der Rauschreduzierung im Menureiter 'Detail' (das am Anfang der Prozess-Pipeline arbeitet) .\nBereich ermöglicht eine differenzierte Einstellung basierend auf Farbe (ΔE).\nMinimale RT-Spotgröße: 128x128 +TP_LOCALLAB_DEPTH;Tiefe +TP_LOCALLAB_DETAIL;Lokaler Kontrast +TP_LOCALLAB_DETAILFRA;Kantenerkennung DCT +TP_LOCALLAB_DETAILSH;Details +TP_LOCALLAB_DETAILTHR;Schwelle Luminanz-Chrominanz-Detail +TP_LOCALLAB_DIVGR;Gamma +TP_LOCALLAB_DUPLSPOTNAME;Kopie +TP_LOCALLAB_EDGFRA;Kantenschärfe +TP_LOCALLAB_EDGSHOW;Alle Werkzeuge anzeigen +TP_LOCALLAB_ELI;Ellipse +TP_LOCALLAB_ENABLE_AFTER_MASK;Tonwertkorrektur anwenden +TP_LOCALLAB_ENABLE_MASK;Maske aktivieren +TP_LOCALLAB_ENABLE_MASKAFT;alle Belichtungs-Algorithmen verwenden +TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;Wenn aktiviert, verwendet die Maske 'Wiederhergestellte Daten' nach Übertragungszuordnung anstelle von Originaldaten. +TP_LOCALLAB_ENH;Erweitert +TP_LOCALLAB_ENHDEN;Erweitert + chromatische Rauschreduzierung +TP_LOCALLAB_EPSBL;Detail +TP_LOCALLAB_EQUIL;Luminanz normalisieren +TP_LOCALLAB_EQUILTM_TOOLTIP;Rekonstruiert Lichter so, dass Mittel und Abweichungen der Bildausgabe identisch sind mit denen des Originals. +TP_LOCALLAB_ESTOP;Kantenempfindlichkeit +TP_LOCALLAB_EV_DUPL;Kopie von +TP_LOCALLAB_EV_NVIS;Ausblenden +TP_LOCALLAB_EV_NVIS_ALL;Alle ausblenden +TP_LOCALLAB_EV_VIS;Zeigen +TP_LOCALLAB_EV_VIS_ALL;Alle zeigen +TP_LOCALLAB_EXCLUF;Ausschließend +TP_LOCALLAB_EXCLUF_TOOLTIP;Der 'Ausschlussmodus' verhindert, dass benachbarte Punkte bestimmte Teile des Bildes beeinflussen. Durch Anpassen von 'Bereich' wird der Farbbereich erweitert.\nSie können einem Ausschluss-Spot auch Werkzeuge hinzufügen und diese auf die gleiche Weise wie für einen normalen Punkt verwenden. +TP_LOCALLAB_EXCLUTYPE;Art des Spots +TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Der normale Spot verwendet rekursive Daten.\n\nDer ausschließende Spot reinitialisiert alle lokalen Anpassungen.\nEr kann ganz oder partiell angewandt werden, um vorherige lokale Anpassungen zu relativieren oder zurückzusetzen.\n\n'Ganzes Bild' erlaubt lokale Anpassungen auf das gesamte Bild.\nDie RT Spot-Begrenzung wird außerhalb der Vorschau gesetzt.\nDer Übergangswert wird auf 100 gesetzt.\nMöglicherweise muss der RT-Spot neu positioniert oder in der Größe angepasst werden, um das erwünschte Ergebnis zu erzielen.\nAchtung: Die Anwendung von Rauschreduzierung, Wavelet oder schnelle Fouriertransformation im 'Ganzes Bild-Modus' benötigt viel Speicher und Rechenleistung und könnte bei schwachen Systemen zu unerwünschtem Abbruch oder Abstürzen führen. +TP_LOCALLAB_EXECLU;Ausschließender Spot +TP_LOCALLAB_EXNORM;Normaler Spot +TP_LOCALLAB_EXFULL;Gesamtes Bild +TP_LOCALLAB_EXPCBDL_TOOLTIP;Kann zur Entfernung von Sensorflecken oder Objektivfehlern verwendet werden, indem Kontrast auf der entsprechenden Detailebene verringert wird. +TP_LOCALLAB_EXPCHROMA;Kompensation Farbsättigung +TP_LOCALLAB_EXPCHROMA_TOOLTIP;In Verbindung mit 'Belichtungskorrektur' und 'Kontrastdämpfung' kann eine Entsättigung der Farben vermieden werden. +TP_LOCALLAB_EXPCOLOR_TOOLTIP;Passt Farbe, Luminanz, Kontrast an und korrigiert kleinere Defekte, wie rote Augen, Sensorstaub etc. +TP_LOCALLAB_EXPCOMP;Belichtungsausgleich ƒ +TP_LOCALLAB_EXPCOMPINV;Belichtungsausgleich +TP_LOCALLAB_EXPCOMP_TOOLTIP;Für Porträts oder Bilder mit geringem Farbverlauf. Sie können 'Formerkennung' unter 'Einstellungen' ändern:\n\nErhöhen Sie den 'ΔE-Bereichsschwellenwert'\nReduzieren Sie 'ΔE-Zerfallrate'\nErhöhen Sie 'ab-L-Balance (ΔE)'. +TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;Siehe Dokumentation für Wavelet Levels.\nEs gibt einige Unterschiede in der Version der lokalen Einstellungen: mehr Werkzeuge und mehr Möglichkeiten an individuellen Detailebenen zu arbeiten.\nz.B. Wavelet-Level-Tonwertkorrektur. +TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Vermeiden Sie zu kleine Spots (<32 x 32 Pixel).\nVerwenden Sie niedrige 'Übergangswerte' und hohe Werte für 'Übergangszerfallrate' und 'Bereich,' um kleine RT-Spots zu simulieren und Fehler zu beheben.\nVerwenden Sie 'Klarheit & Schärfemaske und Überlagern & Abschwächen' wenn nötig, indem Sie den 'Radius' anpassen, um Artefakte zu reduzieren. +TP_LOCALLAB_EXPCURV;Kurven +TP_LOCALLAB_EXPGRAD;Verlaufsfilter +TP_LOCALLAB_EXPGRADCOL_TOOLTIP;Verlaufsfilter stehen in den folgenden Werkzeugen zur Verfügung: 'Farbe und Licht (Luminanz, Chrominanz, Farbtonverlauf, und Zusammenführen)', 'Belichtung (Luminanz grad.)', 'Belichtungsmaske (Luminanz grad.)', 'Schatten/Lichter (Luminanz grad.)', 'Dynamik (Luminanz, Chrominanz & Farbton)', 'Lokaler Kontrast & Wavelet Pyramide (lokaler Kontrast grad.)'.\nDer Zerfall wird in den Einstellungen definiert. +TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Ändert die Mischung von geändertem/ursprünglichem Bild. +TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Verändert das Verhalten des Bildes mit wenig oder zu wenig Kontrast, indem vorher eine Gammakurve und nachher eine Laplace-Transformation hinzugefügt werden. +TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Verändert das Verhalten unterbelichteter Bilder indem eine lineare Komponente vor Anwendung der Laplace-Transformation hinzugefügt wird. +TP_LOCALLAB_EXPLAP_TOOLTIP;Regler nach rechts reduziert schrittweise den Kontrast. +TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Ermöglicht die Verwendung von GIMP oder Photoshop(c)-Ebenen-Mischmodi wie Differenz, Multiplikation, Weiches Licht, Überlagerung etc., mit Transparenzkontrolle.\nOriginalbild: Führe aktuellen RT-Spot mit Original zusammen.\nVorheriger Spot: Führe aktuellen RT-Spot mit vorherigem zusammen - bei nur einem vorherigen = Original.\nHintergrund: Führe aktuellen RT-Spot mit einem Farb- oder Luminanzhintergrund zusammen (weniger Möglichkeiten). +TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard: Verwendet einen Algorithmus ähnlich der Hauptbelichtung, jedoch in L * a * b * und unter Berücksichtigung von ΔE.\n\nKontrastdämpfung: Verwendet einen anderen Algorithmus auch mit ΔE und mit der Poisson-Gleichung, um Laplace im Fourierraum zu lösen.\nKontrastdämpfung, Dynamikkomprimierung und Standard können kombiniert werden.\nDie Fourier-Transformation ist in der Größe optimiert, um die Verarbeitungszeit zu verkürzen.\nReduziert Artefakte und Rauschen. +TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Wendet einen Median-Filter vor der Laplace-Transformation an, um (Rausch-)Artefakte zu vermeiden.\nAlternativ kann das Werkzeug zur Rauschreduzierung angewandt werden. +TP_LOCALLAB_EXPOSE;Dynamik und Belichtung +TP_LOCALLAB_EXPOSURE_TOOLTIP;Anpassung der Belichtung im L*a*b-Raum mittels Laplace PDE-Algorithmus um ΔE zu berücksichtigen und Artefakte zu minimieren. +TP_LOCALLAB_EXPRETITOOLS;Erweiterte Retinex Werkzeuge +TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot-Minimum 39 * 39.\nVerwenden Sie niedrige Übergangswerte und hohe Werte für 'Zerfallrate' und 'Bereich', um kleinere RT-Spots zu simulieren. +TP_LOCALLAB_EXPTOOL;Belichtungswerkzeuge +TP_LOCALLAB_EXP_TOOLNAME;Dynamik und Belichtung +TP_LOCALLAB_FATAMOUNT;Intensität +TP_LOCALLAB_FATANCHOR;Versatz +TP_LOCALLAB_FATDETAIL;Detail +TP_LOCALLAB_FATFRA;Dynamikkompression +TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal - es wird der Fattal-Algorithmus zur Tonwertkorrektur angewandt. +TP_LOCALLAB_FATLEVEL;Sigma +TP_LOCALLAB_FATRES;Betrag Restbild +TP_LOCALLAB_FATSHFRA;Maske für den Bereich der Dynamikkompression +TP_LOCALLAB_FEATH_TOOLTIP;Verlaufsbreite als Prozentsatz der Spot-Diagonalen.\nWird von allen Verlaufsfiltern in allen Werkzeugen verwendet.\nKeine Aktion, wenn kein Verlaufsfilter aktiviert wurde. +TP_LOCALLAB_FEATVALUE;Verlaufsbreite +TP_LOCALLAB_FFTCOL_MASK;Schnelle Fouriertransformation +TP_LOCALLAB_FFTMASK_TOOLTIP;Nutzt eine Fourier-Transformation für eine bessere Qualität (auf Kosten einer erhöhten Verarbeitungszeit und Speicheranforderungen). +TP_LOCALLAB_FFTW;Schnelle Fouriertransformation +TP_LOCALLAB_FFTWBLUR;Schnelle Fouriertransformation +TP_LOCALLAB_FULLIMAGE;Schwarz-Ev und Weiß-Ev für das gesamte Bild +TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Berechnet die Ev-Level für das gesamte Bild. +TP_LOCALLAB_GAM;Gamma +TP_LOCALLAB_GAMW;Gamma (Wavelet Pyramiden) +TP_LOCALLAB_GAMC;Gamma +TP_LOCALLAB_GAMCOL_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten anwenden.\nWenn Gamma = 3 wird Luminanz 'linear' angewandt. +TP_LOCALLAB_GAMC_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten vor und nach der Behandlung von Pyramide 1 und Pyramide 2 anwenden.\nWenn Gamma = 3 wird Luminanz linear angewandt. +TP_LOCALLAB_GAMFRA;Farbtonkennlinie +TP_LOCALLAB_GAMM;Gamma +TP_LOCALLAB_GAMMASKCOL;Gamma +TP_LOCALLAB_GAMMASK_TOOLTIP;'Gamma' und 'Bereich' erlauben eine weiche und artefaktfreie Transformation der Maske, indem 'L' schrittweise geändert wird, um Diskontinuitäten zu vermeiden. +TP_LOCALLAB_GAMSH;Gamma +TP_LOCALLAB_GRADANG;Rotationswinkel +TP_LOCALLAB_GRADANG_TOOLTIP;Rotationswinkel in Grad: -180° 0° +180° +TP_LOCALLAB_GRADFRA;Verlaufsfiltermaske +TP_LOCALLAB_GRADGEN_TOOLTIP;Passt die Intensität des Luminanzverlaufes an. +TP_LOCALLAB_GRADLOGFRA;Verlaufsfilter Luminanz +TP_LOCALLAB_GRADSTR;Verlaufsintensität +TP_LOCALLAB_GRADSTRAB_TOOLTIP;Passt die Intensität des Farbsättigungsverlaufes an. +TP_LOCALLAB_GRADSTRCHRO;Intensität des Chrominanz-Verlaufes +TP_LOCALLAB_GRADSTRHUE;Intensität des Farbton-Verlaufes +TP_LOCALLAB_GRADSTRHUE2;Intensität des Farbton-Verlaufes +TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Passt die Intensität des Farbton-Verlaufes an. +TP_LOCALLAB_GRADSTRLUM;Intensität des Luminanz-Verlaufes +TP_LOCALLAB_GRAINFRA;Film-Körnung +TP_LOCALLAB_GRAINFRA2;Rauigkeit +TP_LOCALLAB_GRAIN_TOOLTIP;Fügt Film-ähnliches Korn hinzu. +TP_LOCALLAB_GRALWFRA;Verlaufsfilter (Lokaler Kontrast) +TP_LOCALLAB_GRIDFRAME_TOOLTIP;Dieses Werkzeug kann als Pinsel verwendet werden. Stellen Sie einen kleinen Spot ein und passen Sie 'Übergang' und 'Übergangszerfall' an.\nIm Modus NORMAL werden Farbton, Sättigung, Farbe und Leuchtkraft durch 'Hintergrund zusammenführen (ΔE)' beeinflusst. +TP_LOCALLAB_GRIDMETH_TOOLTIP;Farbtonung: Die Luminanz wird bei der Änderung der Chrominanz berücksichtigt. Entspricht H=f (H), wenn der 'weiße Punkt' im Raster auf Null bleibt und nur der 'schwarze Punkt' verändert wird. Entspricht 'Farbton', wenn beide Punkte verändert werden.\n\nDirekt: Wirkt direkt auf die Chrominanz. +TP_LOCALLAB_GRIDONE;Farbtönung +TP_LOCALLAB_GRIDTWO;Direkt +TP_LOCALLAB_GUIDBL;Radius +TP_LOCALLAB_GUIDBL_TOOLTIP;Wendet einen anpassbaren Filter mit einstellbarem Radius an. Ermöglicht das Reduzieren von Artefakten oder das Verwischen des Bildes. +TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Ändert die Verteilungsfunktion des anpassbaren Filters. Negative Werte simulieren eine Gauß'sche Unschärfe. +TP_LOCALLAB_GUIDFILTER;Anpassbarer Filter Radius +TP_LOCALLAB_GUIDFILTER_TOOLTIP;Kann Artefakte reduzieren oder verstärken. +TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensität des anpassbaren Filters. +TP_LOCALLAB_HHMASK_TOOLTIP;Feine Farbtonabstimmung z.B. für Hauttöne. +TP_LOCALLAB_HIGHMASKCOL;Lichter +TP_LOCALLAB_HLH;Kurven H +TP_LOCALLAB_HUECIE;Farbton +TP_LOCALLAB_IND;Unabhängig (Maus) +TP_LOCALLAB_INDSL;Unabhängig (Maus + Regler) +TP_LOCALLAB_INVBL;Invertieren +TP_LOCALLAB_INVBL_TOOLTIP;Alternative zum 'Invertieren': Zwei Spots\nErster Spot:\nGanzes Bild - Trennzeichen außerhalb der Vorschau\nRT-Spot-Form: Rechteck. Übergang 100\n\nZweiter Spot: Ausschließender Spot +TP_LOCALLAB_INVERS;Invertieren +TP_LOCALLAB_INVERS_TOOLTIP;Weniger Möglichkeiten, wenn aktiviert (Invertieren).\n\nAlternative: zwei Spots\nErster Spot:\nGanzes Bild -\nTrennzeichen außerhalb der Vorschau\nRT-Spot-Form: Rechteck. Übergang 100\n\nZweiter Spot: Ausschließender Spot\ninvertieren deaktiviert dieses Werkzeug für den Bereich außerhalb des Spots, während der Bereich innerhalb des Spots vom Werkzeug unberührt bleibt. +TP_LOCALLAB_INVMASK;Invertierter Algorithmus +TP_LOCALLAB_ISOGR;Verteilung (ISO) +TP_LOCALLAB_JAB;Schwarz-Ev & Weiß-Ev verwenden +TP_LOCALLAB_JABADAP_TOOLTIP;Vereinheitliche Wahrnehmungsanpassung.\nPasst automatisch das Verhältnis zwischen Jz und Sättigung unter Berücksichtigung der 'absoluten Leuchtdichte' an. +TP_LOCALLAB_JZ100;Jz Referenz 100cd/m2 +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb ist die relative Helligkeit des Hintergrunds, ausgedrückt als Prozentsatz von Grau. 18 % Grau entspricht einer Hintergrundhelligkeit von 50 %, ausgedrückt in CIE L.\nDie Daten basieren auf der mittleren Helligkeit des Bildes.\nBei Verwendung mit LOG-Kodierung wird die mittlere Helligkeit verwendet, um die erforderliche Verstärkung zu bestimmen, die dem Signal vor der LOG-Kodierung hinzugefügt werden muss. Niedrigere Werte der mittleren Helligkeit führen zu einer erhöhten Verstärkung. +TP_LOCALLAB_JZCLARILRES;Luma zusammenführen Jz +TP_LOCALLAB_JZCLARICRES;Chroma zusammenführen Cz +TP_LOCALLAB_JZFORCE;Erzwinge max. Jz auf 1 +TP_LOCALLAB_JZFORCE_TOOLTIP;Ermöglicht, den Jz-Wert für eine bessere Regler- und Kurvenreaktion auf 1 anzuheben. +TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (Modus 'Erweitert'). Nur funktionsfähig, wenn das Ausgabegerät (Monitor) HDR ist (Spitzenleuchtdichte höher als 100 cd/m2 - idealerweise zwischen 4000 und 10000 cd/m2. Schwarzpunktleuchtdichte unter 0,005 cd/m2). Dies setzt voraus, dass\na) das ICC-PCS für den Bildschirm Jzazbz (oder XYZ) verwendet,\nb) mit echter Präzision arbeitet,\nc) dass der Monitor kalibriert ist (möglichst mit einem DCI-P3- oder Rec-2020-Farbraum),\nd) dass das übliche Gamma (sRGB oder BT709) durch eine Perceptual Quantiser (PQ)-Funktion ersetzt wird. +TP_LOCALLAB_JZPQFRA;Jz Zuordnung +TP_LOCALLAB_JZPQFRA_TOOLTIP;Ermöglicht, den Jz-Algorithmus wie folgt an eine SDR-Umgebung oder an die Eigenschaften (Leistung) einer HDR-Umgebung anzupassen:\na) Bei Luminanzwerten zwischen 0 und 100 cd/m2 verhält sich das System so, als ob es sich in einer SDR-Umgebung befände .\nb) für Luminanzwerte zwischen 100 und 10000 cd/m2 können Sie den Algorithmus an die HDR-Eigenschaften des Bildes und des Monitors anpassen.\n\nWenn 'PQ - Peak Luminance' auf 10000 eingestellt ist, verhält sich 'Jz Zuordnung' genauso wie der ursprüngliche Jzazbz-Algorithmus. +TP_LOCALLAB_JZPQREMAP;PQ - Peak Luminanz +TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - ermöglicht die Änderung der internen PQ-Funktion (normalerweise 10000 cd/m2 - Standard 120 cd/m2).\nKann zur Anpassung an verschiedene Bilder, Prozesse und Geräte verwendet werden. +TP_LOCALLAB_JZ100_TOOLTIP;Passt automatisch den Referenz-Jz-Pegel von 100 cd/m2 (Bildsignal) an.\nÄndert den Sättigungspegel und die Aktion der 'PU-Anpassung' (Perceptual Uniform Adaption). +TP_LOCALLAB_JZADAP;PU Anpassung +TP_LOCALLAB_JZFRA;Jz Cz Hz Bildanpassungen +TP_LOCALLAB_JZLIGHT;Helligkeit +TP_LOCALLAB_JZCONT;Kontrast +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma +TP_LOCALLAB_JZHFRA;Kurven Hz +TP_LOCALLAB_JZHJZFRA;Kurve Jz(Hz) +TP_LOCALLAB_JZHUECIE;Farbton +TP_LOCALLAB_JZLOGWB_TOOLTIP;Wenn Auto aktiviert ist, werden die Ev-Werte und die 'mittlere Leuchtdichte Yb%' für den Spotbereich berechnet und angepasst. Die resultierenden Werte werden von allen Jz-Vorgängen verwendet, einschließlich 'LOG-Kodierung Jz'.\nBerechnet auch die absolute Leuchtdichte zum Zeitpunkt der Aufnahme. +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Die Anpassungen von Schwarz-Ev und Weiß-Ev können unterschiedlich sein, je nachdem, ob LOG-Kodierung oder Sigmoid verwendet wird.\nFür Sigmoid kann eine Änderung (in den meisten Fällen eine Erhöhung) von Weiß-Ev erforderlich sein, um eine bessere Wiedergabe von Glanzlichtern, Kontrast und Sättigung zu erhalten. +TP_LOCALLAB_JZSAT;Sättigung +TP_LOCALLAB_JZSHFRA;Schatten/Lichter Jz +TP_LOCALLAB_JZSOFTCIE;Radius (anpassbarer Filter) +TP_LOCALLAB_JZTARGET_EV;Ansicht mittlere Helligkeit (Yb%) +TP_LOCALLAB_JZSTRSOFTCIE;Intensität anpassbarer Filter +TP_LOCALLAB_JZQTOJ;Relative Helligkeit +TP_LOCALLAB_JZQTOJ_TOOLTIP;Ermöglicht die Verwendung von 'Relative Leuchtdichte' anstelle von 'Absolute Leuchtdichte'.\nDie Änderungen wirken sich auf: den Schieberegler 'Helligkeit', den Schieberegler 'Kontrast' und die Jz(Jz)-Kurve aus. +TP_LOCALLAB_JZTHRHCIE;Schwellenwert Chroma für Jz(Hz) +TP_LOCALLAB_JZWAVEXP;Wavelet Jz +TP_LOCALLAB_JZLOG;LOG-Kodierung Jz +TP_LOCALLAB_LABBLURM;Unschärfemaske +TP_LOCALLAB_LABEL;Lokale Anpassungen +TP_LOCALLAB_LABGRID;Farbkorrektur +TP_LOCALLAB_LABGRIDMERG;Hintergrund +TP_LOCALLAB_LABGRID_VALUES;oben(a)=%1\noben(b)=%2\nunten(a)=%3\nunten(b)=%4 +TP_LOCALLAB_LABSTRUM;Strukturmaske +TP_LOCALLAB_LAPLACC;ΔØ Maske Laplace löst PDE +TP_LOCALLAB_LAPLACE;Schwellenwert Laplace ΔE +TP_LOCALLAB_LAPLACEXP;Schwellenwert Laplace +TP_LOCALLAB_LAPMASKCOL;Schwellenwert Laplace +TP_LOCALLAB_LAPRAD1_TOOLTIP;Erhöht den Kontrast der Maske, indem die Luminanzwerte hellerer Bereiche erhöht werden. Kann in Verbindung mit den L(L) und LC(H) Kurven verwendet werden. +TP_LOCALLAB_LAPRAD2_TOOLTIP;'Radius' nutzt einen anpassbaren Filter, um Artefakte zu reduzieren und den Übergang zu glätten. +TP_LOCALLAB_LAPRAD_TOOLTIP;'Radius' nutzt einen anpassbaren Filter, um Artefakte zu reduzieren und den Übergang zu glätten. +TP_LOCALLAB_LAP_MASK_TOOLTIP;Löst die PDE für alle Laplace-Masken.\nWenn aktiviert, reduziert die Laplace-Schwellenwertmaske Artefakte und glättet das Ergebnis.\nLinear, wenn deaktiviert. +TP_LOCALLAB_LC_FFTW_TOOLTIP;Die schnelle Fouriertransformation verbessert die Qualität und ermöglicht die Verwendung großer Radien, erhöht jedoch die Verarbeitungszeit (abhängig vom zu verarbeitenden Bereich). Vorzugsweise nur für große Radien verwenden. Die Größe des Bereichs kann um einige Pixel reduziert werden, um die schnelle Fouriertransformation zu optimieren. Dies kann die Verarbeitungszeit um den Faktor 1,5 bis 10 reduzieren. +TP_LOCALLAB_LC_TOOLNAME;Lokaler Kontrast u. Wavelets +TP_LOCALLAB_LEVELBLUR;Maximum +TP_LOCALLAB_LEVELWAV;Wavelet Ebenen +TP_LOCALLAB_LEVELWAV_TOOLTIP;Die Ebene wird automatisch an die Größe des Spots und die Vorschau angepasst.\nVon Ebene 9 Größe max=512 bis Ebene 1 Größe max= 4. +TP_LOCALLAB_LEVFRA;Ebenen +TP_LOCALLAB_LIGHTNESS;Helligkeit +TP_LOCALLAB_LIGHTN_TOOLTIP;Im inversen Modus: Auswahl = -100 erzwingt Luminanz = 0 +TP_LOCALLAB_LIGHTRETI;Helligkeit +TP_LOCALLAB_LINEAR;Linearität +TP_LOCALLAB_LIST_NAME;Werkzeug zum aktiven Spot hinzufügen... +TP_LOCALLAB_LIST_TOOLTIP;Es gibt für jedes Werkzeug drei Komplexitätsstufen: Basis, Standard und Erweitert.\nDie Standardeinstellung für alle Werkzeuge ist Basis. Diese Einstellung kann im Fenster 'Einstellungen' geändert werden.\nDie Komplexitätsstufe kann auch für das einzelne Werkzeug während der Bearbeitung geändert werden. +TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Ermöglicht, den Effekt auf bestimmte Detailebenen in der Maske zu verringern oder zu erhöhen, indem bestimmte Luminanz-Zonen (im Allgemeinen die hellsten) angesprochen werden. +TP_LOCALLAB_LMASK_LL_TOOLTIP;Ermöglicht das freie Ändern des Kontrasts der Maske.\nHat eine ähnliche Funktion wie die Regler 'Gamma' und 'Neigung'.\nMit dieser Funktion können Sie bestimmte Bereiche des Bildes (normalerweise die hellsten Bereiche der Maske) anvisieren, indem mit Hilfe der Kurve dunklere Bereiche ausgeschlossen werden). Kann Artefakte erzeugen. +TP_LOCALLAB_LOCCONT;Unschärfemaske +TP_LOCALLAB_LOC_CONTRAST;Lokaler Kontrast u. Wavelets +TP_LOCALLAB_LOC_CONTRASTPYR;Pyramide 1: +TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramide 2: +TP_LOCALLAB_LOC_CONTRASTPYR2LAB;Ebenenkontrast - Tonwertkorrektur - Direktionaler Kontrast +TP_LOCALLAB_LOC_CONTRASTPYRLAB;Verlaufsfilter - Kantenschärfung - Unschärfe +TP_LOCALLAB_LOC_RESIDPYR;Restbild +TP_LOCALLAB_LOG;LOG-Kodierung +TP_LOCALLAB_LOG1FRA;CAM16 Bildkorrekturen +TP_LOCALLAB_LOG2FRA;Betrachtungsbedingungen +TP_LOCALLAB_LOGAUTO;Automatisch +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen, wenn die Schaltfläche 'Automatisch' in 'Relative Belichtungsebenen' gedrückt wird. +TP_LOCALLAB_LOGAUTO_TOOLTIP;Mit Drücken dieser Taste werden der 'Dynamikbereich' und die 'Mittlere Luminanz' für die Szenenbedingungen berechnet, wenn die Option 'Automatische mittlere Luminanz (Yb%)' aktiviert ist.\nBerechnet auch die absolute Luminanz zum Zeitpunkt der Aufnahme.\nDrücken Sie die Taste erneut, um die automatisch berechneten Werte anzupassen. +TP_LOCALLAB_LOGBASE_TOOLTIP;Standard = 2.\nWerte unter 2 reduzieren die Wirkung des Algorithmus, wodurch die Schatten dunkler und die Glanzlichter heller werden.\nMit Werten über 2 sind die Schatten grauer und die Glanzlichter werden verwaschener. +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Geschätzte Werte des Dynamik-Bereiches d.h. 'Schwarz-Ev' und 'Weiß-Ev' +TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatische Anpassung ermöglicht, eine Farbe entsprechend ihrer räumlich-zeitlichen Umgebung zu interpretieren.\nNützlich, wenn der Weißabgleich weit von Referenz D50 entfernt ist.\nPasst Farben an das Leuchtmittel des Ausgabegeräts an. +TP_LOCALLAB_LOGCOLORFL;Buntheit (M) +TP_LOCALLAB_LOGCIE;LOG-Kodierung statt Sigmoid +TP_LOCALLAB_LOGCIE_TOOLTIP;Ermöglicht die Verwendung von 'Schwarz-Ev', 'Weiß-Ev', 'Szenen-Mittlere-Leuchtdichte (Yb%)' und 'sichtbare mittlere Leuchtdichte (Yb%)' für die Tonzuordnung mit 'LOG-Kodierung Q'. +TP_LOCALLAB_LOGCOLORF_TOOLTIP;Wahrgenommene Intensität des Farbtones im Vergleich zu Grau.\nAnzeige, dass ein Reiz mehr oder weniger farbig erscheint. +TP_LOCALLAB_LOGCONQL;Kontrast (Q) +TP_LOCALLAB_LOGCONTL;Kontrast (J) +TP_LOCALLAB_LOGCONTHRES;Schwellenwert Kontrast (J & Q) +TP_LOCALLAB_LOGCONTL_TOOLTIP;Der Kontrast (J) in CIECAM16 berücksichtigt die Zunahme der wahrgenommenen Färbung mit der Luminanz. +TP_LOCALLAB_LOGCONTQ_TOOLTIP;Der Kontrast (Q) in CIECAM16 berücksichtigt die Zunahme der wahrgenommenen Färbung mit der Helligkeit. +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Passt den Kontrastbereich (J & Q) der Mitteltöne an.\nPositive Werte verringern den Effekt der Kontrastregler (J & Q) schrittweise. Negative Werte erhöhen den Effekt der Kontrastregler zunehmend. +TP_LOCALLAB_LOGDETAIL_TOOLTIP;Wirkt hauptsächlich auf hohe Frequenzen. +TP_LOCALLAB_LOGENCOD_TOOLTIP;Tonwertkorrektur mit logarithmischer Kodierung (ACES).\nNützlich für unterbelichtete Bilder oder Bilder mit hohem Dynamikbereich.\n\nZweistufiger Prozess:\n1) Dynamikbereichsberechnung\n2) Manuelle Anpassung. +TP_LOCALLAB_LOGEXP;Alle Werkzeuge +TP_LOCALLAB_LOGFRA;Szenebasierte Bedingungen +TP_LOCALLAB_LOGFRAME_TOOLTIP;Ermöglicht die Berechnung und Anpassung der Ev-Pegel und der 'Mittleren Luminanz Yb%' (Quellgraupunkt) für den Spot-Bereich. Die resultierenden Werte werden von allen Lab-Vorgängen und den meisten RGB-Vorgängen in der Pipeline verwendet.\nBerechnet auch die absolute Luminanz zum Zeitpunkt der Aufnahme. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Berücksichtigt entsprechende CIECAM-Variablen wie Kontrast (J) und Sättigung (s) aber auch Kontrast (Q) , Helligkeit (Q), Helligkeit (J), Farbigkeit (M) im Modus 'Erweitert'. +TP_LOCALLAB_LOGLIGHTL;Helligkeit (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Ähnlich Helligkeit (L*a*b*), berücksichtigt die Zunahme der wahrgenommenen Färbung. +TP_LOCALLAB_LOGLIGHTQ;Helligkeit (Q) +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Wahrgenommene Lichtmenge, die von einer Quelle ausgeht.\nIndikator dafür, dass eine Quelle mehr oder weniger hell und klar zu sein scheint. +TP_LOCALLAB_LOGLIN;Logarithmischer Modus +TP_LOCALLAB_LOGPFRA;Relative Belichtungsebenen +TP_LOCALLAB_LOGREPART;Gesamtintensität +TP_LOCALLAB_LOGREPART_TOOLTIP;Ermöglicht das Anpassen der relativen Intensität des LOG-kodierten Bildes in Bezug auf das Originalbild.\nKein Effekt auf die CIECAM-Komponente. +TP_LOCALLAB_LOGSATURL_TOOLTIP;Die Sättigung(en) in CIECAM16 entsprechen der Farbe einer Quelle in Bezug auf ihre eigene Helligkeit.\nWirkt hauptsächlich auf mittlere Töne und Lichter. +TP_LOCALLAB_LOGSCENE_TOOLTIP;Entspricht den Aufnahmebedingungen. +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Ändert Töne und Farben, um die Szenenbedingungen zu berücksichtigen.\n\n Durchschnitt : Durchschnittliche Lichtbedingungen (Standard). Das Bild ändert sich nicht.\n\n Dim: Gedimmte Bedingungen. Das Bild wird leicht aufgehellt. \n\nDunkel: Dunkle Bedingungen. Das Bild wird aufgehellt. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Passend zum Medium, auf dem das fertige Bild betrachtet wird (Monitor, TV, Projektor, Drucker, etc.), wie auch die Umgebungsbedingungen. +TP_LOCALLAB_LOG_TOOLNAME;LOG-Kodierung +TP_LOCALLAB_LUM;Kurven LL - CC +TP_LOCALLAB_LUMADARKEST;Dunkelste +TP_LOCALLAB_LUMASK;Hintergrundfarbe für Luminanzmaske +TP_LOCALLAB_LUMASK_TOOLTIP;Passt den Grauton oder die Farbe des Maskenhintergrundes an (Maske und Anpassungen - Maske anzeigen). +TP_LOCALLAB_LUMAWHITESEST;Hellste +TP_LOCALLAB_LUMFRA;L*a*b* Standard +TP_LOCALLAB_MASFRAME;Maskieren und Zusammenführen +TP_LOCALLAB_MASFRAME_TOOLTIP;Für alle Masken.\nBerücksichtigt das ΔE-Bild, um zu vermeiden, dass der Auswahlbereich geändert wird, wenn die folgenden Maskenwerkzeuge verwendet werden: 'Gamma', 'Steigung', 'Chroma', 'Kontrastkurve', 'Lokaler Kontrast' (nach Wavelet-Ebene), 'Unschärfemaske' und 'Strukturmaske' (falls aktiviert).\nDeaktiviert, wenn der Inverse-Modus verwendet wird. +TP_LOCALLAB_MASK;Kontrast +TP_LOCALLAB_MASK2;Kontrastkurve +TP_LOCALLAB_MASKCOL;Maskenkurven +TP_LOCALLAB_MASKCOM;Normale Farbmaske +TP_LOCALLAB_MASKCOM_TOOLNAME;Normale Farbmaske +TP_LOCALLAB_MASKCOM_TOOLTIP;Ein eigenständiges Werkzeug.\nKann verwendet werden, um das Erscheinungsbild (Chrominanz, Luminanz, Kontrast) und die Textur in Abhängigkeit des Bereiches anzupassen. +TP_LOCALLAB_MASKCURVE_TOOLTIP;Die 3 Kurven sind standardmäßig auf 1 (maximal) eingestellt:\nC=f(C) Die Farbintensität variiert je nach Chrominanz. Sie können die Chrominanz verringern, um die Auswahl zu verbessern. Wenn Sie diese Kurve nahe Null setzen (mit einem niedrigen Wert von C, um die Kurve zu aktivieren), können Sie den Hintergrund im inversen Modus entsättigen.\nL= f(L) Die Luminanz variiert je nach Luminanz, so dass Sie die Helligkeit verringern können um die Auswahl zu verbessern.\nL und C = f(H) Luminanz und Chrominanz variieren mit dem Farbton, sodass Sie Luminanz und Chrominanz verringern können, um die Auswahl zu verbessern. +TP_LOCALLAB_MASKDDECAY;Zerfallrate +TP_LOCALLAB_MASKDECAY_TOOLTIP;Verwaltet die Zerfallrate für die Graustufen in der Maske.\nZerfallrate = 1 linear\nZerfallrate > 1 schärfere parabolische Übergänge\nZerfallrate < 1 allmählichere Übergänge. +TP_LOCALLAB_MASKH;Farbtonkurve +TP_LOCALLAB_MASKLC_TOOLTIP;Auf diese Weise können Sie die Rauschreduzierung anhand der in der L(L)- oder LC(H)-Maske (Maske und Anpassungen) enthaltenen Luminanz-Informationen ausrichten.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\n'Luminanzschwelle Dunkle Bereiche': Wenn 'Rauschreduzierung in dunklen und hellen Bereichen verstärken' > 1, wird die Rauschreduzierung schrittweise von 0% bei den Schwellenwerteinstellungen auf 100% beim maximalen Schwarzwert (bestimmt durch die Maske) erhöht.\n'Luminanzschwelle Helle Bereiche': Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (bestimmt durch die Maske) verringert.\nIn dem Bereich zwischen den beiden Schwellenwerten werden die Einstellungen zur Rauschverminderung von der Maske nicht beeinflusst. +TP_LOCALLAB_MASKDE_TOOLTIP;Wird verwendet, um die Rauschreduzierung als Funktion der in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen einzustellen.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nWenn die Maske unterhalb des Schwellenwertes 'dunkel' oder oberhalb des Schwellenwertes 'hell' liegt, wird die Rauschreduzierung schrittweise angewendet.\nDazwischen bleiben die Bildeinstellungen ohne Rauschreduzierung erhalten, es sei denn, die Regler 'Luminanz-Rauschreduzierung Graubereiche' oder 'Chrominanz-Rauschreduzierung Graubereiche' werden verändert. +TP_LOCALLAB_MASKGF_TOOLTIP;Wird verwendet, um den anpassbaren Filter als Funktion der in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen auszurichten.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nBefindet sich die Maske unterhalb der 'dunklen' oder oberhalb der 'hellen' Schwelle, wird der anpassbare Filter schrittweise angewendet.\nZwischen diesen beiden Bereichen bleiben die Bildeinstellungen ohne anpassbaren Filter erhalten. +TP_LOCALLAB_MASKRECOL_TOOLTIP;Wird verwendet, um den Effekt der Farb- und Lichteinstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H) -Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Farbe und Licht geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Farbe und Licht angewendet. +TP_LOCALLAB_MASKREEXP_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für 'Dynamik und Belichtung' basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen 'Dynamik und Belichtung' geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für 'Dynamik und Belichtung' angewendet. +TP_LOCALLAB_MASKRESH_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Schatten/Lichter basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Schatten/Lichter geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Schatten/Lichter angewendet. +TP_LOCALLAB_MASKRESCB_TOOLTIP;Wird verwendet, um den Effekt der CBDL-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die CBDL-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der CBDL-Einstellungen angewendet. +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Wird verwendet, um den Effekt der Retinex-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Retinex-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Retinex-Einstellungen angewendet. +TP_LOCALLAB_MASKRESTM_TOOLTIP;Wird verwendet, um den Effekt der Tonwertkorrektur-Einstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske müssen aktiviert sein, um diese Funktion zu verwenden.\nDie Bereiche 'dunkel' und 'hell' unterhalb des Dunkelschwellenwertes und oberhalb des Helligkeitsschwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen der Tonwertkorrektur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Einstellungswert der Tonwertkorrektur angewandt. +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Lebhaftigkeit und Warm/Kalt basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb des entsprechenden Schwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen Lebhaftigkeit und Farbtemperatur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Lebhaftigkeit und Warm/Kalt angewendet. +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für lokalen Kontrast und Wavelet basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für lokalen Kontrast und Wavelet geändert werden. Zwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für lokalen Kontrast und Wavelet angewendet. +TP_LOCALLAB_MASKRELOG_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für die LOG-Kodierung basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die LOG-Kodierungseinstellungen geändert werden - kann zur Rekonstruktion von Glanzlichtern durch Farbübertragung verwendet werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Protokoll-Kodierungseinstellungen angewendet. +TP_LOCALLAB_MASKDEINV_TOOLTIP;Kehrt die Art und Weise um, wie der Algorithmus die Maske interpretiert.\nWenn aktiviert, werden Schwarz und sehr helle Bereiche verringert. +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Farbe und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast' (Wavelets).\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Schatten/Lichter' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter der 'Detailebenenkontraste' (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen des Detailebenenkontrastes geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer Retinex-Parameter (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Retinex-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Tone-Mapping-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma' , 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Farbtemperatur-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' , 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Lokalen Kontrast-' und 'Wavelet-Einstellungen' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Dynamik und Belichtung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (wie von der Maske festgelegt) verringert.\nEs können bestimmte Werkzeuge in 'Maske und Anpassungen' verwendet werden, um die Graustufen zu ändern: 'Strukturmaske' , 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und 'Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;Der anpassbare Filter wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (wie von der Maske festgelegt) verringert.\nEs können bestimmte Werkzeuge in 'Maske und Anpassungen' verwendet werden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLCTHR;Schwellenwert helle Bereiche +TP_LOCALLAB_MASKLCTHR2;Schwelle helle Bereiche +TP_LOCALLAB_MASKLCTHRLOW;Schwellenwert dunkle Bereiche +TP_LOCALLAB_MASKLCTHRLOW2;Schwelle dunkle Bereiche +TP_LOCALLAB_MASKLNOISELOW;In dunklen und hellen Bereichen verstärken +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;Der anpassbare Filter wird schrittweise von 0% bei der Schwellenwerteinstellung auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma und Steigung', 'Kontrastkurve, ' Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Die Rauschreduzierung wird bei der Einstellung des Schwellenwertes schrittweise von 0% auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und ' Lokaler Kontrast(Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass in den 'Einstellungen' Hintergrundfarbmaske = 0 gesetzt ist. +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch 'Farbe- und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelets)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Dynamik und Belichtung'-Einstellungen geändert werden.\nSie können die Grauwerte mit verschiedenen Werkzeugen in ‘Maske und Anpassungen’ ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Schatten - Lichter'-Einstellungen geändert werden.\n Sie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter der Detailebenenkontraste (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen des Detailebenenkontrastes geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer Retinex-Parameter (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Retinex-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Tone-Mapping'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma' , 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Farbtemperatur' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Kontrast- und Wavelet'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLCTHRMID;Luminanz Graubereiche +TP_LOCALLAB_MASKLCTHRMIDCH;Chrominanz Graubereiche +TP_LOCALLAB_MASKUSABLE;Maske aktiviert (siehe Maske u. Anpassungen) +TP_LOCALLAB_MASKUNUSABLE;Maske deaktiviert (siehe Maske u. Anpassungen) +TP_LOCALLAB_MASKRECOTHRES;Schwellenwert Wiederherstellung +TP_LOCALLAB_MASK_TOOLTIP;Sie können mehrere Masken für ein Werkzeug aktivieren, indem Sie ein anderes Werkzeug aktivieren und nur die Maske verwenden (setzen Sie die Werkzeugregler auf 0).\n\nSie können den RT-Spot auch duplizieren und nahe am ersten Punkt platzieren. Die kleinen Abweichungen in den Punktreferenzen ermöglichen Feineinstellungen. +TP_LOCALLAB_MED;Medium +TP_LOCALLAB_MEDIAN;Median niedrig +TP_LOCALLAB_MEDIANITER_TOOLTIP;Anzahl der aufeinanderfolgenden Iterationen, die vom Medianfilter ausgeführt werden. +TP_LOCALLAB_MEDIAN_TOOLTIP;Sie können Medianwerte im Bereich von 3 x 3 bis 9 x 9 Pixel auswählen. Höhere Werte erhöhen die Rauschreduzierung und Unschärfe. +TP_LOCALLAB_MEDNONE;Keine +TP_LOCALLAB_MERCOL;Farbe +TP_LOCALLAB_MERDCOL;Hintergrund zusammenführen (ΔE) +TP_LOCALLAB_MERELE;Nur aufhellen +TP_LOCALLAB_MERFIV;Addition +TP_LOCALLAB_MERFOR;Farbe abwedeln (dodge) +TP_LOCALLAB_MERFOU;Multiplikation +TP_LOCALLAB_MERGE1COLFRA;Mit Original/Vorher/Hintergrund zusammenführen +TP_LOCALLAB_MERGECOLFRA;Maske: LCh u. Struktur +TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Ermöglicht das Erstellen von Masken basierend auf den 3 LCh-Kurven und/oder einem Strukturerkennungsalgorithmus. +TP_LOCALLAB_MERGEMER_TOOLTIP;Berücksichtigt ΔE beim Zusammenführen (äquivalent zu Anwendungsbereich in diesem Fall). +TP_LOCALLAB_MERGEOPA_TOOLTIP;Deckkraft =% des aktuellen Punkts, der mit dem ursprünglichen oder vorherigen Punkt zusammengeführt werden soll.\nKontrastschwelle: Passt das Ergebnis als Funktion des Kontrasts im Originalbild an. +TP_LOCALLAB_MERHEI;Überlagerung +TP_LOCALLAB_MERHUE;Farbton +TP_LOCALLAB_MERLUCOL;Luminanz +TP_LOCALLAB_MERLUM;Helligkeit +TP_LOCALLAB_MERNIN;Bildschirm +TP_LOCALLAB_MERONE;Normal +TP_LOCALLAB_MERSAT;Sättigung +TP_LOCALLAB_MERSEV;Weiches Licht (legacy) +TP_LOCALLAB_MERSEV0;Weiches Licht Illusion +TP_LOCALLAB_MERSEV1;Weiches Licht W3C +TP_LOCALLAB_MERSEV2;Hartes Licht +TP_LOCALLAB_MERSIX;Division +TP_LOCALLAB_MERTEN;Nur Abdunkeln +TP_LOCALLAB_MERTHI;Farbe nachbelichten (burn) +TP_LOCALLAB_MERTHR;Differenz +TP_LOCALLAB_MERTWE;Ausschluss +TP_LOCALLAB_MERTWO;Subtraktion +TP_LOCALLAB_METHOD_TOOLTIP;'Verbessert + Chroma Rauschreduzierung' verlängern die Verarbeitungszeiten erheblich.\nAber sie reduzieren auch Artefakte. +TP_LOCALLAB_MLABEL;Wiederhergestellte Daten Min=%1 Max=%2 +TP_LOCALLAB_MLABEL_TOOLTIP;Die Werte sollten in der Nähe von Min=0 Max=32768 (Log-Modus) liegen, es sind jedoch auch andere Werte möglich. Sie können 'Wiederhergestellte Daten' beschneiden und 'Versatz' anpassen, um sie zu normalisieren.\nStellt Bilddaten ohne Überlagerung wieder her. +TP_LOCALLAB_MODE_EXPERT;Erweitert +TP_LOCALLAB_MODE_NORMAL;Standard +TP_LOCALLAB_MODE_SIMPLE;Basis +TP_LOCALLAB_MRFIV;Hintergrund +TP_LOCALLAB_MRFOU;Vorheriger Spot +TP_LOCALLAB_MRONE;Keine +TP_LOCALLAB_MRTHR;Original Bild +TP_LOCALLAB_MRTWO;Maske Short L-Kurve +TP_LOCALLAB_MULTIPL_TOOLTIP;Weitbereichs-Toneinstellung: -18 EV bis + 4 EV. Der erste Regler wirkt auf sehr dunkle Töne zwischen -18 EV und -6 EV. Der letzte Regler wirkt auf helle Töne bis zu 4 EV. +TP_LOCALLAB_NEIGH;Radius +TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detailwiederherstellung' basiert auf einer Laplace-Transformation, um einheitliche Bereiche und keine Bereiche mit Details zu erfassen. +TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Passt die Intensität der Rauschreduzierung an die Größe der zu verarbeitenden Objekte an. +TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Höhere Werte erhöhen die Rauschreduzierung auf Kosten der Verarbeitungszeit. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewandt. +TP_LOCALLAB_NLFRA;Nicht-lokales Mittel - Luminanz +TP_LOCALLAB_NLFRAME_TOOLTIP;Nicht-lokales Mittel bedeutet, dass bei der Rauschreduzierung ein Mittelwert aller Pixel im Bild verwendet wird, gewichtet danach, wie ähnlich sie dem Zielpixel sind.\nReduziert den Detailverlust im Vergleich zu lokalen Mittelwertalgorithmen.\nBei dieser Methode wird nur das Luminanz-Rauschen berücksichtigt. Chrominanz-Rauschen wird am besten mit Wavelets und Fourier-Transformationen (DCT) verarbeitet.\nKann in Verbindung mit 'Luminanz-Rauschreduzierung nach Ebenen' oder alleine verwendet werden. +TP_LOCALLAB_NLLUM;Intensität +TP_LOCALLAB_NLDET;Detailwiederherstellung +TP_LOCALLAB_NLGAM;Gamma +TP_LOCALLAB_NLPAT;Maximale Objektgröße +TP_LOCALLAB_NLRAD;Maximaler Radius +TP_LOCALLAB_NOISECHROCOARSE;Grobe Chrominanz +TP_LOCALLAB_NOISECHROC_TOOLTIP;Wenn der Wert über Null liegt, ist ein Algorithmus mit hoher Qualität aktiviert.\nGrob ist für Regler > = 0,02 +TP_LOCALLAB_NOISECHRODETAIL;Chrominanz Detailwiederherstellung +TP_LOCALLAB_NOISECHROFINE;Feine Chrominanz +TP_LOCALLAB_NOISEGAM;Gamma +TP_LOCALLAB_NOISEGAM_TOOLTIP;Ist Gamma = 1 wird Luminanz 'Lab' angewandt. Ist Gamma = 3 wird Luminanz 'linear' angewandt.\nNiedrige Werte erhalten Details und Texturen, höhere Werte erhöhen die Rauschminderung. +TP_LOCALLAB_NOISELEQUAL;Equalizer Weiß-Schwarz +TP_LOCALLAB_NOISELUMCOARSE;Grobe Luminanz +TP_LOCALLAB_NOISELUMDETAIL;Luminanz Detailwiederherstellung +TP_LOCALLAB_NOISELUMFINE;Feine Luminanz +TP_LOCALLAB_NOISELUMFINETWO;Feine Luminanz 2 +TP_LOCALLAB_NOISELUMFINEZERO;Feine Luminanz 0 +TP_LOCALLAB_NOISEMETH;Rauschreduzierung +TP_LOCALLAB_NOISE_TOOLTIP;Fügt Luminanz-Rauschen hinzu. +TP_LOCALLAB_NONENOISE;Keine +TP_LOCALLAB_NUL_TOOLTIP;. +TP_LOCALLAB_OFFS;Versatz +TP_LOCALLAB_OFFSETWAV;Versatz +TP_LOCALLAB_OPACOL;Deckkraft +TP_LOCALLAB_ORIGLC;Nur mit dem Ursprungsbild zusammenführen +TP_LOCALLAB_ORRETILAP_TOOLTIP;Ändert ΔE vor Änderungen durch 'Bereich'. Auf diese Weise kann die Aktion für verschiedene Teile des Bildes unterschieden werden (z.B. in Bezug auf den Hintergrund). +TP_LOCALLAB_ORRETISTREN_TOOLTIP;Wirkt basierend auf dem Laplace-Schwellwert. Je höher die Werte, desto stärker werden die Kontrastunterschiede verringert. +TP_LOCALLAB_PASTELS2;Lebhaftigkeit +TP_LOCALLAB_PDE;Kontrastdämpfung - Dynamikbereich Kompression +TP_LOCALLAB_PDEFRA;Kontrastdämpfung +TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL Algorithmus an Rawtherapee angepasst: Liefert unterschiedliche Ergebnisse und erfordert andere Einstellungen als das Hauptmenü 'Belichtung'.\nKann nützlich für Bilder mit geringer Belichtung oder hohem Dynamikbereich sein. +TP_LOCALLAB_PREVHIDE;Mehr Einstellungen ausblenden +TP_LOCALLAB_PREVIEW;Vorschau ΔE +TP_LOCALLAB_PREVSHOW;Mehr Einstellungen einblenden +TP_LOCALLAB_PROXI;Zerfallrate (ΔE) +TP_LOCALLAB_QUALCURV_METHOD;Kurventyp +TP_LOCALLAB_QUAL_METHOD;Globale Qualität +TP_LOCALLAB_QUACONSER;Konservativ +TP_LOCALLAB_QUAAGRES;Aggressiv +TP_LOCALLAB_QUANONEWAV;Nur nicht-lokales Mittel +TP_LOCALLAB_QUANONEALL;Aus +TP_LOCALLAB_RADIUS;Radius +TP_LOCALLAB_RADIUS_TOOLTIP;Verwendet eine schnelle Fouriertransformation bei Radius > 30 +TP_LOCALLAB_RADMASKCOL;Glättradius +TP_LOCALLAB_RECT;Rechteck +TP_LOCALLAB_RECOTHRES02_TOOLTIP;Wenn der Wert 'Wiederherstellungsschwelle' > 1 ist, berücksichtigt die Maske in 'Maske und Anpassungen' alle vorherigen Änderungen am Bild aber nicht die mit dem aktuellen Werkzeug (z.B. Farbe und Licht, Wavelet, Cam16 usw.).\nWenn der Wert der 'Wiederherstellungsschwelle' < 1 ist, berücksichtigt die Maske in 'Maske und Anpassungen' keine vorherigen Änderungen am Bild.\n\nIn beiden Fällen wirkt der 'Wiederherstellungsschwellenwert' auf das maskierte Bild modifiziert durch das aktuelle Tool (Farbe und Licht, Wavelet, CAM16 usw.). +TP_LOCALLAB_RECURS;Referenzen rekursiv +TP_LOCALLAB_RECURS_TOOLTIP;Erzwingt, dass der Algorithmus die Referenzen neu berechnet, nachdem jedes Werkzeug angewendet wurde.\nAuch hilfreich bei der Arbeit mit Masken. +TP_LOCALLAB_REN_DIALOG_LAB;Neuer Spot Name +TP_LOCALLAB_REN_DIALOG_NAME;Spot umbenennen +TP_LOCALLAB_REPARW_TOOLTIP;Ermöglicht, die relative Stärke des'Lokalen Kontrasts' und der 'Wavelets' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARCOL_TOOLTIP;Ermöglicht, die relative Stärke von 'Farbe und Licht' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARDEN_TOOLTIP;Ermöglicht, die relative Stärke der 'Rauschreduzierung' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARSH_TOOLTIP;Ermöglicht, die relative Stärke von 'Schatten/Lichter' und 'Tonwert' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPAREXP_TOOLTIP;Ermöglicht, die relative Stärke von 'Dynamik und und Belichtung' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARTM_TOOLTIP;Ermöglicht, die relative Stärke des 'Tone-Mappings' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_RESETSHOW;Alle sichtbaren Änderungen zurücksetzen +TP_LOCALLAB_RESID;Restbild +TP_LOCALLAB_RESIDBLUR;Unschärfe Restbild +TP_LOCALLAB_RESIDCHRO;Chroma Restbild +TP_LOCALLAB_RESIDCOMP;Kompression Restbild +TP_LOCALLAB_RESIDCONT;Kontrast Restbild +TP_LOCALLAB_RESIDHI;Lichter +TP_LOCALLAB_RESIDHITHR;Schwellenwert Lichter +TP_LOCALLAB_RESIDSHA;Schatten +TP_LOCALLAB_RESIDSHATHR;Schwellenwert Schatten +TP_LOCALLAB_RETI;Dunst entfernen u. Retinex +TP_LOCALLAB_RETIFRA;Retinex +TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex kann für die Verarbeitung von Bildern folgender Art nützlich sein:\nDie unscharf, neblig oder trüb sind (zusätzlich zu 'Dunst entfernen').\nDie große Unterschiede in der Luminanz enthalten.\nEs kann auch für Spezialeffekte (Tonzuordnung) verwendet werden. +TP_LOCALLAB_RETIM;Original Retinex +TP_LOCALLAB_RETITOOLFRA;Retinex Werkzeuge +TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Hat keine Auswirkung, wenn der Wert 'Helligkeit' = 1 oder 'Dunkelheit' = 2 angegeben wird.\nFür andere Werte wird der letzte Schritt eines 'Multiple Scale Retinex'-Algorithmus (ähnlich wie 'Lokaler Kontrast') angewendet. Mit diesen beiden Einstellungen, die mit 'Stärke' verknüpft sind, können Sie Anpassungen vor dem lokalen Kontrast vornehmen. +TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Passt die internen Parameter an, um die Reaktion zu optimieren.\nDie Werte für 'Wiederhergestellte Daten' sollten vorzugsweise nahe bei Min = 0 und Max = 32768 (Log-Modus) gehalten werden, andere Werte sind jedoch möglich. +TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Der Logarithmus-Modus führt zu mehr Kontrast, erzeugt aber auch mehr Lichthöfe. +TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;Mit den Reglern für 'Radius' und 'Varianz(Kontrast)' können Sie die Trübung anpassen und entweder den Vordergrund oder den Hintergrund anvisieren. +TP_LOCALLAB_RETI_SCALE_TOOLTIP;Wenn 'Skalieren' = 1 ist, verhält sich Retinex wie ein lokaler Kontrast mit zusätzlichen Möglichkeiten.\nDurch Erhöhen des Skalieren-Werts wird die Intensität der rekursiven Aktion auf Kosten der Verarbeitungszeit erhöht. +TP_LOCALLAB_RET_TOOLNAME;Dunst entfernen u. Retinex +TP_LOCALLAB_REWEI;Iterationen neu gewichten +TP_LOCALLAB_RGB;RGB-Tonkurve +TP_LOCALLAB_RGBCURVE_TOOLTIP;Im RGB-Modus gibt es 4 Möglichkeiten: 'Standard', 'gewichteter Standard', 'Luminanz' und 'Filmähnlich'. +TP_LOCALLAB_ROW_NVIS;Nicht sichtbar +TP_LOCALLAB_ROW_VIS;Sichtbar +TP_LOCALLAB_RSTPROTECT_TOOLTIP;'Rot- und Hauttöne schützen' beeinflusst die Schieberegler von Sättigung , Chromatizität und Buntheit. +TP_LOCALLAB_SATUR;Sättigung +TP_LOCALLAB_SATURV;Sättigung (s) +TP_LOCALLAB_SAVREST;Sichern - Wiederherstellen des aktuellen Bildes +TP_LOCALLAB_SCALEGR;Korngröße +TP_LOCALLAB_SCALERETI;Skalieren +TP_LOCALLAB_SCALTM;Skalieren +TP_LOCALLAB_SCOPEMASK;Bereich (ΔE Bildmaske) +TP_LOCALLAB_SCOPEMASK_TOOLTIP;Aktiviert, wenn die ΔE-Bildmaske aktiviert ist.\nNiedrige Werte vermeiden das Retuschieren des ausgewählten Bereichs. +TP_LOCALLAB_SENSI;Bereich +TP_LOCALLAB_SENSIEXCLU;Intensität +TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Anpassung der auszuschließenden Farben. +TP_LOCALLAB_SENSIMASK_TOOLTIP;Bereichsanpassung speziell für das gängige Maskenwerkzeug.\nBezieht sich auf den Unterschied zwischen dem Originalbild und der Maske.\nVerwendet die Luma-, Chroma- und Farbtonreferenzen aus der Mitte des RT-Spots.\n\nAuch das ΔE der Maske selbst kann angepasst werden durch Verwendung von 'Scope (ΔE-Bildmaske)' unter 'Einstellungen' > 'Maskieren und Zusammenführen'. +TP_LOCALLAB_SENSI_TOOLTIP;Passt den Anwendungsbereich an:\nKleine Werte beschränken die Anwendung auf Farben ähnlich derer im Spot.\nHohe Werte erweitern den Bereich auf eine größere Bandbreite an Farben +TP_LOCALLAB_SETTINGS;Einstellungen +TP_LOCALLAB_SH1;Schatten/Lichter +TP_LOCALLAB_SH2;Equalizer +TP_LOCALLAB_SHADEX;Schatten +TP_LOCALLAB_SHADEXCOMP;Schattenkompression u. Tonwertweite +TP_LOCALLAB_SHADHIGH;Schatten/Lichter +TP_LOCALLAB_SHADHMASK_TOOLTIP;Reduziert die Lichter der Maske genau so wie der Schatten/Lichter-Algorithmus. +TP_LOCALLAB_SHADMASK_TOOLTIP;Hebt die Lichter der Maske genau so wie der Schatten/Lichter-Algorithmus. +TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Schatten und Lichter können entweder mit den Reglern für Schatten und Lichter oder mit einem Equalizer angepasst werden.\nKann anstelle oder in Verbindung mit dem Belichtungsmodul und auch als Verlaufsfilter verwendet werden. +TP_LOCALLAB_SHAMASKCOL;Schatten +TP_LOCALLAB_SHAPETYPE;RT-Spot Form +TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' ist der normale Modus.\n'Rechteck' kann in einigen Fällen hilfreich sein, z.B. um die Trennzeichen im Vollbild-Modus außerhalb des Voransichtsbereiches zu setzen. In diesem Falle ist Transition = 100 zu setzen.\n\nZukünftige Versionen werden auch Polygone und Bezierkurven unterstützen. +TP_LOCALLAB_SHARAMOUNT;Intensität +TP_LOCALLAB_SHARBLUR;Unschärferadius +TP_LOCALLAB_SHARDAMPING;Dämpfung +TP_LOCALLAB_SHARFRAME;Veränderungen +TP_LOCALLAB_SHARITER;Iterationen +TP_LOCALLAB_SHARP;Schärfen +TP_LOCALLAB_SHARP_TOOLNAME;Schärfen +TP_LOCALLAB_SHARRADIUS;Radius +TP_LOCALLAB_SHORTC; Maske Short L-Kurven +TP_LOCALLAB_SHORTCMASK_TOOLTIP;Schließt die beiden Kurven L(L) und L(H) kurz.\nErmöglicht das Mischen des aktuellen Bildes mit dem durch die Masken geänderten Originalbild.\nVerwendbar mit den Masken 2, 3, 4, 6, 7. +TP_LOCALLAB_SHOWC;Maske und Anpassungen +TP_LOCALLAB_SHOWC1;Datei zusammenführen +TP_LOCALLAB_SHOWCB;Maske und Anpassungen +TP_LOCALLAB_SHOWDCT;Prozessansicht +TP_LOCALLAB_SHOWE;Maske und Anpassungen +TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +TP_LOCALLAB_SHOWLAPLACE;∆ Laplace (zuerst) +TP_LOCALLAB_SHOWLC;Maske und Anpassungen +TP_LOCALLAB_SHOWMASK;Maske anzeigen +TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Zeigt Masken und Anpassungen an.\nBeachten Sie: es kann jeweils nur eine Werkzeugmaske angezeigt werden.\nGeändertes Bild anzeigen: Zeigt das geänderte Bild einschließlich der Auswirkungen von Anpassungen und Masken an.\nGeänderte Bereiche ohne Maske anzeigen: Zeigt die Änderungen vor der Anwendung von Masken an.\nGeänderte Bereiche mit Maske anzeigen: Zeigt die Änderungen nach der Anwendung von Masken an.\nMaske anzeigen: Zeigt das Aussehen der Maske einschließlich des Effekts von Kurven und Filtern an.\nAnzeigen der Spot-Struktur: Ermöglicht das Anzeigen der Struktur-Erkennungsmaske, wenn 'Spot-Struktur' aktiviert ist (sofern verfügbar).\nHinweis: Die Maske wird vor dem Formerkennungsalgorithmus angewendet. +TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Ermöglicht die Visualisierung der verschiedenen Phasen des Fourier-Prozesses. \nLaplace - berechnet die zweite Ableitung der Laplace-Transformation als Funktion des Schwellenwerts.\nFourier - zeigt die Laplace-Transformation mit DCT.\nPoisson - zeigt die Lösung des Poisson-DCE .\nKeine Luminanznormalisierung - Zeigt das Ergebnis ohne jegliche Luminanznormalisierung. +TP_LOCALLAB_SHOWMASKTYP1;Unschärfe-Rauschen +TP_LOCALLAB_SHOWMASKTYP2;Rauschreduzierung +TP_LOCALLAB_SHOWMASKTYP3;Unschärfe-Rauschen + Rauschreduzierung +//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Maske und Anpassungen können gewählt werden.\nUnschärfe und Rauschen: In diesem Fall wird es nicht für 'Rauschreduzierung' verwendet.\nRauschreduzierung: In diesem Fall wird es nicht für 'Unschärfe und Rauschen' verwendet.\n\nUnschärfe/Rauschen-Rauschreduzierung: Maske wird geteilt, seien Sie vorsichtig mit 'Änderungen anzeigen' und 'Umfang'. +TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Kann mit 'Maske und Anpassungen' verwendet werden.\nWenn 'Unschärfe und Rauschen' gewählt wurde, kann die Maske nicht für 'Rauschreduzierung' angewandt werden.\nWenn 'Rauschreduzierung' gewählt wurde, kann die Maske nicht für 'Unschärfe und Rauschen' angewandt werden.\nWenn 'Unschärfe und Rauschen + Rauschreduzierung' gewählt wurde, wird die Maske geteilt. Beachten Sie, dass in diesem Falle die Regler sowohl für 'Unschärfe und Rauschen' und 'Rauschreduzierung' aktiv sind, so dass sich empfiehlt, bei Anpassungen die Option 'Zeige Modifikationen mit Maske' zu verwenden. +TP_LOCALLAB_SHOWMNONE;Anzeige des modifizierten Bildes +TP_LOCALLAB_SHOWMODIF;Anzeige der modifizierten Bereiche ohne Maske +TP_LOCALLAB_SHOWMODIF2;Anzeige der modifizierten Bereiche +TP_LOCALLAB_SHOWMODIFMASK;Anzeige der modifizierten Bereiche mit Maske +TP_LOCALLAB_SHOWNORMAL;Keine Luminanz-Normalisierung +TP_LOCALLAB_SHOWPLUS;Maske und Anpassungen +TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +TP_LOCALLAB_SHOWR;Maske und Anpassungen +TP_LOCALLAB_SHOWREF;Voransicht ΔE +TP_LOCALLAB_SHOWS;Maske und Anpassungen +TP_LOCALLAB_SHOWSTRUC;Zeige Spot-Struktur (erweitert) +TP_LOCALLAB_SHOWSTRUCEX;Zeige Spot-Struktur (erweitert) +TP_LOCALLAB_SHOWT;Maske und Anpassungen +TP_LOCALLAB_SHOWVI;Maske und Anpassungen +TP_LOCALLAB_SHRESFRA;Schatten/Lichter & TRC +TP_LOCALLAB_SHTRC_TOOLTIP;Basierend auf den (bereitgestellten) 'Arbeitsprofil'(en) werden die Farbtöne des Bildes geändert, indem das Arbeitsprofil auf eine Farbtonkennlinie einwirkt. \n'Gamma' wirkt hauptsächlich auf helle Töne.\n'Steigung' wirkt hauptsächlich auf dunkle Töne.\nEs wird empfohlen, die Farbtonkennlinie beider Geräte (Monitor- und Ausgabeprofil) auf sRGB (Standard) zu setzen. +TP_LOCALLAB_SH_TOOLNAME;Schatten/Lichter - Equalizer +TP_LOCALLAB_SIGMAWAV;Dämpfungsreaktion +TP_LOCALLAB_SIGFRA;Sigmoid Q & LOG-Kodierung Q +TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +TP_LOCALLAB_SIGMOIDLAMBDA;Kontrast +TP_LOCALLAB_SIGMOIDTH;Schwellenwert (Graupunkt) +TP_LOCALLAB_SIGMOIDBL;Überlagern +TP_LOCALLAB_SIGMOIDQJ;Schwarz-Ev und Weiß-Ev verwenden +TP_LOCALLAB_SIGMOID_TOOLTIP;Ermöglicht, ein Tone-Mapping-Erscheinungsbild zu simulieren, indem sowohl die 'CIECAM' (oder 'Jz') als auch die 'Sigmoid'-Funktion verwendet werden. Drei Schieberegler:\na) 'Kontrast' wirkt sich auf die Form der Sigmoidkurve und folglich auf die Stärke aus;\nb) 'Schwellenwert' (Graupunkt) verteilt die Aktion entsprechend der Leuchtdichte;\nc) 'Überlagern' wirkt sich auf den endgültigen Aspekt des Bildes, Kontrast und Leuchtdichte aus. +TP_LOCALLAB_SIM;Einfach +TP_LOCALLAB_SLOMASKCOL;Steigung +TP_LOCALLAB_SLOMASK_TOOLTIP;Gamma und Steigung ermöglichen eine weiche und artefaktfreie Transformation der Maske, indem 'L' schrittweise geändert wird, um Diskontinuitäten zu vermeiden. +TP_LOCALLAB_SLOSH;Steigung +TP_LOCALLAB_SOFT;Weiches Licht u. Original Retinex +TP_LOCALLAB_SOFTM;Weiches Licht +TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Weiches-Licht-Mischung (identisch mit der globalen Anpassung). Führen Sie Abwedeln und Aufhellen (Dodge & Burn) mit dem ursprünglichen Retinex-Algorithmus durch. +TP_LOCALLAB_SOFTRADIUSCOL;Radius +TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Wendet einen anpassbaren Filter auf das Ausgabebild an, um mögliche Artefakte zu reduzieren. +TP_LOCALLAB_SOFTRETI;ΔE Artefakte reduzieren +TP_LOCALLAB_SOFT_TOOLNAME;Weiches Licht u. Original Retinex +TP_LOCALLAB_SOURCE_ABS;Absolute Luminanz +TP_LOCALLAB_SOURCE_GRAY;Mittlere Luminanz (Yb%) +TP_LOCALLAB_SPECCASE;Spezielle Fälle +TP_LOCALLAB_SPECIAL;Spezielle Verwendung von RGB-Kurven +TP_LOCALLAB_SPECIAL_TOOLTIP;Mit dem Kontrollkästchen können alle anderen Aktionen entfernt werden, d. H. 'Bereich', Masken, Regler usw. (mit Ausnahme von Übergängen) um nur den Effekt der RGB-Tonkurve anzuwenden. +TP_LOCALLAB_SPOTNAME;Neuer Spot +TP_LOCALLAB_STD;Standard +TP_LOCALLAB_STR;Intensität +TP_LOCALLAB_STRBL;Intensität +TP_LOCALLAB_STREN;Kompressionsintensität +TP_LOCALLAB_STRENG;Intensität +TP_LOCALLAB_STRENGR;Intensität +TP_LOCALLAB_STRENGRID_TOOLTIP;Der gewünschte Effekt kann mit 'Intensität' eingestellt werden, aber es kann auch die Funktion 'Bereich' verwendet werden, um die Aktion zu begrenzen (z.B. um eine bestimmte Farbe zu isolieren). +TP_LOCALLAB_STRENGTH;Rauschen +TP_LOCALLAB_STRGRID;Intensität +TP_LOCALLAB_STRUC;Struktur +TP_LOCALLAB_STRUCCOL;Spot-Struktur +TP_LOCALLAB_STRUCCOL1;Spot-Struktur +TP_LOCALLAB_STRUCT_TOOLTIP;Verwendet den Sobel-Algorithmus, um die Struktur für die Formerkennung zu berücksichtigen.\nAktivieren Sie 'Maske und Anpassungen' > 'Spot-Struktur anzeigen' (erweiterter Modus), um eine Vorschau der Maske anzuzeigen (ohne Änderungen).\n\nKann in Verbindung verwendet werden mit der Strukturmaske, der Unschärfemaske und 'Lokaler Kontrast' (nach Wavelet-Ebene) zur Verbesserung der Kantenerkennung.\n\nEinflüsse von Anpassungen mit Helligkeit, Kontrast, Chrominanz, Belichtung oder anderen nicht maskenbezogenen Werkzeugen, entweder mit 'Modifiziert anzeigen' oder 'Geänderte Bereiche mit Maske anzeigen' überprüfen. +TP_LOCALLAB_STRUMASKCOL;Intensität der Strukturmaske +TP_LOCALLAB_STRUMASK_TOOLTIP;Strukturmaske (Regler) mit deaktiviertem Kontrollkästchen 'Strukturmaske als Werkzeug':\nIn diesem Fall wird eine Maske mit der Struktur generiert, auch wenn keine der 3 Kurven aktiviert ist. Strukturmasken sind für Maske 1 (Unschärfe und Rauschreduzierung') und Maske 11 (Farbe & Licht) möglich. +TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Ein moderater Gebrauch dieses Reglers wird wärmstens empfohlen! +TP_LOCALLAB_STYPE;Form +TP_LOCALLAB_STYPE_TOOLTIP;Sie können wählen zwischen:\nSymmetrisch - linkes Handle mit rechts verknüpft, oberes Handle mit unten verbunden.\nUnabhängig - alle Handles sind unabhängig. +TP_LOCALLAB_SYM;Symmetrisch (Maus) +TP_LOCALLAB_SYMSL;Symmetrisch (Maus + Regler) +TP_LOCALLAB_TARGET_GRAY;Mittlere Luminanz (Yb%) +TP_LOCALLAB_THRES;Schwellenwert Struktur +TP_LOCALLAB_THRESDELTAE;Schwellenwert ΔE-Bereich +TP_LOCALLAB_THRESRETI;Schwellenwert +TP_LOCALLAB_THRESWAV;Schwellenwert Balance +TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mittel=%3 Sig=%4 +TP_LOCALLAB_TLABEL_TOOLTIP;Ergebnis der Übertragungszuordnung.\nMin and Max werden von 'Varianz' beeinflusst.\nTm=Min TM=Max der Übertragungszuordnung.\nDie Ergebnisse können mit den Schwellenwertreglern angepasst werden. +TP_LOCALLAB_TM;Tonwertkorrektur +TP_LOCALLAB_TM_MASK;Übertragungszuordnung verwenden +TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;Dieser Regler wirkt sich auf die Kantenempfindlichkeit aus.\nJe größer der Wert, desto wahrscheinlicher wird eine Änderung des Kontrasts als 'Kante' interpretiert.\nWenn auf Null gesetzt, hat die Tonzuordnung einen ähnlichen Effekt wie die unscharfe Maskierung. +TP_LOCALLAB_TONEMAPGAM_TOOLTIP;Der Gamma-Regler verschiebt den Effekt der Tonwertkorrektur entweder in Richtung der Schatten oder der Lichter. +TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In einigen Fällen kann die Tonwertkorrektur zu einem Comicartigen Erscheinungsbild führen, und in einigen seltenen Fällen können weiche aber breite Lichthöfe auftreten.\nDie Erhöhung der Anzahl der Iterationen zur Neugewichtung hilft bei der Bekämpfung einiger dieser Probleme. +TP_LOCALLAB_TONEMAP_TOOLTIP;Entspricht der Tonwertkorrektur im Hauptmenü.\nDas Werkzeug im Hauptmenü muss deaktiviert sein, wenn dieses Werkzeug verwendet wird. +TP_LOCALLAB_TONEMASCALE_TOOLTIP;Mit diesem Regler kann der Übergang zwischen 'lokalem' und 'globalem' Kontrast angepasst werden.\nJe größer der Wert, desto größer muss ein Detail sein, damit es verstärkt wird. +TP_LOCALLAB_TONE_TOOLNAME;Tonwertkorrektur +TP_LOCALLAB_TOOLCOL;Strukturmaske als Werkzeug +TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Erlaubt das Verändern der Maske, wenn eine existiert. +TP_LOCALLAB_TOOLMASK;Maskierungswerkzeuge +TP_LOCALLAB_TOOLMASK_2;Wavelets +TP_LOCALLAB_TOOLMASK_TOOLTIP;Strukturmaske (Regler) mit aktiviertem Kontrollkästchen 'Strukturmaske als Werkzeug': In diesem Fall wird eine Maske mit der Struktur generiert, nachdem eine oder mehrere der beiden Kurven L(L) oder LC(H) geändert wurden.\nDie 'Strukturmaske' verhält sich in diesem Falle wie die anderen Maskenwerkzeuge: Gamma, Steigung usw.\nErmöglicht, die Wirkung der Maske entsprechend der Struktur des Bildes zu variieren. +TP_LOCALLAB_TRANSIT;Übergangsgradient +TP_LOCALLAB_TRANSITGRAD;Übergangsunterschied XY +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Verändert den Übergang der x-Achse +TP_LOCALLAB_TRANSITVALUE;Übergangsintensität +TP_LOCALLAB_TRANSITWEAK;Zerfall des Überganges (linear-log) +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Anpassen der Zerfallrate: 1 linear, 2 parabolisch, 3 kubisch bis zu ^ 25.\nKann in Verbindung mit sehr niedrigen Übergangswerten verwendet werden, um Defekte (CBDL, Wavelets, Farbe & Licht) zu reduzieren +TP_LOCALLAB_TRANSIT_TOOLTIP;Passen Sie die Übergangshärte zwischen betroffenen und nicht betroffenen Bereichen als Prozentsatz des 'Radius' an. +TP_LOCALLAB_TRANSMISSIONGAIN;Übertragungsverstärkung +TP_LOCALLAB_TRANSMISSIONMAP;Übertragungszuordnung +TP_LOCALLAB_TRANSMISSION_TOOLTIP;Übertragung gemäß Übertragung.\nAbszisse: Übertragung von negativen Werten (min), Mittelwert und positiven Werten (max).\nOrdinate: Verstärkung oder Reduzierung.\nSie können diese Kurve anpassen, um die Übertragung zu ändern und Artefakte zu reduzieren. +TP_LOCALLAB_USEMASK;Laplace +TP_LOCALLAB_VART;Varianz (Kontrast) +TP_LOCALLAB_VIBRANCE;Farbtemperatur +TP_LOCALLAB_VIBRA_TOOLTIP;Passt die Farbtemperatur an (im Wesentlichen ähnlich wie die globale Anpassung).\nFührt das Äquivalent einer Weißabgleichanpassung mithilfe eines CIECAM-Algorithmus aus. +TP_LOCALLAB_VIB_TOOLNAME;Farbtemperatur +TP_LOCALLAB_VIS_TOOLTIP;Klick um den ausgewählten Spot aus- oder einzublenden.\nStrg+Klick um alle Spots aus- oder einzublenden. +TP_LOCALLAB_WARM;Farbtemperatur-Tönung +TP_LOCALLAB_WARM_TOOLTIP;Dieser Regler verwendet den CIECAM-Algorithmus und fungiert als Weißabgleichsteuerung, um die Farbtemperatur des ausgewählten Bereichs wärmer oder kühler zu machen.\nEin Teil der Farbartefakte kann in einigen Fällen auch reduziert werden. +TP_LOCALLAB_WASDEN_TOOLTIP;Reduzierung des Luminanz-Rauschens: Die linke Seite der Kurve einschließlich der dunkelgrauen/hellgrauen Grenze entspricht den ersten 3 Stufen 0, 1, 2 (feines Detail). Die rechte Seite der Kurve entspricht den gröberen Details (Ebene 3, 4, 5, 6). +TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Gleicht die Aktion innerhalb jeder Ebene an. +TP_LOCALLAB_WAT_BLURLC_TOOLTIP;Die Standardeinstellung für Unschärfe wirkt sich auf alle 3 L*a*b* -Komponenten (Luminanz und Farbe) aus.\nWenn diese Option aktiviert ist, wird nur die Luminanz unscharf. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt. +TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. +TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. +TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma Ebenen': Passt die 'a'- und 'b'- Komponenten von L*a*b* als Anteil des Luminanzwertes an. +TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Durch den Versatz wird die Balance zwischen kontrastarmen und kontrastreichen Details geändert.\nHohe Werte verstärken die Kontraständerungen zu den kontrastreicheren Details, während niedrige Werte die Kontraständerungen zu kontrastarmen Details verstärken.\nMit Verwendung eines geringeren Wertes der 'Dämpfungsreaktion' kann bestimmt werden, welche Kontrastwerte verbessert werden sollen. +TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;Durch Bewegen des Reglers nach links werden die unteren Ebenen akzentuiert. Nach Rechts werden die niedrigeren Ebenen reduziert und die höheren Ebenen akzentuiert. +TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;Das Restbild reagiert beim Anpassen von Kontrast, Chrominanz usw. genauso wie das Hauptbild. +TP_LOCALLAB_WAT_GRADW_TOOLTIP;Je mehr Sie den Regler nach rechts bewegen, desto effektiver ist der Erkennungsalgorithmus und desto weniger spürbar sind die Auswirkungen des lokalen Kontrasts. +TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Niedriger bis hoher lokaler Kontrast von links nach rechts auf der x-Achse.\nErhöht oder verringert den lokalen Kontrast auf der y-Achse. +TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;Sie können die Verteilung des lokalen Kontrasts nach Wavelet-Ebenen basierend auf der Anfangsintensität des Kontrasts anpassen. Dadurch werden die Effekte von Perspektive und Relief im Bild geändert und /oder die Kontrastwerte für sehr niedrige anfängliche Kontrastebenen verringert. +TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Nur mit Originalbild zusammenführen' verhindert, dass die Einstellungen für 'Wavelet Pyramide' die von 'Klarheit und Schärfemaske' beeinträchtigen. +TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Wendet eine Unschärfe auf das Restbild an, unabhängig von den Ebenen. +TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Komprimiert das Restbild, um den Kontrast zu erhöhen oder zu verringern. +TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;Der Effekt der lokalen Kontrastanpassung ist bei Details mit mittlerem Kontrast stärker und bei Details mit hohem und niedrigem Kontrast schwächer.\nDieser Schieberegler steuert, wie schnell der Effekt zu extremen Kontrasten gedämpft wird.\nJe höher der Wert des Schiebereglers, desto breiter der Kontrastbereich, der den vollen Effekt der lokalen Kontrastanpassung erhält, und desto höher ist das Risiko der Erzeugung von Artefakten.\nJe niedriger der Wert, desto stärker wird der Effekt auf einen engen Bereich von Kontrastwerten ausgerichtet. +TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensität der Kanteneffekt-Erkennung. +TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Ermöglicht die Anpassung des lokalen Kontrasts entsprechend einem gewählten Gradienten und Winkel. Dabei wird die Änderung des Luminanzsignals berücksichtigt und nicht die Luminanz. +TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Bereich der Wavelet-Ebenen, die im gesamten Wavelets-Modul verwendet werden. +TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Ermöglicht es, Unschärfe auf jeden Zersetzungsgrad anzuwenden.\nDie feinsten bis gröbsten Zersetzungsstufen sind von links nach rechts. +TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Ähnlich wie bei Kontrast nach Detailebenen. Feine bis grobe Detailebenen von links nach rechts auf der x-Achse. +TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Wirkt auf das Gleichgewicht der drei Richtungen (horizontal, vertikal und diagonal) basierend auf der Luminanz des Bildes.\nStandardmäßig werden die Schatten oder Lichter reduziert, um Artefakte zu vermeiden. +TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Zeigt alle Werkzeuge zum 'Kantenschärfen' an. Es wird empfohlen, die Dokumentation zu Wavelet Levels zu lesen. +TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Ermöglicht den maximalen Effekt der Unschärfe auf den Ebenen einzustellen. +TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Niedriger bis hoher lokaler Kontrast von links nach rechts auf der x-Achse.\nErhöhen oder verringern Sie den lokalen Kontrast auf der y-Achse. +TP_LOCALLAB_WAT_WAVTM_TOOLTIP;Der untere (negative) Teil komprimiert jede Ebene und erzeugt einen Tonwert-Effekt.\nDer obere (positive) Teil dämpft den Kontrast nach Ebene.\nFeine bis grobe Detailebenen von links nach rechts auf der x-Achse. +TP_LOCALLAB_WAV;Lokaler Kontrast +TP_LOCALLAB_WAVBLUR_TOOLTIP;Ermöglicht Unschärfe auf jeder Ebene oder dem Restbild. +TP_LOCALLAB_WAVCOMP;Kompression nach Ebene +TP_LOCALLAB_WAVCOMPRE;Kompression nach Ebene +TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Ermöglicht Tonwertkorrektur oder das Reduzieren des lokalen Kontrasts auf einzelnen Ebenen.\nFein bis grobe Detailebenen von links nach rechts auf der x-Achse. +TP_LOCALLAB_WAVCOMP_TOOLTIP;Ermöglicht das Anwenden eines lokalen Kontrasts basierend auf der Richtung der Wavelet-Zerlegung: horizontal, vertikal, diagonal. +TP_LOCALLAB_WAVCON;Kontrast nach Ebene +TP_LOCALLAB_WAVCONTF_TOOLTIP;Ähnlich wie bei Kontrast nach Detailebenen. Feine bis grobe Detailebenen von links nach rechts auf der x-Achse. +TP_LOCALLAB_WAVDEN;Luminanzkurve +TP_LOCALLAB_WAVE;Wavelets +TP_LOCALLAB_WAVEDG;Lokaler Kontrast +TP_LOCALLAB_WAVEEDG_TOOLTIP;Verbessert die Schärfe durch gezielte lokale Kontrastwirkung an den Kanten. Es hat die gleichen Funktionen wie das entsprechende Modul in Wavelet Levels und verwendet die gleichen Einstellungen. +TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Bereich der Wavelet-Ebenen, die in 'Lokaler Kontrast' (nach Wavelet-Ebene) verwendet werden. +TP_LOCALLAB_WAVGRAD_TOOLTIP;Anpassen des lokalen Kontrasts entsprechend einem gewählten Gradienten und Winkel. Die Änderung des Luminanz-Signals wird berücksichtigt und nicht die Luminanz. +TP_LOCALLAB_WAVHUE_TOOLTIP;Ermöglicht das Verringern oder Erhöhen der Rauschreduzierung basierend auf dem Farbton. +TP_LOCALLAB_WAVLEV;Unschärfe nach Ebene +TP_LOCALLAB_WAVMASK;Wavelets +TP_LOCALLAB_WAVMASK_TOOLTIP;Verwendet Wavelets, um den lokalen Kontrast der Maske zu ändern und die Struktur (Haut, Gebäude ...) zu verstärken oder zu reduzieren. +TP_LOCALLAB_WEDIANHI;Median hoch +TP_LOCALLAB_WHITE_EV;Weiß-Ev +TP_LOCALLAB_ZCAMFRA;ZCAM-Bildanpassungen +TP_LOCALLAB_ZCAMTHRES;Hohe Daten abfragen +TP_LOCAL_HEIGHT;Unten +TP_LOCAL_HEIGHT_T;Oben +TP_LOCAL_WIDTH;Rechts +TP_LOCAL_WIDTH_L;Links +TP_LOCRETI_METHOD_TOOLTIP;Niedrig = Schwaches Licht verstärken.\nGleichmäßig = Gleichmäßig verteilt.\nHoch = Starkes Licht verstärken. TP_METADATA_EDIT;Veränderte Daten TP_METADATA_MODE;Kopiermodus TP_METADATA_STRIP;Keine TP_METADATA_TUNNEL;Unveränderte Daten TP_NEUTRAL;Zurücksetzen -TP_NEUTRAL_TIP;Belichtungseinstellungen auf\nneutrale Werte zurücksetzen. +TP_NEUTRAL_TIP;Belichtungseinstellungen auf neutrale Werte zurücksetzen. TP_PCVIGNETTE_FEATHER;Bereich TP_PCVIGNETTE_FEATHER_TOOLTIP;Bereich:\n0 = nur Bildecken\n50 = halbe Strecke zum Mittelpunkt\n100 = bis zum Mittelpunkt TP_PCVIGNETTE_LABEL;Vignettierungsfilter @@ -1889,13 +3549,34 @@ TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Form:\n0 = Rechteck\n50 = Ellipse\n100 = Kreis TP_PCVIGNETTE_STRENGTH;Intensität TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filterstärke in Blendenstufen (bezogen auf die Bildecken). TP_PDSHARPENING_LABEL;Eingangsschärfung +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Es werden mindestens zwei horizontale oder zwei vertikale Kontroll-Linien benötigt. +TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop-Faktor +TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Fokale Länge +TP_PERSPECTIVE_CAMERA_FRAME;Korrektur +TP_PERSPECTIVE_CAMERA_PITCH;Vertikal +TP_PERSPECTIVE_CAMERA_ROLL;Rotation +TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontale Verschiebung +TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertikale Verschiebung +TP_PERSPECTIVE_CAMERA_YAW;Horizontal +TP_PERSPECTIVE_CONTROL_LINES;Kontroll-Linien +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Strg+ziehen: Zeichne neue Linien (mind. 2)\nRechts-Klick: Lösche Linie TP_PERSPECTIVE_HORIZONTAL;Horizontal TP_PERSPECTIVE_LABEL;Perspektive +TP_PERSPECTIVE_METHOD;Methode +TP_PERSPECTIVE_METHOD_CAMERA_BASED;Kamera-basiert +TP_PERSPECTIVE_METHOD_SIMPLE;Einfach +TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Anpassungen nach der Korrektur +TP_PERSPECTIVE_PROJECTION_PITCH;Vertikal +TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontale Verschiebung +TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertikale Verschiebung +TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +TP_PERSPECTIVE_RECOVERY_FRAME;Wiederherstellung TP_PERSPECTIVE_VERTICAL;Vertikal TP_PFCURVE_CURVEEDITOR_CH;Farbton -TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Regelt die Intensität der Farbsaumentfernung\nnach Farben. Je höher die Kurve desto stärker\nist der Effekt. +TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Regelt die Intensität der Farbsaumentfernung nach Farben. Je höher die Kurve desto stärker ist der Effekt. TP_PREPROCESS_DEADPIXFILT;Dead-Pixel-Filter -TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Entfernt tote Pixel. +TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Entfernt Dead Pixel. TP_PREPROCESS_GREENEQUIL;Grün-Ausgleich TP_PREPROCESS_HOTPIXFILT;Hot-Pixel-Filter TP_PREPROCESS_HOTPIXFILT_TOOLTIP;Entfernt Hot-Pixel. @@ -1908,11 +3589,21 @@ TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal (nur PDAF-Zeilen) TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertikal TP_PREPROCESS_NO_FOUND;Nichts gefunden TP_PREPROCESS_PDAFLINESFILTER;PDAF-Zeilenfilter +TP_PREPROCWB_LABEL;Vorverarbeitung Weißabgleich +TP_PREPROCWB_MODE;Modus +TP_PREPROCWB_MODE_AUTO;Auto +TP_PREPROCWB_MODE_CAMERA;Kamera +TC_PRIM_BLUX;Bx +TC_PRIM_BLUY;By +TC_PRIM_GREX;Gx +TC_PRIM_GREY;Gy +TC_PRIM_REDX;Rx +TC_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;Nach Skalierung schärfen -TP_PRSHARPENING_TOOLTIP;Schärft das Bild nach der Größenänderung.\nFunktioniert nur mit der Methode “Lanczos“.\nDas Ergebnis wird nicht in RawTherapee\nangezeigt.\n\nWeitere Informationen finden Sie auf “RawPedia“. +TP_PRSHARPENING_TOOLTIP;Schärft das Bild nach der Größenänderung.\nFunktioniert nur mit der Methode 'Lanczos'.\nDas Ergebnis wird nicht in RawTherapee\nangezeigt.\n\nWeitere Informationen finden Sie auf 'RawPedia'. TP_RAWCACORR_AUTO;Autokorrektur TP_RAWCACORR_AUTOIT;Iterationen -TP_RAWCACORR_AUTOIT_TOOLTIP;Diese Einstellung ist verfügbar, wenn "Autokorrektur" aktiviert ist.\nDie Autokorrektur ist konservativ, d.h. sie korrigiert häufig nicht alle\nchromatischen Aberrationen. Um die verbleibenden chromatischen\nAberrationen zu korrigieren, können Sie bis zu fünf Iterationen\nverwenden. Jede Iteration verringert die verbleibende chromatische\nAberration auf Kosten zusätzlicher Verarbeitungszeit. +TP_RAWCACORR_AUTOIT_TOOLTIP;Diese Einstellung ist verfügbar, wenn 'Autokorrektur' aktiviert ist.\nDie Autokorrektur ist konservativ, d.h. sie korrigiert häufig nicht alle\nchromatischen Aberrationen. Um die verbleibenden chromatischen\nAberrationen zu korrigieren, können Sie bis zu fünf Iterationen\nverwenden. Jede Iteration verringert die verbleibende chromatische\nAberration auf Kosten zusätzlicher Verarbeitungszeit. TP_RAWCACORR_AVOIDCOLORSHIFT;Farbverschiebungen vermeiden TP_RAWCACORR_CABLUE;Blau TP_RAWCACORR_CARED;Rot @@ -1933,16 +3624,18 @@ TP_RAW_3PASSBEST;3-Pass (Markesteijn) TP_RAW_4PASS;3-Pass + schnell TP_RAW_AHD;AHD TP_RAW_AMAZE;AMaZE +TP_RAW_AMAZEBILINEAR;AMaZE + Bilinear TP_RAW_AMAZEVNG4;AMaZE + VNG4 TP_RAW_BORDER;Bildrand TP_RAW_DCB;DCB +TP_RAW_DCBBILINEAR;DCB+Bilinear TP_RAW_DCBENHANCE;DCB-Verbesserung TP_RAW_DCBITERATIONS;Anzahl der DCB-Iterationen TP_RAW_DCBVNG4;DCB + VNG4 TP_RAW_DMETHOD;Methode TP_RAW_DMETHOD_PROGRESSBAR;%1 verarbeitet -TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demosaikoptimierung -TP_RAW_DMETHOD_TOOLTIP;IGV und LMMSE sind speziel für High-ISO-Aufnahmen um die\nRauschreduzierung zu unterstützen ohne zu Maze-Mustern,\nPosterisierung oder einem ausgewaschenen Look zu führen.\n\nPixel-Shift ist für “Pentax Pixel-Shift“-Dateien. Für "Nicht-Pixel-\nShift"-Dateien wird automatisch AMaZE verwendet. +TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demosaik-Optimierung +TP_RAW_DMETHOD_TOOLTIP;IGV und LMMSE sind speziell für High-ISO-Aufnahmen um die\nRauschreduzierung zu unterstützen ohne zu Maze-Mustern,\nPosterisierung oder einem ausgewaschenen Look zu führen.\n\nPixel-Shift ist für 'Pentax Pixel-Shift'-Dateien. Für 'Nicht-Pixel-\nShift'-Dateien wird automatisch AMaZE verwendet. TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto-Kontrastschwelle TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Wenn das Kontrollkästchen aktiviert ist (empfohlen), berechnet\nRawTherapee einen optimalen Wert auf der Grundlage homogener\nBereiche im Bild. Wenn kein homogener Bereich vorhanden ist oder\ndas Bild zu sehr rauscht, wird der Wert auf 0 gesetzt. TP_RAW_DUALDEMOSAICCONTRAST;Kontrastschwelle @@ -1950,7 +3643,7 @@ TP_RAW_EAHD;EAHD TP_RAW_FALSECOLOR;Falschfarbenreduzierung TP_RAW_FAST;Schnell TP_RAW_HD;Schwelle -TP_RAW_HD_TOOLTIP;Je niedriger der Wert, umso empfindlicher reagiert\ndie “Hot / Dead-Pixel-Erkennung“.\nIst die Empfindlichkeit zu hoch, können Artefakte\nentstehen. Erhöhen Sie in diesem Fall die Schwelle,\nbis die Artefakte verschwinden. +TP_RAW_HD_TOOLTIP;Je niedriger der Wert, umso empfindlicher reagiert\ndie 'Hot-/Dead-Pixel-Erkennung'.\nIst die Empfindlichkeit zu hoch, können Artefakte\nentstehen. Erhöhen Sie in diesem Fall die Schwelle,\nbis die Artefakte verschwinden. TP_RAW_HPHD;HPHD TP_RAW_IGV;IGV TP_RAW_IMAGENUM;Unterbild @@ -1963,6 +3656,8 @@ TP_RAW_LMMSE_TOOLTIP;Fügt Gamma (Stufe 1), Median (Stufe 2-4)\nund Optimierung TP_RAW_MONO;Mono TP_RAW_NONE;Keine TP_RAW_PIXELSHIFT;Pixel-Shift +TP_RAW_PIXELSHIFTAVERAGE;Durchschnitt für Bewegungen +TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Verwenden Sie den Durchschnitt aller Frames anstelle des ausgewählten Frames für Regionen mit Bewegung.\nGibt einen Bewegungseffekt auf sich langsam bewegende (überlappende) Objekte. TP_RAW_PIXELSHIFTBLUR;Unschärfebewegungsmaske TP_RAW_PIXELSHIFTDMETHOD;Bewegungsmethode TP_RAW_PIXELSHIFTEPERISO;Empfindlichkeit @@ -1970,7 +3665,7 @@ TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;Der Standardwert 0 wird für die Basis-ISO empf TP_RAW_PIXELSHIFTEQUALBRIGHT;Frame-Helligkeit angleichen TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Ausgleich pro Kanal TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;EIN: Individueller Ausgleich der RGB-Kanäle.\nAUS: Identischer Ausgleichsfaktor für alle Kanäle. -TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Gleicht die Helligkeit der Frames an den aktuellen Frame an.\n\nSind überbelichtete Bereiche vorhanden wählen Sie den hellsten Frame aus um\nMagenta-Farbstiche zu vermeiden oder aktivieren Sie die Bewegungskorrektur. +TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Gleicht die Helligkeit der Frames an den aktuellen Frame an.\n\nSind überbelichtete Bereiche vorhanden wählen Sie den hellsten Frame aus, um\nMagenta-Farbstiche zu vermeiden oder aktivieren Sie die Bewegungskorrektur. TP_RAW_PIXELSHIFTGREEN;Bewegung im Grün-Kanal erkennen TP_RAW_PIXELSHIFTHOLEFILL;Lücken in der Bewegungsmaske erkennen TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Lücken in der Bewegungsmaske erkennen. @@ -1979,7 +3674,6 @@ TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Verwenden Sie den Median aller Frames anstelle d TP_RAW_PIXELSHIFTMM_AUTO;Automatisch TP_RAW_PIXELSHIFTMM_CUSTOM;Benutzerdefiniert TP_RAW_PIXELSHIFTMM_OFF;Aus -TP_RAW_PIXELSHIFTMOTION;Motion detection level (deprecated) TP_RAW_PIXELSHIFTMOTIONMETHOD;Bewegungskorrektur TP_RAW_PIXELSHIFTNONGREENCROSS;Bewegung im Rot/Blau-Kanal erkennen TP_RAW_PIXELSHIFTSHOWMOTION;Bewegungsmaske anzeigen @@ -1989,11 +3683,12 @@ TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Überlagert das Bild mit einer grünen Maske TP_RAW_PIXELSHIFTSIGMA;Unschärferadius TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;Der Standard-Radius von 1,0 passt in der Regel für die Basis-ISO.\nErhöhen Sie den Wert für High-ISO-Aufnahmen, 5,0 ist ein guter\nAusgangspunkt für High-ISO-Aufnahmen. Achten Sie auf die\nBewegungsmaske, während Sie den Wert ändern. TP_RAW_PIXELSHIFTSMOOTH;Weicher Übergang -TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Weicher Übergang zwischen Bereichen mit und ohne Bewegung.\n0 = Aus\n1 = AMaZE/LMMSE oder Median +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Weicher Übergang zwischen Bereichen mit und ohne Bewegung.\n0 = Aus\n1 = AMaZE/LMMSE oder Median. TP_RAW_RCD;RCD +TP_RAW_RCDBILINEAR;RCD+Bilinear TP_RAW_RCDVNG4;RCD + VNG4 TP_RAW_SENSOR_BAYER_LABEL;Sensor mit Bayer-Matrix -TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;Mit “3-Pass“ erzielt man die besten Ergebnisse\n(empfohlen bei Bildern mit niedrigen ISO-Werten).\n\nBei hohen ISO-Werten unterscheidet sich “1-Pass“\nkaum gegenüber “3-Pass“, ist aber deutlich schneller.\n\n"+ schnell" erzeugt weniger Artefakte in kontrast-\narmen Bereichen. +TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;Mit '3-Pass' erzielt man die besten Ergebnisse\n(empfohlen bei Bildern mit niedrigen ISO-Werten).\n\nBei hohen ISO-Werten unterscheidet sich '1-Pass'\nkaum gegenüber '3-Pass', ist aber deutlich schneller.\n\n'+ schnell' erzeugt weniger Artefakte in kontrastarmen Bereichen. TP_RAW_SENSOR_XTRANS_LABEL;Sensor mit X-Trans-Matrix TP_RAW_VNG4;VNG4 TP_RAW_XTRANS;X-Trans @@ -2007,90 +3702,94 @@ TP_RESIZE_H;Höhe: TP_RESIZE_HEIGHT;Höhe TP_RESIZE_LABEL;Skalieren TP_RESIZE_LANCZOS;Lanczos +TP_RESIZE_LE;Lange Kante: +TP_RESIZE_LONG;Lange Kante TP_RESIZE_METHOD;Methode: TP_RESIZE_NEAREST;Nächster Nachbar TP_RESIZE_SCALE;Maßstab TP_RESIZE_SPECIFY;Basierend auf: +TP_RESIZE_SE;Kurze Kante: +TP_RESIZE_SHORT;Kurze Kante TP_RESIZE_W;Breite: TP_RESIZE_WIDTH;Breite TP_RETINEX_CONTEDIT_HSL;HSL-Kurve TP_RETINEX_CONTEDIT_LAB;Luminanz (L) L*a*b* TP_RETINEX_CONTEDIT_LH;Farbton (H) TP_RETINEX_CONTEDIT_MAP;Maskenkurve -TP_RETINEX_CURVEEDITOR_CD;L = f(L) -TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminanz in Abhängigkeit der Luminanz.\nKorrigiert direkt die RAW-Daten, um Halos\nund Artefakte zu verringern. +TP_RETINEX_CURVEEDITOR_CD;L=f(L) +TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminanz in Abhängigkeit der Luminanz.\nKorrigiert direkt die RAW-Daten, um Halos und Artefakte zu verringern. TP_RETINEX_CURVEEDITOR_LH;Intensität = f(H) -TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Intensität in Abhängigkeit des Farbtons (H)\nBei der Retinex-Methode "Spitzlichter" wirken sich die\nÄnderungen auch auf die Chromakorrektur aus. -TP_RETINEX_CURVEEDITOR_MAP;L = f(L) -TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;Die Kurve kann entweder alleine, mit der\nGaußschen- oder Waveletmaske angewendet\nwerden. Artefakte beachten! +TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Intensität in Abhängigkeit des Farbtons (H)\nBei der Retinex-Methode 'Spitzlichter' wirken sich die Änderungen auch auf die Chromakorrektur aus. +TP_RETINEX_CURVEEDITOR_MAP;L=f(L) +TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;Die Kurve kann entweder alleine, mit der Gauß'schen- oder Waveletmaske angewendet werden. Artefakte beachten! TP_RETINEX_EQUAL;Korrekturen TP_RETINEX_FREEGAMMA;Gamma -TP_RETINEX_GAIN;Kontrast -TP_RETINEX_GAINOFFS;Verstärkung und Ausgleich (Helligkeit) -TP_RETINEX_GAINTRANSMISSION;Transmissionsverstärkung -TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Ändert die Helligkeit durch Verstärkung oder\nAbschwächung der Transmissionskarte. +TP_RETINEX_GAIN;Verstärkung +TP_RETINEX_GAINOFFS;Verstärkung und Versatz +TP_RETINEX_GAINTRANSMISSION;Übertragungsverstärkung +TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Ändert die Helligkeit durch Verstärkung oder Abschwächung der Übertragungszuordnung. TP_RETINEX_GAMMA;Gammakorrektur TP_RETINEX_GAMMA_FREE;Benutzerdefiniert TP_RETINEX_GAMMA_HIGH;Hoch TP_RETINEX_GAMMA_LOW;Niedrig TP_RETINEX_GAMMA_MID;Mittel TP_RETINEX_GAMMA_NONE;Keine -TP_RETINEX_GAMMA_TOOLTIP;Stellt Farbtöne vor und nach der Retinexverarbeitung\ndurch eine Gammakorrektur wieder her. -TP_RETINEX_GRAD;Transmission Gradient -TP_RETINEX_GRADS;Intensität Gradient +TP_RETINEX_GAMMA_TOOLTIP;Stellt Farbtöne vor und nach der Retinexverarbeitung durch eine Gammakorrektur wieder her. +TP_RETINEX_GRAD;Übertragungsgradient +TP_RETINEX_GRADS;Intensitätsgradient TP_RETINEX_GRADS_TOOLTIP;Steht der Regler auf 0 sind alle Iterationen identisch.\nBei > 0 wird die Intensität reduziert, bei < 0 erhöht. TP_RETINEX_GRAD_TOOLTIP;Steht der Regler auf 0 sind alle Iterationen identisch.\nBei > 0 werden Skalierung und Schwelle reduziert,\nbei < 0 erhöht. TP_RETINEX_HIGH;Lichter TP_RETINEX_HIGHLIG;Spitzlichter TP_RETINEX_HIGHLIGHT;Spitzlichter Schwelle -TP_RETINEX_HIGHLIGHT_TOOLTIP;Benötigt unter Umständen Korrekturen der Einstellungen "Benachbarte Pixel" und "Weißpunkt" unter dem Reiter "RAW". +TP_RETINEX_HIGHLIGHT_TOOLTIP;Benötigt unter Umständen Korrekturen der Einstellungen 'Benachbarte Pixel' und 'Weißpunkt' unter dem Reiter 'RAW'. TP_RETINEX_HSLSPACE_LIN;HSL-Linear TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmisch TP_RETINEX_ITER;Iterationen TP_RETINEX_ITERF;Dynamikkompression -TP_RETINEX_ITER_TOOLTIP;Simuliert eine Dynamikkompression.\nHöhere Werte erhöhen die Verarbei-\ntungszeit. +TP_RETINEX_ITER_TOOLTIP;Simuliert eine Dynamikkompression.\nHöhere Werte erhöhen die Verarbeitungszeit. TP_RETINEX_LABEL;Retinex (Bildschleier entfernen) TP_RETINEX_LABEL_MASK;Maske TP_RETINEX_LABSPACE;L*a*b* TP_RETINEX_LOW;Schatten TP_RETINEX_MAP;Methode -TP_RETINEX_MAP_GAUS;Gaußschenmaske +TP_RETINEX_MAP_GAUS;Gauß'sche Maske TP_RETINEX_MAP_MAPP;Schärfemaske (Teil-Wavelet) -TP_RETINEX_MAP_MAPT;Schärfemaske (Wavelet) -TP_RETINEX_MAP_METHOD_TOOLTIP;Keine: Wendet die Maske, die mit der gaußschen\nFunktion (Radius, Methode) erstellt wurde an,\num Halos und Artefakte zu reduzieren.\n\nNur Kurve: Wendet eine diagonale Kontrastkurve\nauf die Maske an. (Artefakte beachten)\n\nGaußschenmaske: Wendet eine gaußsche Unschärfe\nauf die originale Maske an. (Schnell)\n\nSchärfemaske: Wendet ein Wavelet auf die originale\nMaske an. (Langsam) +TP_RETINEX_MAP_MAPT;Schärfemaske (Erweitert - Wavelet) +TP_RETINEX_MAP_METHOD_TOOLTIP;Keine: Wendet die Maske, die mit der Gauß'schen Funktion (Radius, Methode) erstellt wurde an, um Halos und Artefakte zu reduzieren.\n\nNur Kurve: Wendet eine diagonale Kontrastkurve auf die Maske an. (Artefakte beachten)\n\nGauß'sche Maske: Wendet eine Gauß'sche Unschärfe auf die originale Maske an. (Schnell)\n\nSchärfemaske: Wendet ein Wavelet auf die originale Maske an. (Langsam) TP_RETINEX_MAP_NONE;Keine TP_RETINEX_MEDIAN;Medianfilter TP_RETINEX_METHOD;Methode -TP_RETINEX_METHOD_TOOLTIP;Schatten wirkt sich auf dunkle Bereiche aus.\n\nSchatten / Lichter wirkt sich auf dunkle und helle Bereiche aus.\n\nLichter wirkt sich auf helle Bereiche aus.\n\nSpitzlichter wirkt sich auf sehr helle Bereiche aus und reduziert\nMagenta-Falschfarben. +TP_RETINEX_METHOD_TOOLTIP;Schatten wirkt sich auf dunkle Bereiche aus.\n\nSchatten/Lichter wirkt sich auf dunkle und helle Bereiche aus.\n\nLichter wirkt sich auf helle Bereiche aus.\n\nSpitzlichter wirkt sich auf sehr helle Bereiche aus und reduziert\nMagenta-Falschfarben. TP_RETINEX_MLABEL;Schleierred: Min = %1, Max = %2 -TP_RETINEX_MLABEL_TOOLTIP;Sollte nahe bei Min = 0 und Max = 32768 sein. +TP_RETINEX_MLABEL_TOOLTIP;Sollte nahe bei Min = 0 und Max = 32768 sein aber auch andere Werte sind möglich. TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Zurücksetzen TP_RETINEX_NEUTRAL_TIP;Setzt alle Regler und Kurven\nauf ihre Standardwerte zurück. -TP_RETINEX_OFFSET;Ausgleich (Helligkeit) -TP_RETINEX_SCALES;Gaußscher Gradient +TP_RETINEX_OFFSET;Versatz (Helligkeit) +TP_RETINEX_SCALES;Gauß'scher Gradient TP_RETINEX_SCALES_TOOLTIP;Steht der Regler auf 0 sind alle Iterationen identisch.\nBei > 0 werden Skalierung und Radius reduziert,\nbei < 0 erhöht. TP_RETINEX_SETTINGS;Einstellungen TP_RETINEX_SKAL;Skalierung TP_RETINEX_SLOPE;Gammasteigung TP_RETINEX_STRENGTH;Intensität TP_RETINEX_THRESHOLD;Schwelle -TP_RETINEX_THRESHOLD_TOOLTIP;Limitiert den Bereich der Transmissionskurve. +TP_RETINEX_THRESHOLD_TOOLTIP;Limitiert den Bereich der Übertragungszuordnung. TP_RETINEX_TLABEL;T: Min = %1, Max = %2\nT: Mittel = %3, Sigma = %4 TP_RETINEX_TLABEL2;T: Tmin = %1, Tmax = %2 -TP_RETINEX_TLABEL_TOOLTIP;Ergebnis der Transmissionskurve: Min, Max, Mittel und Sigma\nMin und Max hat Einfluss auf die Abweichung.\n\nTmin = Kleinster Wert der Transmissionskurve\nTmax = Größter Wert der Transmissionskurve -TP_RETINEX_TRANF;Transmission -TP_RETINEX_TRANSMISSION;Transmissionskurve -TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission in Abhängigkeit der Transmission.\n\nx-Achse: Transmission negativer Werte (Min),\nMittel und positiver Werte (Max).\n\ny-Achse: Verstärkung oder Abschwächung. -TP_RETINEX_UNIFORM;Schatten / Lichter +TP_RETINEX_TLABEL_TOOLTIP;Ergebnis der Übertragungszuordnung: Min, Max, Mittel und Sigma\nMin und Max hat Einfluss auf die Abweichung.\n\nTmin = Kleinster Wert der Übertragungszuordnung\nTmax = Größter Wert der Übertragungszuordnung. +TP_RETINEX_TRANF;Übertragung +TP_RETINEX_TRANSMISSION;Übertragungzuordnung +TP_RETINEX_TRANSMISSION_TOOLTIP;Übertragung in Abhängigkeit der Übertragung.\n\nx-Achse: Übertragung negativer Werte (Min),\nMittel und positiver Werte (Max).\n\ny-Achse: Verstärkung oder Abschwächung. +TP_RETINEX_UNIFORM;Schatten/Lichter TP_RETINEX_VARIANCE;Kontrast TP_RETINEX_VARIANCE_TOOLTIP;Niedrige Werte erhöhen den lokalen\nKontrast und die Sättigung, können\naber zu Artefakten führen. TP_RETINEX_VIEW;Vorschau TP_RETINEX_VIEW_MASK;Maske -TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard: Normale Anzeige\n\nMaske: Zeigt die Maske an\n\nUnschärfemaske: Zeigt das Bild mit einem großen\nUnschärfemaskenradius an.\n\nTransmission-Auto / Fest: Zeigt die Transmissionskarte\nvor der Anwendung von Kontrast und Helligkeit an.\n\nACHTUNG: Die Maske zeigt nicht das Endergebnis, sondern\nverstärkt den Effekt um ihn besser beurteilen zu können. +TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard: Normale Anzeige\n\nMaske: Zeigt die Maske an\n\nUnschärfemaske: Zeigt das Bild mit einem großen\nUnschärfemaskenradius an.\n\nÜbertragung-Auto / Fest: Zeigt die Übertragungszuordnung\nvor der Anwendung von Kontrast und Helligkeit an.\n\nACHTUNG: Die Maske zeigt nicht das Endergebnis, sondern\nverstärkt den Effekt um ihn besser beurteilen zu können. TP_RETINEX_VIEW_NONE;Standard -TP_RETINEX_VIEW_TRAN;Transmission - Auto -TP_RETINEX_VIEW_TRAN2;Transmission - Fest +TP_RETINEX_VIEW_TRAN;Übertragung - Auto +TP_RETINEX_VIEW_TRAN2;Übertragung - Fest TP_RETINEX_VIEW_UNSHARP;Unschärfemaske TP_RGBCURVES_BLUE;B TP_RGBCURVES_CHANNEL;Kanal @@ -2105,7 +3804,7 @@ TP_ROTATE_SELECTLINE;Leitlinie wählen TP_SAVEDIALOG_OK_TIP;Taste: Strg + Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Lichter TP_SHADOWSHLIGHTS_HLTONALW;Tonwertbreite Lichter -TP_SHADOWSHLIGHTS_LABEL;Schatten / Lichter +TP_SHADOWSHLIGHTS_LABEL;Schatten/Lichter TP_SHADOWSHLIGHTS_RADIUS;Radius TP_SHADOWSHLIGHTS_SHADOWS;Schatten TP_SHADOWSHLIGHTS_SHTONALW;Tonwertbreite Schatten @@ -2118,9 +3817,9 @@ TP_SHARPENING_BLUR;Weichzeichnerradius TP_SHARPENING_CONTRAST;Kontrastschwelle TP_SHARPENING_EDRADIUS;Radius TP_SHARPENING_EDTOLERANCE;Kantentoleranz -TP_SHARPENING_GAMMA;Gamma TP_SHARPENING_HALOCONTROL;Halokontrolle TP_SHARPENING_HCAMOUNT;Intensität +TP_SHARPENING_ITERCHECK;Iterationen automatisch limitieren TP_SHARPENING_LABEL;Schärfung TP_SHARPENING_METHOD;Methode TP_SHARPENING_ONLYEDGES;Nur Kanten schärfen @@ -2139,6 +3838,11 @@ TP_SHARPENMICRO_MATRIX;3×3-Matrix statt 5×5-Matrix TP_SHARPENMICRO_UNIFORMITY;Gleichmäßigkeit TP_SOFTLIGHT_LABEL;Weiches Licht TP_SOFTLIGHT_STRENGTH;Intensität +TP_SPOT_COUNTLABEL;%1 Punkt(e) +TP_SPOT_DEFAULT_SIZE;Standard Punkt-Größe +TP_SPOT_ENTRYCHANGED;Punkt geändert +TP_SPOT_HINT;Klicken Sie auf diesen Button, um auf der Voransicht zu arbeiten.\n\nUm einen Punkt zu editieren, setzen Sie die weiße Markierung über einen zu bearbeitenden Bereich, die Geometrie des Punktes erscheint.\n\nUm einen Punkt hinzuzufügen, drücken Sie Strg und linke Maustaste, bewegen Sie den Kreis (Strg-Taste kann losgelassen werden) zu einem Quellbereich und lassen Sie die Maustaste los.\n\nUm Quell- oder Zielbereich zu verschieben, klicken Sie in den Kreis und verschieben ihn.\n\nDer innere Kreis (maximaler Anwendungsbereich) und der 'Feder'-Kreis können in der Größe verändert werden, indem die Maus darüber bewegt (der Kreis wird orange) und verschoben wird (der Kreis wird rot).\n\nWenn die Änderungen fertig sind, klicken Sie mit der rechten Maustaste außerhalb der Punkte, um den Editiermodus zu beenden oder erneut auf diesen Button. +TP_SPOT_LABEL;Flecken entfernen TP_TM_FATTAL_AMOUNT;Intensität TP_TM_FATTAL_ANCHOR;Helligkeitsverschiebung TP_TM_FATTAL_LABEL;Dynamikkompression @@ -2146,18 +3850,18 @@ TP_TM_FATTAL_THRESHOLD;Details TP_VIBRANCE_AVOIDCOLORSHIFT;Farbverschiebungen vermeiden TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Hautfarbtöne -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Rot / Violett +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Rot/Violett TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Rot -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Rot / Gelb +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Rot/Gelb TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Gelb -TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Farbton als Funktion des Farbtons H = f(H). +TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Farbton als Funktion des Farbtons H=f(H). TP_VIBRANCE_LABEL;Dynamik TP_VIBRANCE_PASTELS;Pastelltöne -TP_VIBRANCE_PASTSATTOG;Pastell und gesättigte Töne koppeln +TP_VIBRANCE_PASTSATTOG;Pastell- und gesättigte Töne koppeln TP_VIBRANCE_PROTECTSKINS;Hautfarbtöne schützen -TP_VIBRANCE_PSTHRESHOLD;Schwelle - Pastell / gesättigte Töne +TP_VIBRANCE_PSTHRESHOLD;Schwelle - Pastell-/ gesättigte Töne TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;Sättigung Schwelle -TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;Die vertikale Achse steht für die Pastell (unten) und gesättigte Töne (oben).\nDie horizontale Achse entspricht dem Sättigungsbereich. +TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;Die vertikale Achse steht für die Pastell- (unten) und gesättigte Töne (oben).\nDie horizontale Achse entspricht dem Sättigungsbereich. TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Gewichtung des Übergangs pastell/gesättigt TP_VIBRANCE_SATURATED;Gesättigte Töne TP_VIGNETTING_AMOUNT;Intensität @@ -2184,14 +3888,20 @@ TP_WAVELET_B2;Restbild TP_WAVELET_BACKGROUND;Hintergrund TP_WAVELET_BACUR;Kurve TP_WAVELET_BALANCE;Kontrastausgleich d/v-h -TP_WAVELET_BALANCE_TOOLTIP;Verändert die Gewichtung zwischen den Wavelet-Richtungen vertikal, horizontal und diagonal.\n\nSind Kontrast-, Farb- oder Restbild-Dynamikkompression aktiviert, wird die Wirkung aufgrund des Ausgleichs verstärkt. +TP_WAVELET_BALANCE_TOOLTIP;Verändert die Gewichtung zwischen den Wavelet-Richtungen vertikal-horizontal und diagonal.\n\nSind Kontrast-, Farb- oder Restbild-Dynamikkompression aktiviert, wird die Wirkung aufgrund des Ausgleichs verstärkt. TP_WAVELET_BALCHRO;Farbausgleich -TP_WAVELET_BALCHRO_TOOLTIP;Wenn aktiviert, beeinflusst der Kontrastausgleich\nauch den Farbausgleich. +TP_WAVELET_BALCHROM;Farb-Equalizer +TP_WAVELET_BALCHRO_TOOLTIP;Wenn aktiviert, beeinflusst der Kontrastausgleich auch den Farbausgleich. +TP_WAVELET_BALLUM;Equalizer Rauschreduzierung SW TP_WAVELET_BANONE;Keine TP_WAVELET_BASLI;Regler TP_WAVELET_BATYPE;Kontrastmethode +TP_WAVELET_BL;Unschärfeebenen +TP_WAVELET_BLCURVE;Unschärfe nach Ebenen +TP_WAVELET_BLURFRAME;Unschärfe +TP_WAVELET_BLUWAV;Dämpfungsreaktion TP_WAVELET_CBENAB;Farbausgleich -TP_WAVELET_CB_TOOLTIP;Farbausgleich mit getrennten Reglern für\nSchatten, Mitten und Lichter aktivieren. +TP_WAVELET_CB_TOOLTIP;Farbausgleich mit getrennten Reglern für Schatten, Mitten und Lichter aktivieren. TP_WAVELET_CCURVE;Lokale Kontrastkurve TP_WAVELET_CH1;Gesamter Farbbereich TP_WAVELET_CH2;Gesättigte/Pastellfarben @@ -2199,46 +3909,87 @@ TP_WAVELET_CH3;Kontrastebenen verknüpfen TP_WAVELET_CHCU;Kurve TP_WAVELET_CHR;Farb-Kontrast-Verknüpfung TP_WAVELET_CHRO;Ebenengrenze Gesättigte/Pastellfarben -TP_WAVELET_CHRO_TOOLTIP;Waveletebene (n) die, die Grenze zwischen gesättigten und Pastellfarben bestimmt.\n1-n: Gesättigte Farben\nn-9: Pastellfarben\n\nIst der Wert größer als die vorgegebene Anzahl an Waveletebenen werden diese ignoriert. +TP_WAVELET_CHROFRAME;Rauschreduzierung Chrominanz +TP_WAVELET_CHROMAFRAME;Chroma +TP_WAVELET_CHROMCO;Chrominanz grob +TP_WAVELET_CHROMFI;Chrominanz fein +TP_WAVELET_CHRO_TOOLTIP;Wavelet-Ebene(n) die, die Grenze zwischen gesättigten und Pastellfarben bestimmt.\n1-n: Gesättigte Farben\nn-9: Pastellfarben\n\nIst der Wert größer als die vorgegebene Anzahl an Wavelet-Ebenen werden diese ignoriert. +TP_WAVELET_CHRWAV;Chroma-Unschärfe TP_WAVELET_CHR_TOOLTIP;Farbton als Funktion des Kontrasts und der Farb-Kontrast-Verknüpfung. TP_WAVELET_CHSL;Regler -TP_WAVELET_CHTYPE;Chrominanzmethode -TP_WAVELET_COLORT;Deckkraft Rot / Grün +TP_WAVELET_CHTYPE;Chrominanz-Methode +TP_WAVELET_CLA;Klarheit +TP_WAVELET_CLARI;Schärfemaske und Klarheit +TP_WAVELET_COLORT;Deckkraft Rot/Grün TP_WAVELET_COMPCONT;Kontrast -TP_WAVELET_COMPGAMMA;Gammakompression +TP_WAVELET_COMPEXPERT;Erweitert +TP_WAVELET_COMPGAMMA;Gamma-Kompression TP_WAVELET_COMPGAMMA_TOOLTIP;Das Anpassen des Gammawerts des\nRestbildes ermöglicht das Angleichen\nder Daten und des Histogramms. +TP_WAVELET_COMPLEXLAB;Komplexität +TP_WAVELET_COMPLEX_TOOLTIP;Standard: zeigt eine verringerte Anzahl an Werkzeugen, ausreichend für die meisten Fälle.\nErweitert: zeigt alle Werkzeuge für komplexe Fälle. +TP_WAVELET_COMPNORMAL;Standard TP_WAVELET_COMPTM;Dynamik -TP_WAVELET_CONTEDIT;“Danach“-Kontrastkurve +TP_WAVELET_CONTEDIT;'Danach'-Kontrastkurve +TP_WAVELET_CONTFRAME;Kompression TP_WAVELET_CONTR;Gamut TP_WAVELET_CONTRA;Kontrast +TP_WAVELET_CONTRASTEDIT;Feinere - Grobere Ebenen TP_WAVELET_CONTRAST_MINUS;Kontrast - TP_WAVELET_CONTRAST_PLUS;Kontrast + TP_WAVELET_CONTRA_TOOLTIP;Ändert den Kontrast des Restbildes. -TP_WAVELET_CTYPE;Chrominanzkontrolle +TP_WAVELET_CTYPE;Chrominanz-Kontrolle +TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Deaktiviert wenn Zoom ungefähr > 300% TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Lokaler Kontrast als Funktion des ursprünglichen Kontrasts.\n\nNiedrige Werte: Wenig lokaler Kontrast (Werte zwischen 10 - 20)\n50%: Durchschnittlicher lokaler Kontrast (Werte zwischen 100 - 300)\n66%: Standardabweichung des Lokalen Kontrasts (Werte zwischen 300 - 800)\n100%: Maximaler lokaler Kontrast (Werte zwischen 3000 - 8000)\n TP_WAVELET_CURVEEDITOR_CH;Kontrast = f(H) -TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Kontrast als Funktion des Farbtons.\nAchten Sie darauf, dass Sie die Werte beim\nGamut-Farbton nicht überschreiben\n\nDie Kurve hat nur Auswirkung, wenn die Wavelet-\nKontrastregler nicht auf “0“ stehen. +TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Kontrast als Funktion des Farbtons.\nAchten Sie darauf, dass Sie die Werte beim\nGamut-Farbton nicht überschreiben\n\nDie Kurve hat nur Auswirkung, wenn die Wavelet-\nKontrastregler nicht auf '0' stehen. TP_WAVELET_CURVEEDITOR_CL;L -TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Wendet eine Kontrasthelligkeitskurve\nam Ende der Waveletverarbeitung an. +TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Wendet eine Kontrasthelligkeitskurve\nam Ende der Wavelet-Verarbeitung an. TP_WAVELET_CURVEEDITOR_HH;HH -TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H = f(H). +TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H=f(H). TP_WAVELET_DALL;Alle Richtungen TP_WAVELET_DAUB;Kantenperformance -TP_WAVELET_DAUB2;D2 - niedrig +TP_WAVELET_DAUB2;D2 - Niedrig TP_WAVELET_DAUB4;D4 - Standard TP_WAVELET_DAUB6;D6 - Standard Plus -TP_WAVELET_DAUB10;D10 - mittel -TP_WAVELET_DAUB14;D14 - hoch +TP_WAVELET_DAUB10;D10 - Mittel +TP_WAVELET_DAUB14;D14 - Hoch +TP_WAVELET_DAUBLOCAL;Wavelet Kantenperformance TP_WAVELET_DAUB_TOOLTIP;Ändert den Daubechies-Koeffizienten:\nD4 = Standard\nD14 = Häufig bestes Ergebnis auf Kosten\nvon ca. 10% längerer Verarbeitungszeit.\n\nVerbessert die Kantenerkennung sowie die Qualität\nder ersten Waveletebene. Jedoch hängt die Qualität\nnicht ausschließlich mit diesem Koeffizienten zusammen\nund kann je nach Bild und Einsatz variieren. +TP_WAVELET_DEN5THR;Schwellenwert +TP_WAVELET_DEN12LOW;1 2 Niedrig +TP_WAVELET_DEN12PLUS;1 2 Hoch +TP_WAVELET_DEN14LOW;1 4 Niedrig +TP_WAVELET_DEN14PLUS;1 4 Hoch +TP_WAVELET_DENCONTRAST;Ausgleich Lokaler Kontrast +TP_WAVELET_DENCURV;Kurve +TP_WAVELET_DENEQUAL;1 2 3 4 Ausgleich +TP_WAVELET_DENL;Korrektur Struktur +TP_WAVELET_DENLH;Schwellenwert Ebenen 1-4 +TP_WAVELET_DENLOCAL_TOOLTIP;Verwenden Sie eine Kurve, um die Rauschreduzierung entsprechend dem lokalen Kontrast anzupassen.\nFlächen werden entrauscht, die Strukturen bleiben erhalten. +TP_WAVELET_DENMIX_TOOLTIP;Der vom anpassbaren Filter genutzte Referenzwert für den lokalen Kontrast.\nJe nach Bild können die Ergebnisse variieren, je nachdem, ob das Rauschen vor oder nach der Rauschunterdrückung gemessen wird. Mit diesen vier Auswahlmöglichkeiten können verschiedene Kombinationen von Original- und modifizierten (entrauschten) Bildern berücksichtigt werden, um den besten Kompromiss zu finden. +TP_WAVELET_DENOISE;Kurve auf lokalem Kontrast basierend +TP_WAVELET_DENOISEGUID;Schwellenwert nach Farbton +TP_WAVELET_DENOISEH;Lokaler Kontrast Hochpegel-Kurve +TP_WAVELET_DENOISEHUE;Equalizer Farbton +TP_WAVELET_DENQUA;Modus +TP_WAVELET_DENSIGMA_TOOLTIP;Passt die Form an +TP_WAVELET_DENSLI;Regler +TP_WAVELET_DENSLILAB;Methode +TP_WAVELET_DENWAVGUID_TOOLTIP;Nutzt den Farbton um die Aktion des Filters zu erhöhen oder abzuschwächen. +TP_WAVELET_DENWAVHUE_TOOLTIP;Rauschreduzierung in Abhängigkeit der Farbe. +TP_WAVELET_DETEND;Details +TP_WAVELET_DIRFRAME;Direktionaler Kontrast TP_WAVELET_DONE;Vertikal TP_WAVELET_DTHR;Diagonal TP_WAVELET_DTWO;Horizontal TP_WAVELET_EDCU;Kurve +TP_WAVELET_EDEFFECT;Dämpfungsreaktion +TP_WAVELET_EDEFFECT_TOOLTIP;Dieser Regler wählt den Bereich an Kontrastwerten, auf die sich der volle Effekt aller Anpassungen bezieht. TP_WAVELET_EDGCONT;Lokaler Kontrast TP_WAVELET_EDGCONT_TOOLTIP;Verschieben der Punkte nach links, verringert den Kontrast. Nach rechts wird der Kontrast verstärkt. TP_WAVELET_EDGE;Kantenschärfung TP_WAVELET_EDGEAMPLI;Grundverstärkung -TP_WAVELET_EDGEDETECT;Gradientenempfindlichkeit +TP_WAVELET_EDGEDETECT;Verlaufsempfindlichkeit TP_WAVELET_EDGEDETECTTHR;Schwelle niedrig (Rauschen) TP_WAVELET_EDGEDETECTTHR2;Schwelle hoch (Erkennung) TP_WAVELET_EDGEDETECTTHR_TOOLTIP;Schwelle der Kantenerkennung für feine Details.\nVerhindert die Schärfung von Rauschen. @@ -2248,95 +3999,147 @@ TP_WAVELET_EDGREINF_TOOLTIP;Reduziert oder verstärkt die Kantenschärfung der\n TP_WAVELET_EDGTHRESH;Details TP_WAVELET_EDGTHRESH_TOOLTIP;Verschieben des Reglers nach rechts verstärkt\ndie Kantenschärfung der ersten Waveletebene\nund reduziert sie für die anderen Ebenen.\n\nNegative Werte können zu Artefakten führen. TP_WAVELET_EDRAD;Radius -TP_WAVELET_EDRAD_TOOLTIP;Der Radius unterscheidet sich von dem in\nden üblichen Schärfungswerkzeugen. Der\nWert wird mit jeder Ebene über eine komplexe\nFunktion verglichen. Ein Wert von “0“ zeigt\ndeshalb immer noch eine Auswirkung. +TP_WAVELET_EDRAD_TOOLTIP;Der Radius unterscheidet sich von dem in\nden üblichen Schärfungswerkzeugen. Der\nWert wird mit jeder Ebene über eine komplexe\nFunktion verglichen. Ein Wert von '0' zeigt\ndeshalb immer noch eine Auswirkung. TP_WAVELET_EDSL;Regler TP_WAVELET_EDTYPE;Lokale Kontrastmethode TP_WAVELET_EDVAL;Intensität TP_WAVELET_FINAL;Endretusche +TP_WAVELET_FINCFRAME;Endgültiger Lokaler Kontrast +TP_WAVELET_FINCOAR_TOOLTIP;Der linke (positive) Teil der Kurve wirkt auf die feineren Ebenen (Erhöhung).\nDie 2 Punkte auf der Abszisse repräsentieren die jeweiligen Aktionsgrenzen feinerer und gröberer Ebenen 5 und 6 (default).\nDer rechte (negative) Teil der Kurve wirkt auf die gröberen Ebenen (Erhöhung).\nVermeiden Sie es, den linken Teil der Kurve mit negativen Werten zu verschieben. Vermeiden Sie es, den rechten Teil der Kurve mit positiven Werten zu verschieben. TP_WAVELET_FINEST;Fein -TP_WAVELET_HIGHLIGHT;Lichter-Luminanzbereich -TP_WAVELET_HS1;Gesamter Luminanzbereich +TP_WAVELET_FINTHR_TOOLTIP;Nutzt den lokalen Kontrast um die Wirkung des anpassbaren Filters zu erhöhen oder zu reduzieren. +TP_WAVELET_GUIDFRAME;Finales Glätten (anpassbarer Filter) +TP_WAVELET_HIGHLIGHT;Lichter-Luminanz-Bereich +TP_WAVELET_HS1;Gesamter Luminanz-Bereich TP_WAVELET_HS2;Schatten/Lichter TP_WAVELET_HUESKIN;Hautfarbton TP_WAVELET_HUESKIN_TOOLTIP;Wenn Sie den Bereich signifikant nach Links\noder Rechts verschieben müssen, ist der\nWeißabgleich nicht richtig gewählt.\nWählen Sie den eingeschlossenen Bereich so\neng wie möglich, um den Einfluss auf benachbarte\nFarben zu verhindern. TP_WAVELET_HUESKY;Himmelsfarbton -TP_WAVELET_HUESKY_TOOLTIP;Wenn Sie den Bereich signifikant nach Links\noder Rechts verschieben müssen, ist der\nWeißabgleich nicht richtig gewählt.\nWählen Sie den eingeschlossenen Bereich so\neng wie möglich, um den Einfluss auf benachbarte\nFarben zu verhindern. +TP_WAVELET_HUESKY_TOOLTIP;Wenn Sie den Bereich signifikant nach Links oder Rechts verschieben müssen, oder Artefakte entstehen, ist der Weißabgleich nicht richtig gewählt.\nWählen Sie den eingeschlossenen Bereich so\neng wie möglich, um den Einfluss auf benachbarte\nFarben zu verhindern. TP_WAVELET_ITER;Delta-Kontrastausgleich TP_WAVELET_ITER_TOOLTIP;Links: Erhöht die niedrigen und reduziert die hohen Ebenen.\nRechts: Reduziert die niedrigen und erhöht die hohen Ebenen. TP_WAVELET_LABEL;Wavelet +TP_WAVELET_LABGRID_VALUES;oben(a)=%1\noben(b)=%2\nunten(a)=%3\nunten(b)=%4 TP_WAVELET_LARGEST;Grob TP_WAVELET_LEVCH;Farbe +TP_WAVELET_LEVDEN;Rauschreduzierung Ebenen 5-6 TP_WAVELET_LEVDIR_ALL;Alle Ebenen und Richtungen TP_WAVELET_LEVDIR_INF;Kleiner oder gleich der Ebene TP_WAVELET_LEVDIR_ONE;Diese Ebene TP_WAVELET_LEVDIR_SUP;Über der Ebene +TP_WAVELET_LEVELHIGH;Radius 5-6 +TP_WAVELET_LEVELLOW;Radius 1-4 TP_WAVELET_LEVELS;Anzahl der Ebenen -TP_WAVELET_LEVELS_TOOLTIP;Wählen Sie die Anzahl der Ebenen in die das Bild zerlegt werden soll. Mehr Ebenen benötigen mehr RAM und eine längere Verarbeitungszeit. +TP_WAVELET_LEVELSIGM;Radius +TP_WAVELET_LEVELS_TOOLTIP;Wählen Sie die Anzahl der Ebenen, in die das Bild zerlegt werden soll. Mehr Ebenen benötigen mehr RAM und eine längere Verarbeitungszeit. TP_WAVELET_LEVF;Kontrast -TP_WAVELET_LEVLABEL;Vorschau max. möglicher Ebenen +TP_WAVELET_LEVFOUR;Schwellenwert Rauschminderung Ebenen 5-6 +TP_WAVELET_LEVLABEL;Vorschau max. möglicher Ebenen = %1 TP_WAVELET_LEVONE;Ebene 2 TP_WAVELET_LEVTHRE;Ebene 4 TP_WAVELET_LEVTWO;Ebene 3 TP_WAVELET_LEVZERO;Ebene 1 +TP_WAVELET_LIMDEN;Interaktion Ebenen 5-6 mit Ebenen 1-4 TP_WAVELET_LINKEDG;Mit der Kantenschärfung verbinden TP_WAVELET_LIPST;Erweiterter Algorithmus -TP_WAVELET_LOWLIGHT;Schatten-Luminanzbereich +TP_WAVELET_LOWLIGHT;Schatten-Luminanz-Bereich +TP_WAVELET_LOWTHR_TOOLTIP;Verhindert die Verstärkung feiner Texturen und Rauschen TP_WAVELET_MEDGREINF;Erste Ebene TP_WAVELET_MEDI;Artefakte in blauem Himmel reduzieren TP_WAVELET_MEDILEV;Kantenerkennung -TP_WAVELET_MEDILEV_TOOLTIP;Wenn Sie die Kantenerkennung aktivieren, sollten Sie folgende\nEinstellungen anpassen:\n\n1. Niedrige Kontrastebenen deaktivieren um Artefakte zu vermeiden.\n2. Hohe Werte bei der Gradientenempfindlichkeit einstellen.\n\nSie können die Intensität mit der Wavelet-Rauschreduzierung anpassen. +TP_WAVELET_MEDILEV_TOOLTIP;Wenn Sie die Kantenerkennung aktivieren, sollten Sie folgende\nEinstellungen anpassen:\n\n1. Niedrige Kontrastebenen deaktivieren, um Artefakte zu vermeiden.\n2. Hohe Werte bei der Verlaufsempfindlichkeit einstellen.\n\nSie können die Intensität mit der Wavelet-Rauschreduzierung anpassen. +TP_WAVELET_MERGEC;Chroma zusammenführen +TP_WAVELET_MERGEL;Luma zusammenführen +TP_WAVELET_MIXCONTRAST;Referenz +TP_WAVELET_MIXDENOISE;Rauschreduzierung +TP_WAVELET_MIXMIX;Mix 50% Rauschen - 50% Rauschreduzierung +TP_WAVELET_MIXMIX70;Mix 30% Rauschen - 70% Rauschreduzierung +TP_WAVELET_MIXNOISE;Rauschen TP_WAVELET_NEUTRAL;Neutral TP_WAVELET_NOIS;Rauschreduzierung TP_WAVELET_NOISE;Rauschreduzierung +TP_WAVELET_NOISE_TOOLTIP;Wenn die Helligkeit der Ebene den Wert 50 übersteigt, wird der aggressive Modus angewandt.\nLiegt die Chrominanz grob über 20 wird der aggressive Modus angewandt. TP_WAVELET_NPHIGH;Hoch TP_WAVELET_NPLOW;Niedrig TP_WAVELET_NPNONE;Keine TP_WAVELET_NPTYPE;Benachbarte Pixel TP_WAVELET_NPTYPE_TOOLTIP;Dieser Algorithmus verwendet ein Pixel und acht\nseiner Nachbarn. Sind die Unterschiede gering,\nwerden die Kanten geschärft. -TP_WAVELET_OPACITY;Deckkraft Blau / Gelb +TP_WAVELET_OFFSET_TOOLTIP;Offset ändert das Gleichgewicht zwischen niedrigen und hohen Kontrastdetails.\nHohe Werte verstärken Kontraständerungen zu Details mit höherem Kontrast, während niedrige Werte Kontraständerungen zu Details mit niedrigem Kontrast verstärken.\nDurch Verwendung eines niedrigen Dämpfungsreaktionswerts können Sie auswählen, welche Kontrastwerte aufgewertet werden. +TP_WAVELET_OLDSH;Algorithmus verwendet negative Werte +TP_WAVELET_OPACITY;Deckkraft Blau/Gelb TP_WAVELET_OPACITYW;Kontrastausgleichskurve TP_WAVELET_OPACITYWL;Lokale Kontrastkurve TP_WAVELET_OPACITYWL_TOOLTIP;Wendet eine lokale Kontrastkurve am\nEnde der Wavelet-Verarbeitung an.\n\nLinks stellt den niedrigsten, rechts den\nhöchsten Kontrast dar. TP_WAVELET_PASTEL;Pastellfarben TP_WAVELET_PROC;Verarbeitung +TP_WAVELET_PROTAB;Schutz +TP_WAVELET_QUAAGRES;Aggressiv +TP_WAVELET_QUACONSER;Konservativ +TP_WAVELET_RADIUS;Radius +TP_WAVELET_RANGEAB;Bereich a und b % TP_WAVELET_RE1;Schärfung verstärken TP_WAVELET_RE2;Schärfung normal TP_WAVELET_RE3;Schärfung reduzieren +TP_WAVELET_RESBLUR;Unschärfe Helligkeit +TP_WAVELET_RESBLURC;Unschärfe Buntheit +TP_WAVELET_RESBLUR_TOOLTIP;Deaktiviert, wenn Zoom > 500% TP_WAVELET_RESCHRO;Buntheit TP_WAVELET_RESCON;Schatten TP_WAVELET_RESCONH;Lichter TP_WAVELET_RESID;Restbild TP_WAVELET_SAT;Gesättigte Farben TP_WAVELET_SETTINGS;Einstellungen +TP_WAVELET_SHA;Schärfemaske +TP_WAVELET_SHFRAME;Schatten/Lichter +TP_WAVELET_SHOWMASK;Wavelet 'Maske' anzeigen +TP_WAVELET_SIGM;Radius +TP_WAVELET_SIGMA;Dämpfungsreaktion +TP_WAVELET_SIGMAFIN;Dämpfungsreaktion +TP_WAVELET_SIGMA_TOOLTIP;Der Effekt der Kontrastschieberegler ist bei mittlerem Kontrastdetails stärker und bei hohen und niedrigen Kontrastdetails schwächer.\nMit diesem Schieberegler können Sie steuern, wie schnell der Effekt zu extremen Kontrasten gedämpft wird.\nJe höher der Schieberegler eingestellt ist, desto breiter der Kontrastbereich, der zu einer starken Änderung führt, und desto höher ist das Risiko, Artefakte zu erzeugen.\nJe niedriger er ist, desto mehr wird der Effekt auf einen engen Bereich von Kontrastwerten ausgerichtet. TP_WAVELET_SKIN;Hautfarbtöne schützen TP_WAVELET_SKIN_TOOLTIP;-100: Nur Farben innerhalb des Bereichs werden verändert.\n0: Alle Farben werden gleich behandelt.\n+100: Nur Farben außerhalb des Bereichs werden verändert. TP_WAVELET_SKY;Himmelsfarbtöne schützen TP_WAVELET_SKY_TOOLTIP;-100: Nur Farben innerhalb des Bereichs werden verändert.\n0: Alle Farben werden gleich behandelt.\n+100: Nur Farben außerhalb des Bereichs werden verändert. +TP_WAVELET_SOFTRAD;Radius TP_WAVELET_STREN;Intensität +TP_WAVELET_STREND;Intensität TP_WAVELET_STRENGTH;Intensität TP_WAVELET_SUPE;Extra -TP_WAVELET_THR;Schatten Schwelle +TP_WAVELET_THR;Schwelle Schatten +TP_WAVELET_THRDEN_TOOLTIP;Erzeugt eine abgestufte Kurve, die verwendet wird, um die Rauschreduzierung als Funktion des lokalen Kontrasts zu führen. Die Rauschreduzierung wird gleichmäßig auf Bereiche mit geringem lokalem Kontrast angewendet. Bereiche mit Details (höherer lokaler Kontrast) bleiben erhalten. +TP_WAVELET_THREND;Schwellenwert Lokaler Kontrast TP_WAVELET_THRESHOLD;Lichterebenen TP_WAVELET_THRESHOLD2;Schattenebenen -TP_WAVELET_THRESHOLD2_TOOLTIP;Legt die Ebene der Untergrenze (9 minus Wert)\nfür den Schatten-Luminanzbereich fest. Der\nmaximal mögliche Wert wird vom Wert der Lichter-\nebenen begrenzt.\n\nBeeinflussbare Ebenen: Untergrenze bis Ebene 9 -TP_WAVELET_THRESHOLD_TOOLTIP;Legt die Ebene der Obergrenze für den Lichter\n-Luminanzbereich fest. Der Wert begrenzt die\nmaximal möglichen Schattenebenen.\n\nBeeinflussbare Ebenen: Ebene 1 bis Obergrenze -TP_WAVELET_THRH;Lichter Schwelle +TP_WAVELET_THRESHOLD2_TOOLTIP;Legt die Ebene der Untergrenze (9 minus Wert)\nfür den Schatten-Luminanz-Bereich fest. Der\nmaximal mögliche Wert wird vom Wert der Lichter-\nebenen begrenzt.\n\nBeeinflussbare Ebenen: Untergrenze bis Ebene 9 +TP_WAVELET_THRESHOLD_TOOLTIP;Legt die Ebene der Obergrenze für den\nLichter-Luminanz-Bereich fest. Der Wert begrenzt die\nmaximal möglichen Schattenebenen.\n\nBeeinflussbare Ebenen: Ebene 1 bis Obergrenze +TP_WAVELET_THRH;Schwelle Lichter TP_WAVELET_TILESBIG;Große Kacheln TP_WAVELET_TILESFULL;Ganzes Bild TP_WAVELET_TILESIZE;Kachelgröße TP_WAVELET_TILESLIT;Kleine Kacheln -TP_WAVELET_TILES_TOOLTIP;“Ganzes Bild“ (empfohlen) liefert eine bessere Qualität.\n“Kacheln“ benötigen weniger Speicher und ist nur für\nComputer mit wenig RAM zu empfehlen. +TP_WAVELET_TILES_TOOLTIP;'Ganzes Bild' (empfohlen) liefert eine bessere Qualität.\n'Kacheln' benötigen weniger Speicher und ist nur für Computer mit wenig RAM zu empfehlen. +TP_WAVELET_TMEDGS;Kantenschutz +TP_WAVELET_TMSCALE;Skalieren TP_WAVELET_TMSTRENGTH;Intensität TP_WAVELET_TMSTRENGTH_TOOLTIP;Kontrolliert die Intensität der Dynamik- oder\nKontrastkompression des Restbildes. Ist der\nWert ungleich 0, werden die Intensitäts- und\nGammaregler des Tonwertkorrektur-\nWerkzeugs im Belichtungsreiter deaktiviert. TP_WAVELET_TMTYPE;Kompression TP_WAVELET_TON;Tönung +TP_WAVELET_TONFRAME;Ausgeschlossene Farben +TP_WAVELET_USH;Keine +TP_WAVELET_USHARP;Methode +TP_WAVELET_USH_TOOLTIP;Wenn Sie 'Schärfe-Maske' auswählen, können Sie (in den Einstellungen) eine beliebige Stufe von 1 bis 4 für die Verarbeitung auswählen.\nWenn Sie 'Klarheit' wählen, können Sie (in den Einstellungen) eine Stufe zwischen 5 und Extra wählen. +TP_WAVELET_WAVLOWTHR;Schwellenwert niedriger Kontrast +TP_WAVELET_WAVOFFSET;Versatz TP_WBALANCE_AUTO;Automatisch +TP_WBALANCE_AUTOITCGREEN;Temperaturbezogen +TP_WBALANCE_AUTOOLD;RGB grau +TP_WBALANCE_AUTO_HEADER;Automatisch TP_WBALANCE_CAMERA;Kamera TP_WBALANCE_CLOUDY;Bewölkt TP_WBALANCE_CUSTOM;Benutzerdefiniert TP_WBALANCE_DAYLIGHT;Tageslicht (sonnig) -TP_WBALANCE_EQBLUERED;Blau / Rot-Korrektur -TP_WBALANCE_EQBLUERED_TOOLTIP;Ändert das normale Verhalten des Weißabgleichs durch Änderung\nder Blau / Rot-Korrektur.\n\nDas kann hilfreich sein, wenn die Aufnahmebedingen:\na) weit weg von der Standardbeleuchtung sind (z.B. unter Wasser)\nb) abweichend zu einer Kalibrierung sind.\nc) nicht zum ICC-Profil passen. +TP_WBALANCE_EQBLUERED;Blau/Rot-Korrektur +TP_WBALANCE_EQBLUERED_TOOLTIP;Ändert das normale Verhalten des Weißabgleichs durch Änderung\nder Blau/Rot-Korrektur.\n\nDas kann hilfreich sein, wenn die Aufnahmebedingen:\na) weit weg von der Standardbeleuchtung sind (z.B. unter Wasser)\nb) abweichend zu einer Kalibrierung sind.\nc) nicht zum ICC-Profil passen. TP_WBALANCE_FLASH55;Leica TP_WBALANCE_FLASH60;Standard, Canon, Pentax, Olympus TP_WBALANCE_FLASH65;Nikon, Panasonic, Sony, Minolta @@ -2348,7 +4151,7 @@ TP_WBALANCE_FLUO4;F4 - Warmweiß TP_WBALANCE_FLUO5;F5 - Tageslicht TP_WBALANCE_FLUO6;F6 - Weiß reduziert TP_WBALANCE_FLUO7;F7 - D65 Tageslichtsimulation -TP_WBALANCE_FLUO8;F8 - D50 / Sylvania F40 Design +TP_WBALANCE_FLUO8;F8 - D50 Sylvania F40 Design TP_WBALANCE_FLUO9;F9 - Kaltweiß Deluxe TP_WBALANCE_FLUO10;F10 - Philips TL85 TP_WBALANCE_FLUO11;F11 - Philips TL84 @@ -2372,6 +4175,8 @@ TP_WBALANCE_SOLUX41;Solux 4100K TP_WBALANCE_SOLUX47;Solux 4700K (Vendor) TP_WBALANCE_SOLUX47_NG;Solux 4700K (Nat. Gallery) TP_WBALANCE_SPOTWB;Manuell setzen +TP_WBALANCE_STUDLABEL;Bezugsfaktor: %1 +TP_WBALANCE_STUDLABEL_TOOLTIP;Anzeige des berechneten Bezugsfaktors.\nNiedrigere Werte sind besser, wobei <0,005 ausgezeichnet,\n<0,01 gut und> 0,5 schlecht ist.\nNiedrige Werte bedeuten jedoch nicht automatisch, dass der Weißabgleich gut ist:\nwenn die Lichtquelle nicht eindeutig ist können die Ergebnisse fehlerhaft sein.\nEin Wert von 1000 bedeutet, dass frühere Berechnungen verwendet werden und\ndie Ergebnisse wahrscheinlich gut sind. TP_WBALANCE_TEMPBIAS;AWB-Temperatur-Korrektur TP_WBALANCE_TEMPBIAS_TOOLTIP;Prozentuale Korrektur der Farbtemperatur des automatischen\nWeißabgleichs in Richtung wärmer oder kälter.\nDer Korrekturwert berechnet sich aus:\nAWB-Temperatur + AWB-Temperatur * AWB-Temperatur-Korrektur TP_WBALANCE_TEMPERATURE;Farbtemperatur @@ -2385,15 +4190,4 @@ ZOOMPANEL_ZOOM100;Zoom 100%\nTaste: z ZOOMPANEL_ZOOMFITCROPSCREEN;Ausschnitt an Bildschirm anpassen.\nTaste: f ZOOMPANEL_ZOOMFITSCREEN;An Bildschirm anpassen.\nTaste: Alt + f ZOOMPANEL_ZOOMIN;Hineinzoomen\nTaste: + -ZOOMPANEL_ZOOMOUT;Herauszoomen\nTaste: - - -!!!!!!!!!!!!!!!!!!!!!!!!! -! Untranslated keys follow; remove the ! prefix after an entry is translated. -!!!!!!!!!!!!!!!!!!!!!!!!! - -!GENERAL_HELP;Help -!HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations -!HISTORY_MSG_TRANS_METHOD;Geometry - Method -!TP_LENSGEOM_LIN;Linear -!TP_LENSGEOM_LOG;Logarithmic -!TP_SHARPENING_ITERCHECK;Auto limit iterations +ZOOMPANEL_ZOOMOUT;Herauszoomen\nTaste: - \ No newline at end of file From efbcebb522ea36fd4dde18b811220123003f167c Mon Sep 17 00:00:00 2001 From: Desmis Date: Thu, 25 Aug 2022 14:01:17 +0200 Subject: [PATCH 097/170] Review JzCzHz - Various changes to locallabtools2 - default - french (#6561) * Various changes to locallabtools2 default french * changed to German TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP --- rtdata/languages/Deutsch | 1 + rtdata/languages/Francais | 14 +++++++++----- rtdata/languages/default | 1 + rtgui/locallabtools2.cc | 12 ++++++------ 4 files changed, 17 insertions(+), 11 deletions(-) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 06d4fb4db..aa7057daa 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -3097,6 +3097,7 @@ TP_LOCALLAB_LOG1FRA;CAM16 Bildkorrekturen TP_LOCALLAB_LOG2FRA;Betrachtungsbedingungen TP_LOCALLAB_LOGAUTO;Automatisch TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen, wenn die Schaltfläche 'Automatisch' in 'Relative Belichtungsebenen' gedrückt wird. +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen. TP_LOCALLAB_LOGAUTO_TOOLTIP;Mit Drücken dieser Taste werden der 'Dynamikbereich' und die 'Mittlere Luminanz' für die Szenenbedingungen berechnet, wenn die Option 'Automatische mittlere Luminanz (Yb%)' aktiviert ist.\nBerechnet auch die absolute Luminanz zum Zeitpunkt der Aufnahme.\nDrücken Sie die Taste erneut, um die automatisch berechneten Werte anzupassen. TP_LOCALLAB_LOGBASE_TOOLTIP;Standard = 2.\nWerte unter 2 reduzieren die Wirkung des Algorithmus, wodurch die Schatten dunkler und die Glanzlichter heller werden.\nMit Werten über 2 sind die Schatten grauer und die Glanzlichter werden verwaschener. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Geschätzte Werte des Dynamik-Bereiches d.h. 'Schwarz-Ev' und 'Weiß-Ev' diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index 2f891953f..a165453a6 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -1854,6 +1854,8 @@ TP_LOCALLAB_CIRCRADIUS;Taille Spot TP_LOCALLAB_CIRCRAD_TOOLTIP;Contient les références du RT-spot, utile pour la détection de forme (couleur, luma, chroma, Sobel).\nLes faibles valeurs peuvent être utiles pour les feuillages.\nLes valeurs élevées peuvent être utile pour la peau TP_LOCALLAB_CLARICRES;Fusion Chroma TP_LOCALLAB_CLARIFRA;Clarté & Masque netteté/Fusion & adoucir +TP_LOCALLAB_CLARIJZ_TOOLTIP;En dessous ou égal à 4, 'Masque netteté' est actif.\nAu dessus du niveau ondelettes 5 'Clarté' est actif. +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;Le curseur « Rayon adoucir » (algorithme de filtre guidé) réduit les halos et les irrégularités pour les ondelettes de clarté, de masque net et de contraste local Jz. TP_LOCALLAB_CLARILRES;Fusion Luma TP_LOCALLAB_CLARISOFT;Rayon adoucir TP_LOCALLAB_CLARISOFT_TOOLTIP;Actif pour Clarté et Masque de netteté si différent de zéro.\n\nActif pour toutes les pyramides ondelettes.\nInactif si rayon = 0 @@ -2037,12 +2039,13 @@ TP_LOCALLAB_INVBL_TOOLTIP;Alternative\nPremier Spot:\n image entière - delimite TP_LOCALLAB_INVMASK;Algorithme inverse TP_LOCALLAB_ISOGR;Plus gros (ISO) TP_LOCALLAB_JAB;Utilise Black Ev & White Ev -TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAjuste automatiquement la relation entre Jz et la saturation en tenant compte de la "luminance absolue". TP_LOCALLAB_JZ100;Jz référence 100cd/m2 -TP_LOCALLAB_JZCLARILRES;Mélange Jz -TP_LOCALLAB_JZCLARICRES;Mélange chroma Cz +TP_LOCALLAB_JZCLARILRES;Fusion luma Jz +TP_LOCALLAB_JZCLARICRES;Fusion chroma Cz TP_LOCALLAB_JZFORCE;Force max Jz à 1 TP_LOCALLAB_JZFORCE_TOOLTIP;Vous permet de forcer la valeur Jz maximale à 1 pour une meilleure réponse du curseur et de la courbe +TP_LOCALLAB_JZFRA;Jz Cz Hz Ajustements Image TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (uniquement en mode 'Avancé'). Opérationnel uniquement si le périphérique de sortie (moniteur) est HDR (luminance crête supérieure à 100 cd/m2 - idéalement entre 4000 et 10000 cd/m2. Luminance du point noir inférieure à 0,005 cd/m2). Cela suppose a) que l'ICC-PCS pour l'écran utilise Jzazbz (ou XYZ), b) fonctionne en précision réelle, c) que le moniteur soit calibré (si possible avec un gamut DCI-P3 ou Rec-2020), d) que le gamma habituel (sRGB ou BT709) est remplacé par une fonction Perceptual Quantiser (PQ). TP_LOCALLAB_JZPQFRA;Jz remappage TP_LOCALLAB_JZPQFRA_TOOLTIP;Permet d'adapter l'algorithme Jz à un environnement SDR ou aux caractéristiques (performances) d'un environnement HDR comme suit :\n a) pour des valeurs de luminance comprises entre 0 et 100 cd/m2, le système se comporte comme s'il était dans un environnement SDR .\n b) pour des valeurs de luminance comprises entre 100 et 10000 cd/m2, vous pouvez adapter l'algorithme aux caractéristiques HDR de l'image et du moniteur.\n\nSi "PQ - Peak luminance" est réglé sur 10000, "Jz remappping" se comporte de la même manière que l'algorithme original de Jzazbz. @@ -2066,7 +2069,7 @@ TP_LOCALLAB_JZSOFTCIE;Rayon adoucir (GuidedFilter) TP_LOCALLAB_JZTARGET_EV;Luminance moyenne (Yb%) TP_LOCALLAB_JZSTRSOFTCIE;GuidedFilter Force TP_LOCALLAB_JZQTOJ;Luminance relative -TP_LOCALLAB_JZQTOJ_TOOLTIP;Vous permet d'utiliser "Luminance relative" au lieu de "Luminance absolue" - La luminosité devient Brightness.\nLes changements affectent : le curseur Luminosité, le curseur Contraste et la courbe Jz(Jz). +TP_LOCALLAB_JZQTOJ_TOOLTIP;Vous permet d'utiliser "Luminance relative" au lieu de "Luminance absolue" - Brightness devient Lightness.\nLes changements affectent : le curseur Luminosité, le curseur Contraste et la courbe Jz(Jz). TP_LOCALLAB_JZTHRHCIE;Seuik Chroma pour Jz(Hz) TP_LOCALLAB_JZWAVEXP;Ondelettes Jz TP_LOCALLAB_JZLOG;Log encoding Jz @@ -2075,6 +2078,7 @@ TP_LOCALLAB_LOG1FRA;CAM16 Adjustment Images TP_LOCALLAB_LOG2FRA;Conditions de visionnage TP_LOCALLAB_LOGAUTO;Automatique TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène lorsque le bouton « Automatique » dans les niveaux d'exposition relatifs est enfoncé. +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène. TP_LOCALLAB_LOGAUTO_TOOLTIP;Appuyez sur ce bouton pour calculer la plage dynamique et la « Luminance moyenne » pour les conditions de la scène si la « Luminance moyenne automatique (Yb %) » est cochée).\nCalcule également la luminance absolue au moment de la prise de vue.\nAppuyez à nouveau sur le bouton pour ajuster les valeurs calculées automatiquement. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées du dynamic range entre Black Ev et White Ev @@ -2559,7 +2563,7 @@ TP_LOCALLAB_WAT_BLURLC_TOOLTIP;Par défaut les 3 dimensions de L*a*b* luminance TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Etendue des niveaux d’ondelettes utilisée dans l’ensemble du module “wavelets” TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;Image résiduelle, a le même comportement que l'image principale TP_LOCALLAB_WAT_CLARIL_TOOLTIP;"Fusion luma" est utilisée pour selectionner l'intensité de l'effet désiré sur la luminance. -TP_LOCALLAB_WAT_CLARIC_TOOLTIP;"Fusion chroma" est utilisée pour selectionner l'intensité de l'effet désiré sur la luminance. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;"Fusion chroma" est utilisée pour selectionner l'intensité de l'effet désiré sur la chrominance. TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;"Fusion seulement avec image originale", empêche les actions "Wavelet Pyramid" d'interférer avec "Claté" and "Masque netteté" TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Permet au contraste local de varier en fonction d'un gradient et d'un angle. La variation du signal de la luminance signal est prise en compte et non pas la luminance. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Décalage modifie la balance entre faible contraste et contraste élévé.\nLes hautes valeurs amplifient les changements de contraste pour les détails à contraste élévé, alors que les faibles valeurs vont amplifier les détails à contraste faible .\nEn selectionant des valeurs faibles vous pouvez ainsi sélectionner les zones de contrastes qui seront accentuées. diff --git a/rtdata/languages/default b/rtdata/languages/default index 53911e1c3..e3640c528 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -3004,6 +3004,7 @@ TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments TP_LOCALLAB_LOG2FRA;Viewing Conditions TP_LOCALLAB_LOGAUTO;Automatic TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev diff --git a/rtgui/locallabtools2.cc b/rtgui/locallabtools2.cc index 80f779d09..a2c18ee08 100644 --- a/rtgui/locallabtools2.cc +++ b/rtgui/locallabtools2.cc @@ -7713,7 +7713,7 @@ Locallabcie::Locallabcie(): jz2CurveEditorG->setCurveListener(this); LHshapejz->setIdentityValue(0.); LHshapejz->setResetCurve(FlatCurveType(defSpot.LHcurvejz.at(0)), defSpot.LHcurvejz); - LHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + // LHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); LHshapejz->setCurveColorProvider(this, 3); LHshapejz->setBottomBarBgGradient(six_shape); jz2CurveEditorG->curveListComplete(); @@ -7722,13 +7722,13 @@ Locallabcie::Locallabcie(): CHshapejz->setIdentityValue(0.); CHshapejz->setResetCurve(FlatCurveType(defSpot.CHcurvejz.at(0)), defSpot.CHcurvejz); - CHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + // CHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); CHshapejz->setCurveColorProvider(this, 3); CHshapejz->setBottomBarBgGradient(six_shape); HHshapejz->setIdentityValue(0.); HHshapejz->setResetCurve(FlatCurveType(defSpot.HHcurvejz.at(0)), defSpot.HHcurvejz); - HHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); + // HHshapejz->setTooltip(M("TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP")); HHshapejz->setCurveColorProvider(this, 3); HHshapejz->setBottomBarBgGradient(six_shape); @@ -8186,14 +8186,14 @@ void Locallabcie::updateAdviceTooltips(const bool showTooltips) jz100->set_tooltip_text(M("TP_LOCALLAB_JZ100_TOOLTIP")); pqremap->set_tooltip_text(M("TP_LOCALLAB_JZPQREMAP_TOOLTIP")); pqremapcam16->set_tooltip_text(M("TP_LOCALLAB_CAM16PQREMAP_TOOLTIP")); - Autograycie->set_tooltip_text(M("TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP")); + Autograycie->set_tooltip_text(M("TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP")); sigmalcjz->set_tooltip_text(M("TP_LOCALLAB_WAT_SIGMALC_TOOLTIP")); logjzFrame->set_tooltip_text(M("TP_LOCALLAB_JZLOGWB_TOOLTIP")); blackEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWBS_TOOLTIP")); whiteEvjz->set_tooltip_text(M("TP_LOCALLAB_JZLOGWBS_TOOLTIP")); clariFramejz->set_tooltip_markup(M("TP_LOCALLAB_CLARIJZ_TOOLTIP")); - clarilresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP")); - claricresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP")); + clarilresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARIL_TOOLTIP")); + claricresjz->set_tooltip_text(M("TP_LOCALLAB_WAT_CLARIC_TOOLTIP")); clarisoftjz->set_tooltip_markup(M("TP_LOCALLAB_CLARISOFTJZ_TOOLTIP")); wavshapejz->setTooltip(M("TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP")); LocalcurveEditorwavjz->set_tooltip_markup(M("TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP")); From dfede05312d30ca9894fe5cbdf455761de43f179 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Fri, 26 Aug 2022 01:44:22 -0700 Subject: [PATCH 098/170] Add Castellano language, fix some default language detection (#6547) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Closes #6530 Language file provided by Francisco Lorés and Javier Bartol --- AUTHORS.txt | 1 + rtdata/languages/Espanol (Castellano) | 4119 +++++++++++++++++ .../{Espanol => Espanol (Latin America)} | 0 rtgui/multilangmgr.cc | 34 +- rtgui/options.cc | 3 + 5 files changed, 4142 insertions(+), 15 deletions(-) create mode 100644 rtdata/languages/Espanol (Castellano) rename rtdata/languages/{Espanol => Espanol (Latin America)} (100%) diff --git a/AUTHORS.txt b/AUTHORS.txt index 059bdce17..471bf3da4 100644 --- a/AUTHORS.txt +++ b/AUTHORS.txt @@ -63,6 +63,7 @@ Other contributors (profiles, ideas, mockups, testing, forum activity, translati Lebarhon Karl Loncarek Patrick Lopatto + Francisco Lorés Jie Luo Paul Matthijsse Wim ter Meer diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) new file mode 100644 index 000000000..cb8079042 --- /dev/null +++ b/rtdata/languages/Espanol (Castellano) @@ -0,0 +1,4119 @@ +#01 Español - Castellano +#02 2022-07-22 Francisco Lorés y Javier Bartol, para la versión 5.9 + +ABOUT_TAB_BUILD;Versión +ABOUT_TAB_CREDITS;Reconocimientos +ABOUT_TAB_LICENSE;Licencia +ABOUT_TAB_RELEASENOTES;Notas sobre la versión +ABOUT_TAB_SPLASH;Pantalla inicial +ADJUSTER_RESET_TO_DEFAULT;Clic - restaurar al valor predeterminado.\nCtrl+clic - restaurar al valor inicial. +BATCH_PROCESSING;Revelado por lotes +CURVEEDITOR_AXIS_IN;E: +CURVEEDITOR_AXIS_LEFT_TAN;TI: +CURVEEDITOR_AXIS_OUT;S: +CURVEEDITOR_AXIS_RIGHT_TAN;TD: +CURVEEDITOR_CATMULLROM;Flexible +CURVEEDITOR_CURVE;Curva +CURVEEDITOR_CURVES;Curvas +CURVEEDITOR_CUSTOM;Personalizada +CURVEEDITOR_DARKS;Medios tonos oscuros +CURVEEDITOR_EDITPOINT_HINT;Activa la edición de los valores de entrada/salida de los nodos.\nPara seleccionar un nodo, se hace clic en él con el botón derecho.\nPara anular la selección del nodo, se hace clic con el botón derecho en alguna zona vacía. +CURVEEDITOR_HIGHLIGHTS;Luces +CURVEEDITOR_LIGHTS;Medios tonos claros +CURVEEDITOR_LINEAR;Lineal +CURVEEDITOR_LOADDLGLABEL;Cargar curva... +CURVEEDITOR_MINMAXCPOINTS;Ecualizador +CURVEEDITOR_NURBS;Jaula de control +CURVEEDITOR_PARAMETRIC;Paramétrica +CURVEEDITOR_SAVEDLGLABEL;Guardar curva... +CURVEEDITOR_SHADOWS;Sombras +CURVEEDITOR_TOOLTIPCOPY;Copia la curva actual al portapapeles. +CURVEEDITOR_TOOLTIPLINEAR;Restablece la curva a línea recta. +CURVEEDITOR_TOOLTIPLOAD;Carga una curva desde un archivo. +CURVEEDITOR_TOOLTIPPASTE;Pega la curva desde el portapapeles. +CURVEEDITOR_TOOLTIPSAVE;Guarda la curva actual. +CURVEEDITOR_TYPE;Tipo: +DIRBROWSER_FOLDERS;Carpetas +DONT_SHOW_AGAIN;No volver a mostrar este mensaje. +DYNPROFILEEDITOR_DELETE;Borrar +DYNPROFILEEDITOR_EDIT;Editar +DYNPROFILEEDITOR_EDIT_RULE;Editar la regla del perfil dinámico +DYNPROFILEEDITOR_ENTRY_TOOLTIP;El filtrado no distingue entre mayúsculas y minúsculas.\nPara introducir una expresión regular se utiliza el prefijo «re:». +DYNPROFILEEDITOR_IMGTYPE_ANY;Cualquiera +DYNPROFILEEDITOR_IMGTYPE_HDR;Alto rango dinámico (HDR) +DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift +DYNPROFILEEDITOR_IMGTYPE_STD;Estándar +DYNPROFILEEDITOR_MOVE_DOWN;Mover hacia abajo +DYNPROFILEEDITOR_MOVE_UP;Mover hacia arriba +DYNPROFILEEDITOR_NEW;Nuevo +DYNPROFILEEDITOR_NEW_RULE;Nueva regla de perfil dinámico +DYNPROFILEEDITOR_PROFILE;Perfil de revelado +EDITWINDOW_TITLE;Edición de imagen +EDIT_OBJECT_TOOLTIP;Muestra una retícula auxiliar en la vista previa, que permite ajustar los diferentes parámetros de la herramienta. +EDIT_PIPETTE_TOOLTIP;Para agregar un punto de ajuste a la curva, se mantiene presionada la tecla Ctrl mientras se hace clic con el ratón sobre el lugar deseado de la vista previa.\nPara ajustar el punto, se mantiene presionada la tecla Ctrl mientras se hace clic sobre el área correspondiente de la vista previa, y a continuación se suelta la tecla Ctrl (a no ser que se necesite un control preciso) y se mueve el ratón hacia arriba o hacia abajo, con lo que el punto se moverá arriba o abajo en la curva. +EXIFFILTER_APERTURE;Apertura +EXIFFILTER_CAMERA;Cámara +EXIFFILTER_EXPOSURECOMPENSATION;Compensación de exposición (EV) +EXIFFILTER_FILETYPE;Tipo de archivo +EXIFFILTER_FOCALLEN;Distancia focal +EXIFFILTER_IMAGETYPE;Tipo de imagen +EXIFFILTER_ISO;ISO +EXIFFILTER_LENS;Objetivo +EXIFFILTER_METADATAFILTER;Activar los filtros de metadatos +EXIFFILTER_SHUTTER;Velocidad de obturación +EXIFPANEL_ADDEDIT;Agregar/Editar +EXIFPANEL_ADDEDITHINT;Agrega nuevo atributo o cambia atributo. +EXIFPANEL_ADDTAGDLG_ENTERVALUE;Introducir valor +EXIFPANEL_ADDTAGDLG_SELECTTAG;Seleccionar atributo +EXIFPANEL_ADDTAGDLG_TITLE;Agregar/Editar atributo +EXIFPANEL_KEEP;Conservar +EXIFPANEL_KEEPHINT;Conserva los atributos seleccionados al escribir el archivo. +EXIFPANEL_REMOVE;Borrar +EXIFPANEL_REMOVEHINT;Quita los atributos seleccionados al escribir el archivo. +EXIFPANEL_RESET;Restablecer +EXIFPANEL_RESETALL;Restablecer todo +EXIFPANEL_RESETALLHINT;Restablece todos los atributos a los valores predeterminados. +EXIFPANEL_RESETHINT;Restablece los atributos seleccionados a los valores predeterminados. +EXIFPANEL_SHOWALL;Mostrar todo +EXIFPANEL_SUBDIRECTORY;Subdirectorio +EXPORT_BYPASS;Pasos del revelado que se ignorarán +EXPORT_BYPASS_ALL;Seleccionar / Deseleccionar todo +EXPORT_BYPASS_DEFRINGE;Ignorar «Quitar borde púrpura» +EXPORT_BYPASS_DIRPYRDENOISE;Ignorar «Reducción de ruido» +EXPORT_BYPASS_DIRPYREQUALIZER;Ignorar «Contraste por niveles de detalle» +EXPORT_BYPASS_EQUALIZER;Ignorar «Niveles de ondícula» +EXPORT_BYPASS_RAW_CA;Ignorar «Corrección de aberración cromática [raw]» +EXPORT_BYPASS_RAW_CCSTEPS;Ignorar «Eliminación de colores falsos [raw]» +EXPORT_BYPASS_RAW_DCB_ENHANCE;Ignorar «Pasos de mejora de DCB [raw]» +EXPORT_BYPASS_RAW_DCB_ITERATIONS;Ignorar «Iteraciones de DCB [raw]» +EXPORT_BYPASS_RAW_DF;Ignorar «Foto negra [raw]» +EXPORT_BYPASS_RAW_FF;Ignorar «Imagen de Campo plano [raw]» +EXPORT_BYPASS_RAW_GREENTHRESH;Ignorar «Equilibrado de verdes [raw]» +EXPORT_BYPASS_RAW_LINENOISE;Ignorar «Filtro de ruido de línea [raw]» +EXPORT_BYPASS_RAW_LMMSE_ITERATIONS;Ignorar «Pasos de mejora de LMMSE [raw]» +EXPORT_BYPASS_SHARPENEDGE;Ignorar «Nitidez de bordes» +EXPORT_BYPASS_SHARPENING;Ignorar «Nitidez» +EXPORT_BYPASS_SHARPENMICRO;Ignorar «Microcontraste» +EXPORT_FASTEXPORTOPTIONS;Selección del tipo de Exportacion rápida +EXPORT_INSTRUCTIONS;La Exportación rápida pretende reducir la cantidad de recursos y tiempo necesarios para revelar las fotos.\n\nSe puede escoger entre reducir la imagen y procesarla con todas las herramientas, o procesar sólo con algunas herramientas y después reducir la imagen.\n\nSe recomienda la Exportación rápida cuando la velocidad es prioritaria, generando más rápidamente imágenes de menor resolución, o si se desea cambiar el tamaño de una o muchas imágenes sin modificar sus parámetros de revelado. +EXPORT_MAXHEIGHT;Altura máxima: +EXPORT_MAXWIDTH;Anchura máxima: +EXPORT_PIPELINE;Circuito de revelado +EXPORT_PUTTOQUEUEFAST;Enviar a la cola para exportación rápida +EXPORT_RAW_DMETHOD;Método de desentramado +EXPORT_USE_FAST_PIPELINE;Circuito rápido (cambia el tamaño al principio) +EXPORT_USE_FAST_PIPELINE_TIP;Usa un circuito de revelado que favorece la velocidad a costa de la calidad: el cambio de tamaño de la imagen se realiza lo antes posible, en lugar de hacerlo al final como en el circuito normal.\n\nEl incremento de velocidad puede ser importante, pero probablemente aparecerán artefactos de compresión y se producirá una degradación general de la calidad en el archivo de salida. +EXPORT_USE_NORMAL_PIPELINE;Circuito estándar (cambia el tamaño al final) +EXTPROGTARGET_1;raw +EXTPROGTARGET_2;revelado en la cola +FILEBROWSER_APPLYPROFILE;Aplicar perfil +FILEBROWSER_APPLYPROFILE_PARTIAL;Aplicar perfil (parcialmente) +FILEBROWSER_AUTODARKFRAME;Foto negra automática +FILEBROWSER_AUTOFLATFIELD;Campo plano automático +FILEBROWSER_BROWSEPATHBUTTONHINT;Pulsando este botón se examina la carpeta seleccionada, se vuelve a cargar la carpeta y se aplican las palabras clave de búsqueda. +FILEBROWSER_BROWSEPATHHINT;Aquí se escribe la ruta a examinar.\n\nAtajos de teclado:\nCtrl-o para poner el foco en el campo de texto para la ruta.\nIntro / Ctrl-Intro para examinar la ruta indicada;\nEsc para borrar los cambios.\nMayús-Esc para quitar el foco.\n\nAbreviaturas de rutas:\n~ - carpeta personal del usuario.\n! - carpeta de imágenes del usuario. +FILEBROWSER_CACHE;Caché +FILEBROWSER_CACHECLEARFROMFULL;Borrar todo, incluso los perfiles en caché +FILEBROWSER_CACHECLEARFROMPARTIAL;Borrar todo, excepto los perfiles del caché +FILEBROWSER_CLEARPROFILE;Borrar el perfil +FILEBROWSER_COLORLABEL_TOOLTIP;Etiqueta con un color.\n\nSe puede utilizar el menú desplegable o los atajos de teclado:\nMayús-Ctrl-0 Sin color\nMayús-Ctrl-1 Rojo\nMayús-Ctrl-2 Amarillo\nMayús-Ctrl-3 Verde\nMayús-Ctrl-4 Azul\nMayús-Ctrl-5 Morado +FILEBROWSER_COPYPROFILE;Copiar perfil +FILEBROWSER_CURRENT_NAME;Nombre actual: +FILEBROWSER_DARKFRAME;Foto Negra +FILEBROWSER_DELETEDIALOG_ALL;¿Está seguro de que desea borrar permanentemente los %1 archivos que hay en la papelera? +FILEBROWSER_DELETEDIALOG_HEADER;Confirmación para borrar archivo: +FILEBROWSER_DELETEDIALOG_SELECTED;¿Está seguro de que desea borrar permanentemente los %1 archivos seleccionados? +FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;¿Está seguro de que desea borrar los %1 archivos seleccionados, incluyendo las versiones reveladas en la cola? +FILEBROWSER_EMPTYTRASH;Vaciar la papelera +FILEBROWSER_EMPTYTRASHHINT;Borra definitivamente los archivos de la papelera. +FILEBROWSER_EXTPROGMENU;Abrir con +FILEBROWSER_FLATFIELD;Campo plano +FILEBROWSER_MOVETODARKFDIR;Mover a la carpeta de fotos negras +FILEBROWSER_MOVETOFLATFIELDDIR;Mover a la carpeta de campos planos +FILEBROWSER_NEW_NAME;Nuevo nombre: +FILEBROWSER_OPENDEFAULTVIEWER;Visor de imágenes predeterminado de Windows (revelado en la cola) +FILEBROWSER_PARTIALPASTEPROFILE;Pegar perfil (parcialmente) +FILEBROWSER_PASTEPROFILE;Pegar perfil +FILEBROWSER_POPUPCANCELJOB;Cancelar trabajo +FILEBROWSER_POPUPCOLORLABEL;Etiquetar con un color +FILEBROWSER_POPUPCOLORLABEL0;Etiqueta: Ninguna +FILEBROWSER_POPUPCOLORLABEL1;Etiqueta: Roja +FILEBROWSER_POPUPCOLORLABEL2;Etiqueta: Amarilla +FILEBROWSER_POPUPCOLORLABEL3;Etiqueta: Verde +FILEBROWSER_POPUPCOLORLABEL4;Etiqueta: Azul +FILEBROWSER_POPUPCOLORLABEL5;Etiqueta: Morada +FILEBROWSER_POPUPCOPYTO;Copiar a... +FILEBROWSER_POPUPFILEOPERATIONS;Operaciones con archivos +FILEBROWSER_POPUPINSPECT;Inspeccionar +FILEBROWSER_POPUPMOVEEND;Mover al final de la cola +FILEBROWSER_POPUPMOVEHEAD;Mover al inicio de la cola +FILEBROWSER_POPUPMOVETO;Mover a... +FILEBROWSER_POPUPOPEN;Abrir +FILEBROWSER_POPUPOPENINEDITOR;Abrir en el Editor +FILEBROWSER_POPUPPROCESS;Enviar la imagen a la cola +FILEBROWSER_POPUPPROCESSFAST;Enviar a la cola (Exportación rápida) +FILEBROWSER_POPUPPROFILEOPERATIONS;Operaciones con perfiles de revelado +FILEBROWSER_POPUPRANK;Asignar rango +FILEBROWSER_POPUPRANK0;Sin rango +FILEBROWSER_POPUPRANK1;Rango 1 * +FILEBROWSER_POPUPRANK2;Rango 2 ** +FILEBROWSER_POPUPRANK3;Rango 3 *** +FILEBROWSER_POPUPRANK4;Rango 4 **** +FILEBROWSER_POPUPRANK5;Rango 5 ***** +FILEBROWSER_POPUPREMOVE;Borrar permanentemente +FILEBROWSER_POPUPREMOVEINCLPROC;Borrar (incluyendo los ficheros generados por la cola) +FILEBROWSER_POPUPRENAME;Renombrar +FILEBROWSER_POPUPSELECTALL;Seleccionar todo +FILEBROWSER_POPUPTRASH;Mover la imagen a la papelera +FILEBROWSER_POPUPUNRANK;Quitar el rango +FILEBROWSER_POPUPUNTRASH;Sacar de la papelera +FILEBROWSER_QUERYBUTTONHINT;Borrar la búsqueda +FILEBROWSER_QUERYHINT;Aquí se escriben los nombres de archivo que se desea buscar. También se puede indicar sólo una parte del nombre del archivo. Los términos de la búsqueda se separan mediante comas (por ej.1001,1004,1199)\nLos términos de búsqueda no deseados se pueden excluir añadiendo el prefijo !=\npor ej. !=1001,1004,1199\n\nAtajos de teclado:\nCtrl-f - lleva el foco al cuadro de texto Buscar:\nIntro - realiza la búsqueda,\nEsc - borra el cuadro de texto Buscar:\nMayús-Esc - quita el foco del cuadro de texto Buscar:. +FILEBROWSER_QUERYLABEL;Buscar: +FILEBROWSER_RANK1_TOOLTIP;Rango 1 *\nAtajo de teclado: Mayús-1 +FILEBROWSER_RANK2_TOOLTIP;Rango 2 **\nAtajo de teclado: Mayús-2 +FILEBROWSER_RANK3_TOOLTIP;Rango 3 ***\nAtajo de teclado: Mayús-3 +FILEBROWSER_RANK4_TOOLTIP;Rango 4 ****\nAtajo de teclado: Mayús-4 +FILEBROWSER_RANK5_TOOLTIP;Rango 5 *****\nAtajo de teclado: Mayús-5 +FILEBROWSER_RENAMEDLGLABEL;Renombrar el archivo +FILEBROWSER_RESETDEFAULTPROFILE;Restablecer el perfil a los valores predeterminados +FILEBROWSER_SELECTDARKFRAME;Seleccionar Foto Negra... +FILEBROWSER_SELECTFLATFIELD;Seleccionar Campo Plano... +FILEBROWSER_SHOWCOLORLABEL1HINT;Muestra imágenes etiquetadas con color rojo.\nAtajo de teclado: Alt-1 +FILEBROWSER_SHOWCOLORLABEL2HINT;Muestra imágenes etiquetadas con color amarillo.\nAtajo de teclado: Alt-2 +FILEBROWSER_SHOWCOLORLABEL3HINT;Muestra imágenes etiquetadas con color verde.\nAtajo de teclado: Alt-3 +FILEBROWSER_SHOWCOLORLABEL4HINT;Muestra imágenes etiquetadas con color azul.\nAtajo de teclado: Alt-4 +FILEBROWSER_SHOWCOLORLABEL5HINT;Muestra imágenes etiquetadas con color morado.\nAtajo de teclado: Alt-5 +FILEBROWSER_SHOWDIRHINT;Quita todos los filtros.\nAtajo de teclado: d +FILEBROWSER_SHOWEDITEDHINT;Muestra las imágenes editadas.\nAtajo de teclado: 7 +FILEBROWSER_SHOWEDITEDNOTHINT;Muestra las imágenes no editadas.\nAtajo de teclado: 6 +FILEBROWSER_SHOWEXIFINFO;Muestra los datos Exif.\n\nAtajos de teclado:\ni - Modo de Editor de pestañas múltiples,\nAlt-i - Modo de Editor de pestaña única. +FILEBROWSER_SHOWNOTTRASHHINT;Muestra sólo las imágenes no borradas. +FILEBROWSER_SHOWORIGINALHINT;Muestra sólo las imágenes originales.\n\nCuando existen varias imágenes con el mismo nombre de archivo pero con diferentes extensiones, la que se considera original es aquella cuya extensión está más cerca de la parte superior de la lista de extensiones analizadas en Preferencias > Navegador de archivos > Extensiones analizadas. +FILEBROWSER_SHOWRANK1HINT;Muestra las imágenes con 1 estrella.\nAtajo de teclado: 1 +FILEBROWSER_SHOWRANK2HINT;Muestra las imágenes con 2 estrellas.\nAtajo de teclado: 2 +FILEBROWSER_SHOWRANK3HINT;Muestra las imágenes con 3 estrellas.\nAtajo de teclado: 3 +FILEBROWSER_SHOWRANK4HINT;Muestra las imágenes con 4 estrellas.\nAtajo de teclado: 4 +FILEBROWSER_SHOWRANK5HINT;Muestra las imágenes con 5 estrellas.\nAtajo de teclado: 5 +FILEBROWSER_SHOWRECENTLYSAVEDHINT;Muestra las imágenes guardadas recientemente.\nAtajo de teclado: Alt-7 +FILEBROWSER_SHOWRECENTLYSAVEDNOTHINT;Muestra las imágenes que no se han guardado recientemente.\nAtajo de teclado: Alt-6 +FILEBROWSER_SHOWTRASHHINT;Muestra el contenido de la papelera.\nAtajo de teclado: Ctrl-t +FILEBROWSER_SHOWUNCOLORHINT;Muestra las imágenes sin etiqueta de color.\nAtajo de teclado: Alt-0 +FILEBROWSER_SHOWUNRANKHINT;Muestra las imágenes sin rango.\nAtajo de teclado: 0 +FILEBROWSER_THUMBSIZE;Tamaño de las miniaturas +FILEBROWSER_UNRANK_TOOLTIP;Borra el rango.\nAtajo de teclado:May - 0 +FILEBROWSER_ZOOMINHINT;Aumenta las miniaturas.\nAtajos de teclado:\n+ - Modo de Editor de pestañas múltiples,\nAlt-+ - Modo de Editor de Pestaña Única +FILEBROWSER_ZOOMOUTHINT;Reduce las miniaturas.\nAtajos de teclado:\n- - Modo de Editor de pestañas múltiples,\nAlt-- - Modo de Editor de pestaña única +FILECHOOSER_FILTER_ANY;Todos los archivos +FILECHOOSER_FILTER_COLPROF;Perfiles de color (*.icc) +FILECHOOSER_FILTER_CURVE;Archivos de curva +FILECHOOSER_FILTER_LCP;Perfiles de corrección de objetivos +FILECHOOSER_FILTER_PP;Perfiles de revelado +FILECHOOSER_FILTER_SAME;El mismo formato que la foto actual +FILECHOOSER_FILTER_TIFF;Archivos TIFF +GENERAL_ABOUT;Acerca de +GENERAL_AFTER;Después +GENERAL_APPLY;Aplicar +GENERAL_ASIMAGE;Como la imagen +GENERAL_AUTO;Automático +GENERAL_BEFORE;Antes +GENERAL_CANCEL;Cancelar +GENERAL_CLOSE;Cerrar +GENERAL_CURRENT;Actual +GENERAL_DELETE_ALL;Borrar todo +GENERAL_DISABLE;Desactivar +GENERAL_DISABLED;Desactivado +GENERAL_EDIT;Editar +GENERAL_ENABLE;Activar +GENERAL_ENABLED;Activado +GENERAL_FILE;Archivo +GENERAL_HELP;Ayuda +GENERAL_LANDSCAPE;Apaisado +GENERAL_NA;n/d +GENERAL_NO;No +GENERAL_NONE;Ninguno +GENERAL_OK;Aceptar +GENERAL_OPEN;Abrir +GENERAL_PORTRAIT;Vertical +GENERAL_RESET;Reiniciar +GENERAL_SAVE;Guardar +GENERAL_SAVE_AS;Guardar como... +GENERAL_SLIDER;Deslizador +GENERAL_UNCHANGED;(Sin cambios) +GENERAL_WARNING;Advertencia +GIMP_PLUGIN_INFO;¡Bienvenido al módulo para GIMP de RawTherapee!\nCuando haya terminado de editar, simplemente cierre la aplicación RawTherapee y la imagen se abrirá automáticamente en GIMP. +HISTOGRAM_TOOLTIP_B;Muestra/oculta el canal azul en el histograma. +HISTOGRAM_TOOLTIP_BAR;Muestra/oculta la barra indicadora RGB. +HISTOGRAM_TOOLTIP_CHRO;Muestra/oculta el histograma de cromaticidad. +HISTOGRAM_TOOLTIP_CROSSHAIR;Muestra/oculta el indicador en cruz. +HISTOGRAM_TOOLTIP_G;Muestra/oculta el canal verde en el histograma. +HISTOGRAM_TOOLTIP_L;Muestra/oculta el histograma de luminancia CIELAB. +HISTOGRAM_TOOLTIP_MODE;Cambia entre la escala lineal, la logarítmica-lineal y la escala logarítmica (o doble logarítmica) del histograma. +HISTOGRAM_TOOLTIP_R;Muestra/oculta el canal rojo en el histograma. +HISTOGRAM_TOOLTIP_RAW;Muestra/oculta el histograma raw. +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Muestra/oculta opciones adicionales. +HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Ajusta el brillo del vectorscopio. +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histograma +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Histograma raw +HISTOGRAM_TOOLTIP_TYPE_PARADE;Analizador en forma de onda por canales +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Vectorscopio de matiz-cromaticidad +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Vectorscopio de matiz-saturación +HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Analizador en forma de onda +HISTORY_CHANGED;Modificado +HISTORY_CUSTOMCURVE;Curva personalizada +HISTORY_FROMCLIPBOARD;Desde el portapapeles +HISTORY_LABEL;Historial +HISTORY_MSG_1;Foto sin modificar +HISTORY_MSG_3;Perfil cambiado +HISTORY_MSG_4;Navegar por el historial +HISTORY_MSG_5;Exposición - Claridad +HISTORY_MSG_6;Exposición - Contraste +HISTORY_MSG_7;Exposición - Negro +HISTORY_MSG_8;Exposición - Compensación de exposición +HISTORY_MSG_9;Exposición - Compresión de luces +HISTORY_MSG_10;Exposición - Compresión de sombras +HISTORY_MSG_11;Exposición - Curva tonal 1 +HISTORY_MSG_12;Exposición - Niveles automáticos +HISTORY_MSG_13;Exposición - Tonos recortados +HISTORY_MSG_14;L*a*b* - Claridad +HISTORY_MSG_15;L*a*b* - Contraste +HISTORY_MSG_19;L*a*b* - Curva L* +HISTORY_MSG_20;Nitidez +HISTORY_MSG_21;Máscara de nitidez - Radio +HISTORY_MSG_22;Máscara de nitidez - Cantidad +HISTORY_MSG_23;Máscara de nitidez - Umbral +HISTORY_MSG_24;Máscara de nitidez - Nitidez sólo en bordes +HISTORY_MSG_25;Máscara de nitidez - Radio de detección de bordes +HISTORY_MSG_26;Máscara de nitidez - Tolerancia de bordes +HISTORY_MSG_27;Máscara de nitidez - Control de halo +HISTORY_MSG_28;Máscara de nitidez - Intensidad del control de halo +HISTORY_MSG_29;Nitidez - Método +HISTORY_MSG_30;Deconvolución RL - Radio +HISTORY_MSG_31;Deconvolución RL - Cantidad +HISTORY_MSG_32;Deconvolución RL - Amortiguación +HISTORY_MSG_33;Deconvolución RL - Iteraciones +HISTORY_MSG_34;Corrección de objetivo - Distorsión +HISTORY_MSG_35;Corrección de objetivo - Viñeteo +HISTORY_MSG_36;Corrección de objetivo - Aberración cromática +HISTORY_MSG_37;Exposición - Niveles automáticos +HISTORY_MSG_38;Balance de blancos - Método +HISTORY_MSG_39;Balance de blancos - Temperatura de color +HISTORY_MSG_40;Balance de blancos - Tinte (dominante de color) +HISTORY_MSG_41;Exposición - Modo de la curva tonal 1 +HISTORY_MSG_42;Exposición - Curva tonal 2 +HISTORY_MSG_43;Exposición - Modo de la curva tonal 2 +HISTORY_MSG_48;DCP - Curva tonal +HISTORY_MSG_49;Iluminante DCP +HISTORY_MSG_50;Sombras/Luces +HISTORY_MSG_51;Sombras/Luces - Luces +HISTORY_MSG_52;Sombras/Luces - Sombras +HISTORY_MSG_53;Sombras/Luces - Amplitud tonal de luces +HISTORY_MSG_54;Sombras/Luces - Amplitud tonal de las sombras +HISTORY_MSG_56;Sombras/Luces - Radio +HISTORY_MSG_57;Rotación imprecisa +HISTORY_MSG_58;Volteo horizontal +HISTORY_MSG_59;Volteo vertical +HISTORY_MSG_60;Rotación +HISTORY_MSG_61;Relleno automático +HISTORY_MSG_62;Corrección de distorsión +HISTORY_MSG_63;Instantánea seleccionada +HISTORY_MSG_64;Recortar +HISTORY_MSG_65;Corrección de aberraciones cromáticas +HISTORY_MSG_66;Exposición - Reconstrucción de luces +HISTORY_MSG_68;Exposición - Método de Reconstrucción de luces +HISTORY_MSG_69;Espacio de color de trabajo +HISTORY_MSG_70;Espacio de color de salida +HISTORY_MSG_71;Espacio de color de entrada +HISTORY_MSG_72;Corrección de viñeteo - Cantidad +HISTORY_MSG_73;Mezclador de canal +HISTORY_MSG_74;Cambio de tamaño - Escala +HISTORY_MSG_75;Cambio de tamaño - Método +HISTORY_MSG_76;Metadatos Exif +HISTORY_MSG_77;Metadatos IPTC +HISTORY_MSG_79;Cambio de tamaño - Anchura +HISTORY_MSG_80;Cambio de tamaño - Altura +HISTORY_MSG_81;Cambio de tamaño +HISTORY_MSG_82;Perfil con cambios +HISTORY_MSG_84;Corrección de perspectiva +HISTORY_MSG_85;Corrección de objetivo - archivo LCP +HISTORY_MSG_86;Curvas RGB - Modo de luminosidad +HISTORY_MSG_87;Reducción de ruido impulsivo +HISTORY_MSG_88;Reducción de ruido impulsivo - Umbral +HISTORY_MSG_89;Reducción de ruido +HISTORY_MSG_90;Reducción de ruido - Luminancia +HISTORY_MSG_91;Reducción de ruido - Maestro de cromaticidad +HISTORY_MSG_92;Reducción de ruido - Gamma +HISTORY_MSG_93;Contraste por niveles de detalle - Valor +HISTORY_MSG_94;Contraste por niveles de detalle +HISTORY_MSG_95;L*a*b* - Cromaticidad +HISTORY_MSG_96;L*a*b* - Curva «a*» +HISTORY_MSG_97;L*a*b* - Curva «b*» +HISTORY_MSG_98;Método de desentramado +HISTORY_MSG_99;Filtro de píxel «caliente» +HISTORY_MSG_100;Exposición - Saturación +HISTORY_MSG_101;Ecualizador HSV - Matiz +HISTORY_MSG_102;Ecualizador HSV - Saturación +HISTORY_MSG_103;Ecualizador HSV - Valor +HISTORY_MSG_104;Ecualizador HSV +HISTORY_MSG_105;Quitar borde púrpura +HISTORY_MSG_106;Quitar borde púrpura - Radio +HISTORY_MSG_107;Quitar borde púrpura - Umbral +HISTORY_MSG_108;Exposición - Umbral de compresión de luces +HISTORY_MSG_109;Cambio de tamaño - Rectángulo límite +HISTORY_MSG_110;Cambio de tamaño - Aplicado a +HISTORY_MSG_111;L*a*b* - Evitar el cambio de color +HISTORY_MSG_112;--Sin Uso-- +HISTORY_MSG_113;L*a*b* - Protección de rojos y color de piel +HISTORY_MSG_114;Iteraciones DCB +HISTORY_MSG_115;Supresión de color falso +HISTORY_MSG_116;Mejora de DCB +HISTORY_MSG_117;Corrección de aberraciones cromáticas en raw - Rojo +HISTORY_MSG_118;Corrección de aberraciones cromáticas en raw - Azul +HISTORY_MSG_119;Filtro de ruido de línea +HISTORY_MSG_120;Equilibrado de verdes +HISTORY_MSG_121;Corrección de aberraciones cromáticas en raw - Automática +HISTORY_MSG_122;Foto Negra - Selección automática +HISTORY_MSG_123;Foto Negra - Archivo +HISTORY_MSG_124;Corrección del punto blanco +HISTORY_MSG_126;Campo plano - Archivo +HISTORY_MSG_127;Campo plano - Selección automática +HISTORY_MSG_128;Campo plano - Radio de difuminado +HISTORY_MSG_129;Campo plano - Tipo de difuminado +HISTORY_MSG_130;Corrección automática de distorsión +HISTORY_MSG_137;Nivel de punto negro - Verde 1 +HISTORY_MSG_138;Nivel de punto negro - Rojo +HISTORY_MSG_139;Nivel de punto negro - Azul +HISTORY_MSG_140;Nivel de punto negro - Verde 2 +HISTORY_MSG_141;Nivel de punto negro - Vincular verdes +HISTORY_MSG_142;Nitidez de bordes - Iteraciones +HISTORY_MSG_143;Nitidez de bordes - Cantidad +HISTORY_MSG_144;Microcontraste - Cantidad +HISTORY_MSG_145;Microcontraste - Uniformidad +HISTORY_MSG_146;Nitidez de bordes +HISTORY_MSG_147;Nitidez de bordes - Sólo luminancia +HISTORY_MSG_148;Microcontraste +HISTORY_MSG_149;Microcontraste - Matriz de 3×3 +HISTORY_MSG_150;Reducción de artefactos/ruido tras el desentramado +HISTORY_MSG_151;Vivacidad +HISTORY_MSG_152;Vivacidad - Tonos pastel +HISTORY_MSG_153;Vivacidad - Tonos saturados +HISTORY_MSG_154;Vivacidad - Protección de tonos de piel +HISTORY_MSG_155;Vivacidad - Evitar cambio de tono +HISTORY_MSG_156;Vivacidad - Vincular tonos pastel/saturados +HISTORY_MSG_157;Vivacidad - Umbral de tonos pastel/saturados +HISTORY_MSG_158;Mapeo tonal - Intensidad +HISTORY_MSG_159;Mapeo tonal - Detección de bordes +HISTORY_MSG_160;Mapeo tonal - Escala +HISTORY_MSG_161;Mapeo tonal - Iteraciones de reponderación +HISTORY_MSG_162;Mapeo tonal +HISTORY_MSG_163;Curvas RGB - Rojo +HISTORY_MSG_164;Curvas RGB - Verde +HISTORY_MSG_165;Curvas RGB - Azul +HISTORY_MSG_166;Exposición - Reiniciar +HISTORY_MSG_167;Método de desentramado +HISTORY_MSG_168;L*a*b* - curva CC +HISTORY_MSG_169;L*a*b* - curva CH +HISTORY_MSG_170;Vivacidad - curva HH +HISTORY_MSG_171;L*a*b* - curva LC +HISTORY_MSG_172;L*a*b* - Restringir curva LC +HISTORY_MSG_173;Reducción de ruido - Reconstrucción de detalle +HISTORY_MSG_174;CIECAM02/16 +HISTORY_MSG_175;CIECAM02/16 - Adaptación CAT02 +HISTORY_MSG_176;CIECAM02/16 - Contexto visual +HISTORY_MSG_177;CIECAM02/16 - Luminosidad de la escena +HISTORY_MSG_178;CIECAM02/16 - Luminosidad ambiental +HISTORY_MSG_179;CIECAM02/16 - Modelo de punto blanco +HISTORY_MSG_180;CIECAM02/16 - Claridad (J) +HISTORY_MSG_181;CIECAM02/16 - Cromaticidad (C) +HISTORY_MSG_182;CIECAM02/16 - CAT02 automático +HISTORY_MSG_183;CIECAM02/16 - Contraste (J) +HISTORY_MSG_184;CIECAM02/16 - Contexto de la escena +HISTORY_MSG_185;CIECAM02/16 - Control del rango de colores +HISTORY_MSG_186;CIECAM02/16 - Algoritmo +HISTORY_MSG_187;CIECAM02/16 - Protección de rojos/piel +HISTORY_MSG_188;CIECAM02/16 - Brillo (Q) +HISTORY_MSG_189;CIECAM02/16 - Contraste (Q) +HISTORY_MSG_190;CIECAM02/16 - Saturación (S) +HISTORY_MSG_191;CIECAM02/16 - Colorido (M) +HISTORY_MSG_192;CIECAM02/16 - Matiz (h) +HISTORY_MSG_193;CIECAM02/16 - Curva tonal 1 +HISTORY_MSG_194;CIECAM02/16 - Curva tonal 2 +HISTORY_MSG_195;CIECAM02/16 - Curva tonal 1 +HISTORY_MSG_196;CIECAM02/16 - Curva tonal 2 +HISTORY_MSG_197;CIECAM02/16 - Curva de color +HISTORY_MSG_198;CIECAM02/16 - Curva de color +HISTORY_MSG_199;CIECAM02/16 - Histogramas de salida +HISTORY_MSG_200;CIECAM02/16 - Mapeo tonal +HISTORY_MSG_201;Reducción de ruido - Cromaticidad R/V +HISTORY_MSG_202;Reducción de ruido - Cromaticidad A/Am +HISTORY_MSG_203;Reducción de ruido - Espacio de color +HISTORY_MSG_204;Pasos de mejora de LMMSE +HISTORY_MSG_205;CAT02/16 - Filtro de píxel caliente/muerto +HISTORY_MSG_206;CAT02/16 - Luminosidad automática de la escena +HISTORY_MSG_207;Quitar borde púrpura - Curva de matiz +HISTORY_MSG_208;Balance de blancos - Compensador azul/rojo +HISTORY_MSG_210;Filtro graduado - Ángulo +HISTORY_MSG_211;Filtro graduado +HISTORY_MSG_212;Filtro de viñeteo - Intensidad +HISTORY_MSG_213;Filtro de viñeteo +HISTORY_MSG_214;Blanco y negro +HISTORY_MSG_215;B/N - Mezclador de canales Rojo +HISTORY_MSG_216;B/N - Mezclador de canales Verde +HISTORY_MSG_217;B/N - Mezclador de canales Azul +HISTORY_MSG_218;B/N - Gamma Rojo +HISTORY_MSG_219;B/N - Gamma Verde +HISTORY_MSG_220;B/N - Gamma Azul +HISTORY_MSG_221;B/N - Filtro de color +HISTORY_MSG_222;B/N - Ajustes preestablecidos +HISTORY_MSG_223;B/N - Mezclador de canales Naranja +HISTORY_MSG_224;B/N - Mezclador de canales Amarillo +HISTORY_MSG_225;B/N - Mezclador de canales Cian +HISTORY_MSG_226;B/N - Mezclador de canales Magenta +HISTORY_MSG_227;B/N - Mezclador de canales Púrpura +HISTORY_MSG_228;B/N - Compensador de luminancia +HISTORY_MSG_229;B/N - Ajustar color complementario +HISTORY_MSG_230;B/N - Modo +HISTORY_MSG_231;B/N - Curva «Antes» +HISTORY_MSG_232;B/N - Tipo de curva «Antes» +HISTORY_MSG_233;B/N - Curva «Después» +HISTORY_MSG_234;B/N - Tipo de curva «Después» +HISTORY_MSG_235;B/N - Mezclador de canales Automático +HISTORY_MSG_236;--Sin uso-- +HISTORY_MSG_237;B/N - Mezclador de canales +HISTORY_MSG_238;Filtro graduado - Ancho gradiente +HISTORY_MSG_239;Filtro graduado - Intensidad +HISTORY_MSG_240;Filtro graduado - Centro +HISTORY_MSG_241;Filtro de viñeteo - Ancho gradiente +HISTORY_MSG_242;Filtro de viñeteo - Redondez +HISTORY_MSG_243;Corrección de Viñeteo - Radio +HISTORY_MSG_244;Corrección de Viñeteo - Intensidad +HISTORY_MSG_245;Corrección de Viñeteo - Centro +HISTORY_MSG_246;L*a*b* - Curva CL +HISTORY_MSG_247;L*a*b* - Curva LH +HISTORY_MSG_248;L*a*b* - Curva HH +HISTORY_MSG_249;Contraste por niveles de detalle - Umbral +HISTORY_MSG_251;B/N - Algoritmo +HISTORY_MSG_252;Contraste por niveles de detalle - Selección/protección de piel +HISTORY_MSG_253;Contraste por niveles de detalle - Reducción de artefactos +HISTORY_MSG_254;Contraste por niveles de detalle - Matiz de la piel +HISTORY_MSG_255;Reducción de ruido - Filtro de mediana +HISTORY_MSG_256;Reducción de ruido - Tipo de mediana +HISTORY_MSG_257;Virado de color +HISTORY_MSG_258;Virado de color - Curva de color +HISTORY_MSG_259;Virado de color - Curva de opacidad +HISTORY_MSG_260;Virado de color - Opacidad a*[b*] +HISTORY_MSG_261;Virado de color - Método +HISTORY_MSG_262;Virado de color - Opacidad b* +HISTORY_MSG_263;Virado de color - Sombras Rojo +HISTORY_MSG_264;Virado de color - Sombras Verde +HISTORY_MSG_265;Virado de color - Sombras Azul +HISTORY_MSG_266;Virado de color - Medios Rojo +HISTORY_MSG_267;Virado de color - Medios Verde +HISTORY_MSG_268;Virado de color - Medios Azul +HISTORY_MSG_269;Virado de color - Luces Rojo +HISTORY_MSG_270;Virado de color - Luces Verde +HISTORY_MSG_271;Virado de color - Luces Azul +HISTORY_MSG_272;Virado de color - Balance +HISTORY_MSG_273;Virado de color - Balance de color SMAL +HISTORY_MSG_276;Virado de color - Opacidad +HISTORY_MSG_277;--no usado-- +HISTORY_MSG_278;Virado de color - Conservar luminancia +HISTORY_MSG_279;Virado de color - Sombras +HISTORY_MSG_280;Virado de color - Luces +HISTORY_MSG_281;Virado de color - Intensidad de saturación +HISTORY_MSG_282;Virado de color - Umbral de saturación +HISTORY_MSG_283;Virado de color - Intensidad +HISTORY_MSG_284;Virado de color - Protección automática de saturación +HISTORY_MSG_285;Reducción de ruido - Mediana Método +HISTORY_MSG_286;Reducción de ruido - Mediana Tipo +HISTORY_MSG_287;Reducción de ruido - Mediana Iteraciones +HISTORY_MSG_288;Campo plano - Control de sobreexposición +HISTORY_MSG_289;Campo plano - Control de sobreexposición automático +HISTORY_MSG_290;Nivel de punto negro - Rojo +HISTORY_MSG_291;Nivel de punto negro - Verde +HISTORY_MSG_292;Nivel de punto negro - Azul +HISTORY_MSG_293;Simulación de película fotográfica +HISTORY_MSG_294;Simulación de película fotográfica - Intensidad +HISTORY_MSG_295;Simulación de película fotográfica - Película +HISTORY_MSG_296;Reducción de ruido - Curva de luminancia +HISTORY_MSG_297;Reducción de ruido - Modo +HISTORY_MSG_298;Filtro de píxel muerto +HISTORY_MSG_299;Reducción de ruido - Curva de cromaticidad +HISTORY_MSG_301;Reducción de ruido - Control de luminancia +HISTORY_MSG_302;Reducción de ruido - Método de cromaticidad +HISTORY_MSG_303;Reducción de ruido - Método de cromaticidad +HISTORY_MSG_304;Ondículas - Niveles de contraste +HISTORY_MSG_305;Niveles de ondícula +HISTORY_MSG_306;Ondículas - Proceso +HISTORY_MSG_307;Ondículas - Proceso +HISTORY_MSG_308;Ondículas - Dirección del proceso +HISTORY_MSG_309;Ondículas - Nitidez de bordes Detalle +HISTORY_MSG_310;Ondículas - Residual Selección/protección cielo +HISTORY_MSG_311;Ondículas - Niveles de ondícula +HISTORY_MSG_312;Ondículas - Residual Umbral de sombras +HISTORY_MSG_313;Ondículas - Cromaticidad Saturado/pastel +HISTORY_MSG_314;Ondículas - Rango de colores Reducción de artefactos +HISTORY_MSG_315;Ondículas - Residual Contraste +HISTORY_MSG_316;Ondículas - Rango de colores Selección/protección de piel +HISTORY_MSG_317;Ondículas - Rango de colores Tono de piel +HISTORY_MSG_318;Ondículas - Contraste Niveles más finos +HISTORY_MSG_319;Ondículas - Contraste Rango más fino +HISTORY_MSG_320;Ondículas - Contraste Rango más grueso +HISTORY_MSG_321;Ondículas - Contraste Niveles más gruesos +HISTORY_MSG_322;Ondículas - Rango de colores Evitar cambio de color +HISTORY_MSG_323;Ondículas - Nitidez de bordes Contraste local +HISTORY_MSG_324;Ondículas - Cromaticidad Pastel +HISTORY_MSG_325;Ondículas - Cromaticidad Saturado +HISTORY_MSG_326;Ondículas - Cromaticidad Método +HISTORY_MSG_327;Ondículas - Contraste Aplicar a +HISTORY_MSG_328;Ondículas - Cromaticidad Intensidad del vínculo +HISTORY_MSG_329;Ondículas - Virado Opacidad RV +HISTORY_MSG_330;Ondículas - Virado Opacidad AzAm +HISTORY_MSG_331;Ondículas - Niveles de contraste Extra +HISTORY_MSG_332;Ondículas - Método de teselado +HISTORY_MSG_333;Ondículas - Residual Sombras +HISTORY_MSG_334;Ondículas - Residual Cromaticidad +HISTORY_MSG_335;Ondículas - Residual Luces +HISTORY_MSG_336;Ondículas - Residual Umbral de luces +HISTORY_MSG_337;Ondículas - Residual Matiz del cielo +HISTORY_MSG_338;Ondículas - Nitidez de bordes Radio +HISTORY_MSG_339;Ondículas - Nitidez de bordes Intensidad +HISTORY_MSG_340;Ondículas - Intensidad +HISTORY_MSG_341;Ondículas - Rendimiento en bordes +HISTORY_MSG_342;Ondículas - Nitidez de bordes Primer nivel +HISTORY_MSG_343;Ondículas - Niveles de cromaticidad +HISTORY_MSG_344;Ondículas - Método de cromaticidad deslizador/curva +HISTORY_MSG_345;Ondículas - Nitidez de bordes Contraste local +HISTORY_MSG_346;Ondículas - Nitidez de bordes Método de contraste local +HISTORY_MSG_347;Ondículas - Reducción de ruido Nivel 1 +HISTORY_MSG_348;Ondículas - Reducción de ruido Nivel 2 +HISTORY_MSG_349;Ondículas - Reducción de ruido Nivel 3 +HISTORY_MSG_350;Ondículas - Reducción de ruido Detección de bordes +HISTORY_MSG_351;Ondículas - Residual Curva HH +HISTORY_MSG_352;Ondículas - Fondo +HISTORY_MSG_353;Ondículas - Nitidez de bordes Sensibilidad del gradiente +HISTORY_MSG_354;Ondículas - Nitidez de bordes Reforzada +HISTORY_MSG_355;Ondículas - Nitidez de bordes Umbral bajo +HISTORY_MSG_356;Ondículas - Nitidez de bordes Umbral alto +HISTORY_MSG_357;Ondículas - Reducción de ruido Vincular con nitidez de bordes +HISTORY_MSG_358;Ondículas - Rango de colores CH +HISTORY_MSG_359;Píxel caliente/muerto - Umbral +HISTORY_MSG_360;Mapeo tonal - Gamma +HISTORY_MSG_361;Ondículas - Final Equilibrio de cromaticidad +HISTORY_MSG_362;Ondículas - Residual Método de compresión +HISTORY_MSG_363;Ondículas - Residual Intensidad de compresión +HISTORY_MSG_364;Ondículas - Final Equilibrio de contraste +HISTORY_MSG_365;Ondículas - Final Equilibrio de delta +HISTORY_MSG_366;Ondículas - Residual Gamma de compresión +HISTORY_MSG_367;Ondículas - Final Curva de contraste «Después» +HISTORY_MSG_368;Ondículas - Final Equilibrio de contraste +HISTORY_MSG_369;Ondículas - Final Método de equilibrado +HISTORY_MSG_370;Ondículas - Final Curva de contraste local +HISTORY_MSG_371;Nitidez tras cambio de tamaño +HISTORY_MSG_372;Nitidez camb. tam. - Máscara Radio +HISTORY_MSG_373;Nitidez camb. tam. - Máscara Cantidad +HISTORY_MSG_374;Nitidez camb. tam. - Máscara Umbral +HISTORY_MSG_375;Nitidez camb. tam. - Máscara Enfocar sólo bordes +HISTORY_MSG_376;Nitidez camb. tam. - Máscara Radio detección bordes +HISTORY_MSG_377;Nitidez camb. tam. - Máscara Tolerancia bordes +HISTORY_MSG_378;Nitidez camb. tam. - Máscara Control de halo +HISTORY_MSG_379;Nitidez camb. tam. - Máscara Cantidad control de halo +HISTORY_MSG_380;Nitidez camb. tam. - Método +HISTORY_MSG_381;Nitidez camb. tam. - Deconv. RL Radio +HISTORY_MSG_382;Nitidez camb. tam. - Deconv. RL Cantidad +HISTORY_MSG_383;Nitidez camb. tam. - Deconv. RL Amortiguación +HISTORY_MSG_384;Nitidez camb. tam. - Deconv. RL Iteraciones +HISTORY_MSG_385;Ondículas - Residual Balance de color +HISTORY_MSG_386;Ondículas - Residual Bal. color verde alto +HISTORY_MSG_387;Ondículas - Residual Bal. color azul alto +HISTORY_MSG_388;Ondículas - Residual Bal. color verde medio +HISTORY_MSG_389;Ondículas - Residual Bal. color azul medio +HISTORY_MSG_390;Ondículas - Residual Bal. color verde bajo +HISTORY_MSG_391;Ondículas - Residual Bal. color azul bajo +HISTORY_MSG_392;Ondículas - Residual Balance de color +HISTORY_MSG_393;DCP - Tabla de sustitución +HISTORY_MSG_394;DCP - Exposición base +HISTORY_MSG_395;DCP - Tabla base +HISTORY_MSG_396;Ondículas - Sub-herram. Contraste +HISTORY_MSG_397;Ondículas - Sub-herram. Cromaticidad +HISTORY_MSG_398;Ondículas - Sub-herram. Nitidez bordes +HISTORY_MSG_399;Ondículas - Sub-herram. Residual +HISTORY_MSG_400;Ondículas - Sub-herram. Final +HISTORY_MSG_401;Ondículas - Sub-herram. Virado +HISTORY_MSG_402;Ondículas - Sub-herram. Reducc. ruido +HISTORY_MSG_403;Ondículas - Nitidez de bordes Sensibilidad bordes +HISTORY_MSG_404;Ondículas - Nitidez de bordes Amplificación base +HISTORY_MSG_405;Ondículas - Reducc. ruido Nivel 4 +HISTORY_MSG_406;Ondículas - Nitidez de bordes Píxels vecinos +HISTORY_MSG_407;Retinex - Método +HISTORY_MSG_408;Retinex - Radio +HISTORY_MSG_410;Retinex - Desplazamiento +HISTORY_MSG_411;Retinex - Intensidad +HISTORY_MSG_412;Retinex - Gradiente gaussiano +HISTORY_MSG_413;Retinex - Contraste +HISTORY_MSG_414;Retinex - Histograma - L*a*b* +HISTORY_MSG_415;Retinex - Transmisión +HISTORY_MSG_416;Retinex +HISTORY_MSG_417;Retinex - Mediana de transmisión +HISTORY_MSG_418;Retinex - Umbral +HISTORY_MSG_419;Retinex - Espacio de color +HISTORY_MSG_420;Retinex - Histograma - HSL +HISTORY_MSG_421;Retinex - Gamma +HISTORY_MSG_422;Retinex - Gamma +HISTORY_MSG_423;Retinex - Pendiente de gamma +HISTORY_MSG_424;Retinex - Umbral luces +HISTORY_MSG_425;Retinex - Base del logaritmo +HISTORY_MSG_426;Retinex - Ecualizador de matiz +HISTORY_MSG_427;Tipo de conversión del rango de colores de salida +HISTORY_MSG_428;Tipo de conversión del rango de colores del monitor +HISTORY_MSG_429;Retinex - Iteraciones +HISTORY_MSG_430;Retinex - Gradiente de transmisión +HISTORY_MSG_431;Retinex - Gradiente de intensidad +HISTORY_MSG_432;Retinex - Máscara Luces +HISTORY_MSG_433;Retinex - Máscara Ancho tonal luces +HISTORY_MSG_434;Retinex - Máscara Sombras +HISTORY_MSG_435;Retinex - Máscara Ancho tonal sombras +HISTORY_MSG_436;Retinex - Máscara Radio +HISTORY_MSG_437;Retinex - Máscara Método +HISTORY_MSG_438;Retinex - Máscara Ecualizador +HISTORY_MSG_439;Retinex - Proceso +HISTORY_MSG_440;Contraste por niveles de detalle - Método +HISTORY_MSG_441;Retinex - Ganancia de transmisión +HISTORY_MSG_442;Retinex - Escala +HISTORY_MSG_443;Compensación punto negro de salida +HISTORY_MSG_444;Balance de blancos - Sesgo de temperatura +HISTORY_MSG_445;Sub-imagen raw +HISTORY_MSG_449;PixelShift - Adaptación ISO +HISTORY_MSG_452;PixelShift - Mostrar movimiento +HISTORY_MSG_453;PixelShift - Mostrar sólo la máscara +HISTORY_MSG_457;PixelShift - Comprobar rojo/azul +HISTORY_MSG_462;PixelShift - Comprobar verde +HISTORY_MSG_464;PixelShift - Difuminar máscara de movimiento +HISTORY_MSG_465;PixelShift - Radio de difuminado +HISTORY_MSG_468;PixelShift - Rellenar huecos +HISTORY_MSG_469;PixelShift - Mediana +HISTORY_MSG_471;PixelShift - Corrección de movimiento +HISTORY_MSG_472;PixelShift - Suavizar transiciones +HISTORY_MSG_474;PixelShift - Ecualizar +HISTORY_MSG_475;PixelShift - Ecualizar canal +HISTORY_MSG_476;CAM02 - Temperatura de salida +HISTORY_MSG_477;CAM02 - Verde de salida +HISTORY_MSG_478;CAM02 - Yb de salida +HISTORY_MSG_479;CAM02 - Adaptación CAT02 de salida +HISTORY_MSG_480;CAM02 - Salida automática CAT02 +HISTORY_MSG_481;CAM02 - Temperatura de la escena +HISTORY_MSG_482;CAM02 - Verde de la escena +HISTORY_MSG_483;CAM02 - Yb de la escena +HISTORY_MSG_484;CAM02 - Yb automático de la escena +HISTORY_MSG_485;Corrección de objetivo +HISTORY_MSG_486;Corrección de objetivo - Cámara +HISTORY_MSG_487;Corrección de objetivo - Objetivo +HISTORY_MSG_488;Compresión de rango dinámico +HISTORY_MSG_489;Compresión de rango dinámico - Detalle +HISTORY_MSG_490;Compresión de rango dinámico - Cantidad +HISTORY_MSG_491;Balance de blancos +HISTORY_MSG_492;Curvas RGB +HISTORY_MSG_493;Ajustes L*a*b* +HISTORY_MSG_494;Nitidez en captura +HISTORY_MSG_496;Local - Punto borrado +HISTORY_MSG_497;Local - Punto seleccionado +HISTORY_MSG_498;Local - Nombre de punto +HISTORY_MSG_499;Local - Visibilidad de punto +HISTORY_MSG_500;Local - Forma de punto +HISTORY_MSG_501;Local - Método de punto +HISTORY_MSG_502;Local - Método de forma de punto +HISTORY_MSG_503;Local - locX de punto +HISTORY_MSG_504;Local - locXL de punto +HISTORY_MSG_505;Local - locY de punto +HISTORY_MSG_506;Local - locYT de punto +HISTORY_MSG_507;Local - Centro de punto +HISTORY_MSG_508;Local - Radio circular de punto +HISTORY_MSG_509;Local - Método de calidad de punto +HISTORY_MSG_510;Local - Transición de punto +HISTORY_MSG_511;Local - Umbral de punto +HISTORY_MSG_512;Local - Decaimiento de ΔE de punto +HISTORY_MSG_513;Local - Ámbito de punto +HISTORY_MSG_514;Local - Estructura de punto +HISTORY_MSG_515;Ajustes Locales +HISTORY_MSG_516;Local - Color y luz +HISTORY_MSG_517;Local - Activar super +HISTORY_MSG_518;Local - Claridad +HISTORY_MSG_519;Local - Contraste +HISTORY_MSG_520;Local - Cromaticidad +HISTORY_MSG_521;Local - Ámbito +HISTORY_MSG_522;Local - Método de curva +HISTORY_MSG_523;Local - Curva LL +HISTORY_MSG_524;Local - Curva CC +HISTORY_MSG_525;Local - Curva LH +HISTORY_MSG_526;Local - Curva H +HISTORY_MSG_527;Local - Color inverso +HISTORY_MSG_528;Local - Exposición +HISTORY_MSG_529;Local - Compens. expos. +HISTORY_MSG_530;Local - Expos. Compresión luces +HISTORY_MSG_531;Local - Expos. Umbral compr. luces +HISTORY_MSG_532;Local - Expos. Nivel de negro +HISTORY_MSG_533;Local - Expos. Compresión sombras +HISTORY_MSG_534;Local - Cálido/Frío +HISTORY_MSG_535;Local - Expos. Ámbito +HISTORY_MSG_536;Local - Expos. Curva contraste +HISTORY_MSG_537;Local - Vivacidad +HISTORY_MSG_538;Local - Vivac. Saturados +HISTORY_MSG_539;Local - Vivac. Pastel +HISTORY_MSG_540;Local - Vivac. Umbral +HISTORY_MSG_541;Local - Vivac. Proteger tonos piel +HISTORY_MSG_542;Local - Vivac. Evitar la deriva de colores +HISTORY_MSG_543;Local - Vivac. Vincular +HISTORY_MSG_544;Local - Vivac. Ámbito +HISTORY_MSG_545;Local - Vivac. Curva H +HISTORY_MSG_546;Local - Difuminado y ruido +HISTORY_MSG_547;Local - Radio +HISTORY_MSG_548;Local - Ruido +HISTORY_MSG_549;Local - Difumin. Ámbito +HISTORY_MSG_550;Local - Difumin. Método +HISTORY_MSG_551;Local - Difumin. Sólo luminancia +HISTORY_MSG_552;Local - Mapeo tonal +HISTORY_MSG_553;Local - MT Intens. compresión +HISTORY_MSG_554;Local - MT Gamma +HISTORY_MSG_555;Local - MT Parada en bordes +HISTORY_MSG_556;Local - MT Escala +HISTORY_MSG_557;Local - MT Reponderación +HISTORY_MSG_558;Local - MT Ámbito +HISTORY_MSG_559;Local - Retinex +HISTORY_MSG_560;Local - Reti. Método +HISTORY_MSG_561;Local - Reti. Intensidad +HISTORY_MSG_562;Local - Reti. Cromaticidad +HISTORY_MSG_563;Local - Reti. Radio +HISTORY_MSG_564;Local - Reti. Contraste +HISTORY_MSG_565;Local - Ámbito +HISTORY_MSG_566;Local - Reti. Curva de ganancia +HISTORY_MSG_567;Local - Reti. Inverso +HISTORY_MSG_568;Local - Nitidez +HISTORY_MSG_569;Local - Nitidez Radio +HISTORY_MSG_570;Local - Nitidez Cantidad +HISTORY_MSG_571;Local - Nitidez Amortiguación +HISTORY_MSG_572;Local - Nitidez Iteraciones +HISTORY_MSG_573;Local - Nitidez Ámbito +HISTORY_MSG_574;Local - Nitidez Inverso +HISTORY_MSG_575;Local - Contraste niveles detalle +HISTORY_MSG_576;Local - CPND Mult +HISTORY_MSG_577;Local - CPND Cromaticidad +HISTORY_MSG_578;Local - CPND Umbral +HISTORY_MSG_579;Local - CPND Ámbito +HISTORY_MSG_580;Local - Reducción ruido +HISTORY_MSG_581;Local - RD Lumin. fino 1 +HISTORY_MSG_582;Local - RD Lumin. grueso +HISTORY_MSG_583;Local - RD Lumin. detalle +HISTORY_MSG_584;Local - RD Ecualiz. blanco-negro +HISTORY_MSG_585;Local - RD Cromaticidad fino +HISTORY_MSG_586;Local - RD Cromaticidad grueso +HISTORY_MSG_587;Local - RD Cromaticidad detalle +HISTORY_MSG_588;Local - RD Ecualiz. azul-rojo +HISTORY_MSG_589;Local - RD Filtro bilateral +HISTORY_MSG_590;Local - RD Ámbito +HISTORY_MSG_591;Local - Evitar la deriva de colores +HISTORY_MSG_592;Local - Nitidez Contraste +HISTORY_MSG_593;Local - Contraste local +HISTORY_MSG_594;Local - CL Radio +HISTORY_MSG_595;Local - CL Cantidad +HISTORY_MSG_596;Local - CL Oscuridad +HISTORY_MSG_597;Local - CL Claridad +HISTORY_MSG_598;Local - CL Ámbito +HISTORY_MSG_599;Local - Reti. Quitar neblina +HISTORY_MSG_600;Local - Luz suave Activar +HISTORY_MSG_601;Local - Luz suave Intensidad +HISTORY_MSG_602;Local - Luz suave Ámbito +HISTORY_MSG_603;Local - Nitidez Radio difuminado +HISTORY_MSG_605;Local - Elecc. máscara previsualiz. +HISTORY_MSG_606;Local - Punto seleccionado +HISTORY_MSG_607;Local - Color Máscara C +HISTORY_MSG_608;Local - Color Máscara L +HISTORY_MSG_609;Local - Expos. Máscara C +HISTORY_MSG_610;Local - Expos. Máscara L +HISTORY_MSG_611;Local - Color Máscara H +HISTORY_MSG_612;Local - Color Estructura +HISTORY_MSG_613;Local - Expos. Estructura +HISTORY_MSG_614;Local - Expos. Máscara H +HISTORY_MSG_615;Local - Mezcla color +HISTORY_MSG_616;Local - Mezcla exposic. +HISTORY_MSG_617;Local - Difumin. exposic. +HISTORY_MSG_618;Local - Usar máscara color +HISTORY_MSG_619;Local - Usar máscara exposic. +HISTORY_MSG_620;Local - Difumin. color +HISTORY_MSG_621;Local - Expos. Inverso +HISTORY_MSG_622;Local - Excluir estructura +HISTORY_MSG_623;Local - Expos. Compensac. cromaticidad +HISTORY_MSG_624;Local - Cuadrícula correcc. color +HISTORY_MSG_625;Local - Intensidad correcc. color +HISTORY_MSG_626;Local - Método correcc. color +HISTORY_MSG_627;Local - Sombras/Luces +HISTORY_MSG_628;Local - S/AL Luces +HISTORY_MSG_629;Local - S/AL Ancho tonal luces +HISTORY_MSG_630;Local - S/AL Sombras +HISTORY_MSG_631;Local - S/AL Ancho tonal sombras +HISTORY_MSG_632;Local - S/AL Radio +HISTORY_MSG_633;Local - S/AL Ámbito +HISTORY_MSG_634;Local - Radio color +HISTORY_MSG_635;Local - Radio exposición +HISTORY_MSG_636;Local - Herramienta añadida +HISTORY_MSG_637;Local - S/AL Máscara C +HISTORY_MSG_638;Local - S/AL Máscara L +HISTORY_MSG_639;Local - S/AL Máscara H +HISTORY_MSG_640;Local - S/AL Mezcla +HISTORY_MSG_641;Local - S/AL Usar máscara +HISTORY_MSG_642;Local - S/AL Radio +HISTORY_MSG_643;Local - S/AL Difuminar +HISTORY_MSG_644;Local - S/AL Inverso +HISTORY_MSG_645;Local - Balance ΔE ab-L +HISTORY_MSG_646;Local - Expos. Cromaticidad máscara +HISTORY_MSG_647;Local - Expos. Gamma máscara +HISTORY_MSG_648;Local - Expos. Pendiente máscara +HISTORY_MSG_649;Local - Expos. Radio suave +HISTORY_MSG_650;Local - Color Cromaticidad máscara +HISTORY_MSG_651;Local - Color Gamma máscara +HISTORY_MSG_652;Local - Color Pendiente máscara +HISTORY_MSG_653;Local - S/AL Cromaticidad máscara +HISTORY_MSG_654;Local - S/AL Gamma máscara +HISTORY_MSG_655;Local - S/AL Pendiente máscara +HISTORY_MSG_656;Local - Color Radio suave +HISTORY_MSG_657;Local - Reti. Reducir artefactos +HISTORY_MSG_658;Local - CPND Radio suave +HISTORY_MSG_659;Local - Transición-decaim. de punto +HISTORY_MSG_660;Local - CPND Claridad +HISTORY_MSG_661;Local - CPND Contraste residual +HISTORY_MSG_662;Local - Reducc. ruido Lumin. fino 0 +HISTORY_MSG_663;Local - Reducc. ruido Lumin. fino 2 +HISTORY_MSG_664;Local - CPND Difuminado +HISTORY_MSG_665;Local - CPND Mezcla máscara +HISTORY_MSG_666;Local - CPND Radio máscara +HISTORY_MSG_667;Local - CPND Cromaticidad máscara +HISTORY_MSG_668;Local - CPND Gamma máscara +HISTORY_MSG_669;Local - CPND Pendiente máscara +HISTORY_MSG_670;Local - CPND Máscara C +HISTORY_MSG_671;Local - CPND Máscara L +HISTORY_MSG_672;Local - CPND Máscara CL +HISTORY_MSG_673;Local - Usar máscara CPND +HISTORY_MSG_674;Local - Herramienta suprimida +HISTORY_MSG_675;Local - Mapeo tonal Radio suave +HISTORY_MSG_676;Local - Transición-diferenciación punto +HISTORY_MSG_677;Local - Mapeo tonal Cantidad +HISTORY_MSG_678;Local - Mapeo tonal Saturación +HISTORY_MSG_679;Local - Retinex Máscara C +HISTORY_MSG_680;Local - Reti. Máscara L +HISTORY_MSG_681;Local - Reti. Máscara CL +HISTORY_MSG_682;Local - Reti. Máscara +HISTORY_MSG_683;Local - Reti. Mezcla máscara +HISTORY_MSG_684;Local - Reti. Radio máscara +HISTORY_MSG_685;Local - Reti. Cromaticidad máscara +HISTORY_MSG_686;Local - Reti. Gamma máscara +HISTORY_MSG_687;Local - Reti. Pendiente máscara +HISTORY_MSG_688;Local - Herramienta suprimida +HISTORY_MSG_689;Local - Reti. Mapa transmisión máscara +HISTORY_MSG_690;Local - Reti. Escala +HISTORY_MSG_691;Local - Reti. Oscuridad +HISTORY_MSG_692;Local - Reti. Claridad +HISTORY_MSG_693;Local - Reti. Umbral +HISTORY_MSG_694;Local - Reti. Umbral laplaciana +HISTORY_MSG_695;Local - Método suave +HISTORY_MSG_696;Local - Reti. Normalizar +HISTORY_MSG_697;Local - MT Normalizar +HISTORY_MSG_698;Local - CL Fast Fourier +HISTORY_MSG_699;Local - Reti. Fast Fourier +HISTORY_MSG_701;Local - Expos. Sombras +HISTORY_MSG_702;Local - Expos. Método +HISTORY_MSG_703;Local - Expos. Umbral laplaciana +HISTORY_MSG_704;Local - Expos. Balance PDE +HISTORY_MSG_705;Local - Expos. Linealidad +HISTORY_MSG_706;Local - MT Máscara C +HISTORY_MSG_707;Local - MT Máscara L +HISTORY_MSG_708;Local - MT Máscara CL +HISTORY_MSG_709;Local - Usar máscara MT +HISTORY_MSG_710;Local - MT Mezcla máscara +HISTORY_MSG_711;Local - MT Radio máscara +HISTORY_MSG_712;Local - MT Cromaticidad máscara +HISTORY_MSG_713;Local - MT Gamma máscara +HISTORY_MSG_714;Local - MT Pendiente máscara +HISTORY_MSG_716;Local - Método local +HISTORY_MSG_717;Local - Contraste local +HISTORY_MSG_718;Local - CL Niveles +HISTORY_MSG_719;Local - CL L residual +HISTORY_MSG_720;Local - Máscara difumin. C +HISTORY_MSG_721;Local - Máscara difumin. L +HISTORY_MSG_722;Local - Máscara difumin. CL +HISTORY_MSG_723;Local - Usar máscara difumin. +HISTORY_MSG_725;Local - Máscara difumin. Mezcla +HISTORY_MSG_726;Local - Máscara difumin. Radio +HISTORY_MSG_727;Local - Máscara difumin. Cromaticidad +HISTORY_MSG_728;Local - Máscara difumin. Gamma +HISTORY_MSG_729;Local - Máscara difumin. Pendiente +HISTORY_MSG_730;Local - Método difumin. +HISTORY_MSG_731;Local - Método mediana +HISTORY_MSG_732;Local - Iteraciones mediana +HISTORY_MSG_733;Local - Radio suave +HISTORY_MSG_734;Local - Detalle +HISTORY_MSG_738;Local - CL Fusionar L +HISTORY_MSG_739;Local - CL Radio suave +HISTORY_MSG_740;Local - CL Fusionar C +HISTORY_MSG_741;Local - CL Residual C +HISTORY_MSG_742;Local - Expos. Gamma laplaciana +HISTORY_MSG_743;Local - Expos. Fattal cantidad +HISTORY_MSG_744;Local - Expos. Fattal detalle +HISTORY_MSG_745;Local - Expos. Fattal desplazamiento +HISTORY_MSG_746;Local - Expos. Fattal sigma +HISTORY_MSG_747;Local - Punto creado +HISTORY_MSG_748;Local - Expos. Reducc. ruido +HISTORY_MSG_749;Local - Reti. Profundidad +HISTORY_MSG_750;Local - Reti. Modo log - lineal +HISTORY_MSG_751;Local - Reti. Saturación elim. neblina +HISTORY_MSG_752;Local - Reti. Desplazamiento +HISTORY_MSG_753;Local - Reti. Mapa transmisión +HISTORY_MSG_754;Local - Reti. Recorte +HISTORY_MSG_755;Local - MT Usar máscara MT +HISTORY_MSG_756;Local - Expos. usar algor. máscara exposic. +HISTORY_MSG_757;Local - Expos. Máscara laplaciana +HISTORY_MSG_758;Local - Reti. Máscara laplaciana +HISTORY_MSG_759;Local - Expos. Máscara laplaciana +HISTORY_MSG_760;Local - Color Máscara laplaciana +HISTORY_MSG_761;Local - S/AL Máscara laplaciana +HISTORY_MSG_762;Local - CPND Máscara laplaciana +HISTORY_MSG_763;Local - Difumin. Máscara laplaciana +HISTORY_MSG_764;Local - Resolver PDE Máscara laplaciana +HISTORY_MSG_765;Local - RR Umbral detalle +HISTORY_MSG_766;Local - Difumin. Fast Fourier +HISTORY_MSG_767;Local - Grano ISO +HISTORY_MSG_768;Local - Grano Intensidad +HISTORY_MSG_769;Local - Grano Escala +HISTORY_MSG_770;Local - Color Curva contraste máscara +HISTORY_MSG_771;Local - Expos. Curva contraste máscara +HISTORY_MSG_772;Local - S/AL Curva contraste máscara +HISTORY_MSG_773;Local - MT Curva contraste máscara +HISTORY_MSG_774;Local - Reti. Curva contraste máscara +HISTORY_MSG_775;Local - CPND Curva contraste máscara +HISTORY_MSG_776;Local - Difumin. Curva contraste máscara RR +HISTORY_MSG_777;Local - Difumin. Curva contraste local máscara +HISTORY_MSG_778;Local - Máscara luces +HISTORY_MSG_779;Local - Color Curva contraste local máscara +HISTORY_MSG_780;Local - Color Máscara sombras +HISTORY_MSG_781;Local - Nivel ondículas máscara contraste +HISTORY_MSG_782;Local - Difumin. Niveles ondículas máscara red. ruido +HISTORY_MSG_783;Local - Color Niveles ondículas +HISTORY_MSG_784;Local - ΔE máscara +HISTORY_MSG_785;Local - Ámbito ΔE máscara +HISTORY_MSG_786;Local - S/AL Método +HISTORY_MSG_787;Local - Multiplicador Ecualizador +HISTORY_MSG_788;Local - Detalle Ecualizador +HISTORY_MSG_789;Local - S/AL Cantidad máscara +HISTORY_MSG_790;Local - S/AL punto ancla máscara +HISTORY_MSG_791;Local - Máscara Curvas L cortas +HISTORY_MSG_792;Local - Máscara Luminancia fondo +HISTORY_MSG_793;Local - S/AL Gamma TRC +HISTORY_MSG_794;Local - S/AL Pendiente TRC +HISTORY_MSG_795;Local - Máscara Guardar/restaurar imagen +HISTORY_MSG_796;Local - Referencias recursivas +HISTORY_MSG_797;Local - Fusión original Método +HISTORY_MSG_798;Local - Opacidad +HISTORY_MSG_799;Local - Color Curva tonal RGB +HISTORY_MSG_800;Local - Color Método curva tonal +HISTORY_MSG_801;Local - Color Curva tonal especial +HISTORY_MSG_802;Local - Umbral de contraste +HISTORY_MSG_803;Local - Color Fusión +HISTORY_MSG_804;Local - Color Máscara de estructura +HISTORY_MSG_805;Local - Difuminado/Ruido Máscara estructura +HISTORY_MSG_806;Local - Color Máscara estructura como herram. +HISTORY_MSG_807;Local - Difumin. Máscara estructura como herram. +HISTORY_MSG_808;Local - Color Máscara Curva H(H) +HISTORY_MSG_809;Local - Vivac. Máscara Curva C(C) +HISTORY_MSG_810;Local - Vivac. Máscara Curva L(L) +HISTORY_MSG_811;Local - Vivac. Máscara Curva LC(H) +HISTORY_MSG_813;Local - Usar máscara Vivac. +HISTORY_MSG_814;Local - Vivac. Máscara Mezcla +HISTORY_MSG_815;Local - Vivac. Máscara Radio +HISTORY_MSG_816;Local - Vivac. Máscara cromaticidad +HISTORY_MSG_817;Local - Vivac. Máscara Gamma +HISTORY_MSG_818;Local - Vivac. Máscara Pendiente +HISTORY_MSG_819;Local - Vivac. Máscara Laplaciana +HISTORY_MSG_820;Local - Vivac. Máscara Curva contraste +HISTORY_MSG_821;Local - Color Rejilla fondo +HISTORY_MSG_822;Local - Color Fusión fondo +HISTORY_MSG_823;Local - Color Luminancia fondo +HISTORY_MSG_824;Local - Exp. Intens. gradiente máscara +HISTORY_MSG_825;Local - Exp. Ángulo gradiente máscara +HISTORY_MSG_826;Local - Exp. Intens. gradiente +HISTORY_MSG_827;Local - Exp. Ángulo gradiente +HISTORY_MSG_828;Local - S/AL Intens. gradiente +HISTORY_MSG_829;Local - S/AL Ángulo gradiente +HISTORY_MSG_830;Local - Color Intens. gradiente L +HISTORY_MSG_831;Local - Color Ángulo gradiente +HISTORY_MSG_832;Local - Color Intens. gradiente C +HISTORY_MSG_833;Local - Gradiente degradado +HISTORY_MSG_834;Local - Color Intens. gradiente H +HISTORY_MSG_835;Local - Vivac. Intens. gradiente L +HISTORY_MSG_836;Local - Vivac. Ángulo gradiente +HISTORY_MSG_837;Local - Vivac. Intens. gradiente C +HISTORY_MSG_838;Local - Vivac. Intens. gradiente H +HISTORY_MSG_839;Local - Complejidad software +HISTORY_MSG_840;Local - Curva CL +HISTORY_MSG_841;Local - Curva LC +HISTORY_MSG_842;Local - Máscara difumin. Radio +HISTORY_MSG_843;Local - Máscara difumin. Umbral contraste +HISTORY_MSG_844;Local - Máscara difumin. FFTW +HISTORY_MSG_845;Local - Codific. Log +HISTORY_MSG_846;Local - Codific. Log Auto +HISTORY_MSG_847;Local - Codific. Log Origen +HISTORY_MSG_849;Local - Codific. Log Origen auto +HISTORY_MSG_850;Local - Codific. Log N_Ev +HISTORY_MSG_851;Local - Codific. Log B_Ev +HISTORY_MSG_852;Local - Codific. Log Destino +HISTORY_MSG_853;Local - Codific. Log contraste loc. +HISTORY_MSG_854;Local - Codific. Log Ámbito +HISTORY_MSG_855;Local - Codific. Log Imagen completa +HISTORY_MSG_856;Local - Codific. Log Rango sombras +HISTORY_MSG_857;Local - Ondíc. Difumin. residual +HISTORY_MSG_858;Local - Ondíc. Difumin. sólo luma +HISTORY_MSG_859;Local - Ondíc. Difumin. máx. +HISTORY_MSG_860;Local - Ondíc. Difum. niveles +HISTORY_MSG_861;Local - Ondíc. Niveles contraste +HISTORY_MSG_862;Local - Ondíc. Atenuac. contraste +HISTORY_MSG_863;Local - Ondíc. Fusionar imagen orig. +HISTORY_MSG_864;Local - Ondíc. dir Atenuac. contraste +HISTORY_MSG_865;Local - Ondíc. dir Delta contraste +HISTORY_MSG_866;Local - Ondíc. dir Compresión +HISTORY_MSG_868;Local - balance ΔE C-H +HISTORY_MSG_869;Local - Ondíc. por nivel +HISTORY_MSG_870;Local - Ondíc. Máscara Curva H +HISTORY_MSG_871;Local - Ondíc. Máscara Curva C +HISTORY_MSG_872;Local - Ondíc. Máscara Curva L +HISTORY_MSG_873;Local - Ondíc. Máscara +HISTORY_MSG_875;Local - Ondíc. Mezcla máscara +HISTORY_MSG_876;Local - Ondíc. Suaviz. máscara +HISTORY_MSG_877;Local - Ondíc. Cromaticidad máscara +HISTORY_MSG_878;Local - Ondíc. Curva contraste máscara +HISTORY_MSG_879;Local - Ondíc. Contraste cromaticidad +HISTORY_MSG_880;Local - Ondíc. Difumin. cromaticidad +HISTORY_MSG_881;Local - Ondíc. Desplazam. contraste +HISTORY_MSG_882;Local - Ondíc. Difuminado +HISTORY_MSG_883;Local - Ondíc. Contraste por nivel +HISTORY_MSG_884;Local - Ondíc. dir Contraste +HISTORY_MSG_885;Local - Ondíc. Mapeo tonal +HISTORY_MSG_886;Local - Ondíc. Mapeo tonal comprimir +HISTORY_MSG_887;Local - Ondíc. Mapeo tonal comprimir residual +HISTORY_MSG_888;Local - Contraste ondíc. Umbr. balance +HISTORY_MSG_889;Local - Contraste ondíc. Intens. Graduado +HISTORY_MSG_890;Local - Contraste ondíc. Ángulo Graduado +HISTORY_MSG_891;Local - Contraste ondíc. Graduado +HISTORY_MSG_892;Local - Codific. Log Intens. Graduado +HISTORY_MSG_893;Local - Codific. Log Ángulo Graduado +HISTORY_MSG_894;Local - Color Vista previa ΔE +HISTORY_MSG_897;Local - RD Contraste ondíc. Intens. +HISTORY_MSG_898;Local - RD Contraste ondíc. Radio +HISTORY_MSG_899;Local - RD Contraste ondíc. Detalle +HISTORY_MSG_900;Local - RD Contraste ondíc. Gradiente +HISTORY_MSG_901;Local - RD Contraste ondíc. Umbr. bajo +HISTORY_MSG_902;Local - RD Contraste ondíc. Umbr. alto +HISTORY_MSG_903;Local - RD Contraste ondíc. Contraste local +HISTORY_MSG_904;Local - RD Contraste ondíc. Primer nivel +HISTORY_MSG_905;Local - RD Contraste ondíc. Nitidez bordes +HISTORY_MSG_906;Local - RD Contraste ondíc. Sensib. +HISTORY_MSG_907;Local - RD Contraste ondíc. Amplif. +HISTORY_MSG_908;Local - RD Contraste ondíc. Vecindad +HISTORY_MSG_909;Local - RD Contraste ondíc. Mostrar +HISTORY_MSG_910;Local - Rendimiento de ondículas en bordes +HISTORY_MSG_911;Local - Difumin. cromaticidad Luma +HISTORY_MSG_912;Local - Difumin. Intens. filtro guiado +HISTORY_MSG_913;Local - Contraste ondíc. Sigma RD +HISTORY_MSG_914;Local - Difumin. Ondíc. Sigma BL +HISTORY_MSG_915;Local - Bordes Ondíc. Sigma ED +HISTORY_MSG_916;Local - Residual Ondíc. sombras +HISTORY_MSG_917;Local - Residual Ondíc. umbr. sombras +HISTORY_MSG_918;Local - Residual Ondíc. luces +HISTORY_MSG_919;Local - Residual Ondíc. umbr. luces +HISTORY_MSG_920;Local - Ondíc. sigma LC +HISTORY_MSG_921;Local - Ondíc. Graduado sigma LC2 +HISTORY_MSG_922;Local - Cambios en B/N +HISTORY_MSG_923;Local - Modo Complejidad herram. +HISTORY_MSG_924;Local - Modo Complejidad herram. +HISTORY_MSG_925;Local - Ámbito herram. color +HISTORY_MSG_926;Local - Mostrar tipo máscara +HISTORY_MSG_927;Local - Sombras +HISTORY_MSG_928;Local - Máscara Común color +HISTORY_MSG_929;Local - Máscara Común Ámbito +HISTORY_MSG_930;Local - Máscara Común Mezclar luma +HISTORY_MSG_931;Local - Máscara Común Activar +HISTORY_MSG_932;Local - Máscara Común Radio suave +HISTORY_MSG_933;Local - Máscara Común Laplaciana +HISTORY_MSG_934;Local - Máscara Común Cromaticidad +HISTORY_MSG_935;Local - Máscara Común Gamma +HISTORY_MSG_936;Local - Máscara Común Pendiente +HISTORY_MSG_937;Local - Máscara Común Curva C(C) +HISTORY_MSG_938;Local - Máscara Común Curva L(L) +HISTORY_MSG_939;Local - Máscara Común Curva LC(H) +HISTORY_MSG_940;Local - Máscara Común Estructura como herram. +HISTORY_MSG_941;Local - Máscara Común Intens. estructura +HISTORY_MSG_942;Local - Máscara Común Curva H(H) +HISTORY_MSG_943;Local - Máscara Común FFT +HISTORY_MSG_944;Local - Máscara Común Radio difumin. +HISTORY_MSG_945;Local - Máscara Común Umbr. contraste +HISTORY_MSG_946;Local - Máscara Común Sombras +HISTORY_MSG_947;Local - Máscara Común Curva contraste +HISTORY_MSG_948;Local - Máscara Común Curva ondíc. +HISTORY_MSG_949;Local - Máscara Común Umbral niveles +HISTORY_MSG_950;Local - Máscara Común Intens. FG +HISTORY_MSG_951;Local - Máscara Común Ángulo FG +HISTORY_MSG_952;Local - Máscara Común Radio suave +HISTORY_MSG_953;Local - Máscara Común Mezcla cromaticidad +HISTORY_MSG_954;Local - Mostrar/ocultar herram. +HISTORY_MSG_955;Local - Activar punto +HISTORY_MSG_956;Local - Curva CH +HISTORY_MSG_957;Local - Modo reducc. ruido +HISTORY_MSG_958;Local - Mostrar/ocultar ajustes +HISTORY_MSG_959;Local - Difumin. inverso +HISTORY_MSG_960;Local - Codific. Log - CAT16 +HISTORY_MSG_961;Local - Codific. Log Ciecam +HISTORY_MSG_962;Local - Codific. Log Luma abs. Origen +HISTORY_MSG_963;Local - Codific. Log Luma abs. Destino +HISTORY_MSG_964;Local - Codific. Log Entorno +HISTORY_MSG_965;Local - Codific. Log Saturación s +HISTORY_MSG_966;Local - Codific. Log Contraste J +HISTORY_MSG_967;Local - Codific. Log Máscara Curva C +HISTORY_MSG_968;Local - Codific. Log Máscara Curva L +HISTORY_MSG_969;Local - Codific. Log Máscara Curva H +HISTORY_MSG_970;Local - Codific. Log Máscara Activar +HISTORY_MSG_971;Local - Codific. Log Máscara Mezcla +HISTORY_MSG_972;Local - Codific. Log Máscara Radio +HISTORY_MSG_973;Local - Codific. Log Máscara cromaticidad +HISTORY_MSG_974;Local - Codific. Log Máscara Contraste +HISTORY_MSG_975;Local - Codific. Log Claridad J +HISTORY_MSG_977;Local - Codific. Log Contraste Q +HISTORY_MSG_978;Local - Codific. Log Entorno orig. +HISTORY_MSG_979;Local - Codific. Log Brillo Q +HISTORY_MSG_980;Local - Codific. Log Colorido M +HISTORY_MSG_981;Local - Codific. Log Intensidad +HISTORY_MSG_982;Local - Ecualizador matiz +HISTORY_MSG_983;Local - Reducc. ruido Máscara Umbr. alto +HISTORY_MSG_984;Local - Reducc. ruido Máscara Umbr. bajo +HISTORY_MSG_985;Local - Reducc. ruido Laplaciana +HISTORY_MSG_986;Local - Reducc. ruido Reforzar +HISTORY_MSG_987;Local - Filtro guiado Umbr. recup. +HISTORY_MSG_988;Local - Filtro guiado Máscara Umbr. bajo +HISTORY_MSG_989;Local - Filtro guiado Máscara Umbr. alto +HISTORY_MSG_990;Local - Reducc. ruido Umbr. recup. +HISTORY_MSG_991;Local - Reducc. ruido Máscara Umbr. bajo +HISTORY_MSG_992;Local - Reducc. ruido Máscara Umbr. alto +HISTORY_MSG_993;Local - Reducc. ruido Alg. inverso +HISTORY_MSG_994;Local - Filtro guiado Alg. inverso +HISTORY_MSG_995;Local - Reducc. ruido Decaim. +HISTORY_MSG_996;Local - Color Umbr. recup. +HISTORY_MSG_997;Local - Color Máscara Umbr. bajo +HISTORY_MSG_998;Local - Color Máscara Umbr. alto +HISTORY_MSG_999;Local - Color Decaim. +HISTORY_MSG_1000;Local - Reducc. ruido luma gris +HISTORY_MSG_1001;Local - Log Umbr. recup. +HISTORY_MSG_1002;Local - Log Máscara Umbr. bajo +HISTORY_MSG_1003;Local - Log Máscara Umbr. alto +HISTORY_MSG_1004;Local - Log Decaim. +HISTORY_MSG_1005;Local - Exp Umbr. recup. +HISTORY_MSG_1006;Local - Exp Máscara Umbr. bajo +HISTORY_MSG_1007;Local - Exp Máscara Umbr. alto +HISTORY_MSG_1008;Local - Exp Decaim. +HISTORY_MSG_1009;Local - S/AL Umbr. recup. +HISTORY_MSG_1010;Local - S/AL Máscara Umbr. bajo +HISTORY_MSG_1011;Local - S/AL Máscara Umbr. alto +HISTORY_MSG_1012;Local - S/AL Decaim. +HISTORY_MSG_1013;Local - Vivac. Umbr. recup. +HISTORY_MSG_1014;Local - Vivac. Máscara Umbr. bajo +HISTORY_MSG_1015;Local - Vivac. Máscara Umbr. alto +HISTORY_MSG_1016;Local - Vivac. Decaim. +HISTORY_MSG_1017;Local - LC Umbr. recup. +HISTORY_MSG_1018;Local - LC Máscara Umbr. bajo +HISTORY_MSG_1019;Local - LC Máscara Umbr. alto +HISTORY_MSG_1020;Local - LC Decaim. +HISTORY_MSG_1021;Local - Reducc. ruido cromaticidad gris +HISTORY_MSG_1022;Local - MT Umbr. recup. +HISTORY_MSG_1023;Local - MT Máscara Umbr. bajo +HISTORY_MSG_1024;Local - MT Máscara Umbr. alto +HISTORY_MSG_1025;Local - MT Decaim. +HISTORY_MSG_1026;Local - CPND Umbr. recup. +HISTORY_MSG_1027;Local - CPND Máscara Umbr. bajo +HISTORY_MSG_1028;Local - CPND Máscara Umbr. alto +HISTORY_MSG_1029;Local - CPND Decaim. +HISTORY_MSG_1030;Local - Reti Umbr. recup. +HISTORY_MSG_1031;Local - Reti Máscara Umbr. bajo +HISTORY_MSG_1032;Local - Reti Máscara Umbr. alto +HISTORY_MSG_1033;Local - Reti Decaim. +HISTORY_MSG_1034;Local - Medias NL - Intensidad +HISTORY_MSG_1035;Local - Medias NL - Detalle +HISTORY_MSG_1036;Local - Medias NL - Parcela +HISTORY_MSG_1037;Local - Medias NL - Radio +HISTORY_MSG_1038;Local - Medias NL - gamma +HISTORY_MSG_1039;Local - Grano - gamma +HISTORY_MSG_1040;Local - Punto - Radio suave +HISTORY_MSG_1041;Local - Punto - Munsell +HISTORY_MSG_1042;Local - Codific. log. - Umbral +HISTORY_MSG_1043;Local - Exp - Normalizar +HISTORY_MSG_1044;Local - Contraste local Intens. +HISTORY_MSG_1045;Local - Color y Luz Intens. +HISTORY_MSG_1046;Local - Reducc. ruido Intens. +HISTORY_MSG_1047;Local - S/AL y Ecualiz. tono Intens. +HISTORY_MSG_1048;Local - RD y Expos. Intens. +HISTORY_MSG_1049;Local - MT Intensidad +HISTORY_MSG_1050;Local - Codific. log. Cromaticidad +HISTORY_MSG_1051;Local - gamma ondícula Residual +HISTORY_MSG_1052;Local - pendiente ondícula Residual +HISTORY_MSG_1053;Local - gamma Reducc. ruido +HISTORY_MSG_1054;Local - gamma Ondícula +HISTORY_MSG_1055;Local - gamma Color y luz +HISTORY_MSG_1056;Local - gamma RD y Exposición +HISTORY_MSG_1057;Local - CIECAM activado +HISTORY_MSG_1058;Local - CIECAM Intensidad global +HISTORY_MSG_1059;Local - CIECAM Gris auto +HISTORY_MSG_1060;Local - CIECAM luminancia media fuente +HISTORY_MSG_1061;Local - CIECAM absoluta fuente +HISTORY_MSG_1062;Local - CIECAM entorno fuente +HISTORY_MSG_1063;Local - CIECAM Saturación +HISTORY_MSG_1064;Local - CIECAM Cromaticidad +HISTORY_MSG_1065;Local - CIECAM claridad J +HISTORY_MSG_1066;Local - CIECAM brillo +HISTORY_MSG_1067;Local - CIECAM Contraste J +HISTORY_MSG_1068;Local - CIECAM umbral +HISTORY_MSG_1069;Local - CIECAM contraste Q +HISTORY_MSG_1070;Local - CIECAM colorido +HISTORY_MSG_1071;Local - CIECAM Luminancia absoluta +HISTORY_MSG_1072;Local - CIECAM Luminancia media +HISTORY_MSG_1073;Local - CIECAM Cat16 +HISTORY_MSG_1074;Local - CIECAM Contraste local +HISTORY_MSG_1075;Local - CIECAM Visualiz. entorno +HISTORY_MSG_1076;Local - CIECAM Ámbito +HISTORY_MSG_1077;Local - CIECAM Modo +HISTORY_MSG_1078;Local - Protecc. rojos y piel +HISTORY_MSG_1079;Local - CIECAM Sigmoide intens. J +HISTORY_MSG_1080;Local - CIECAM Sigmoide umbral +HISTORY_MSG_1081;Local - CIECAM Sigmoide mezcla +HISTORY_MSG_1082;Local - CIECAM Sigmoide Q EvBlanco EvNegro +HISTORY_MSG_1083;Local - CIECAM Matiz +HISTORY_MSG_1084;Local - Usa Ev Negro - Ev Blanco +HISTORY_MSG_1085;Local - Jz claridad +HISTORY_MSG_1086;Local - Jz contraste +HISTORY_MSG_1087;Local - Jz cromaticidad +HISTORY_MSG_1088;Local - Jz matiz +HISTORY_MSG_1089;Local - Jz Sigmoide intens. +HISTORY_MSG_1090;Local - Jz Sigmoide umbral +HISTORY_MSG_1091;Local - Jz Sigmoide mezcla +HISTORY_MSG_1092;Local - Jz Adaptación +HISTORY_MSG_1093;Local - Modelo CAM +HISTORY_MSG_1094;Local - Jz luces +HISTORY_MSG_1095;Local - Jz umbral luces +HISTORY_MSG_1096;Local - Jz sombras +HISTORY_MSG_1097;Local - Jz umbral sombras +HISTORY_MSG_1098;Local - Jz radio S/AL +HISTORY_MSG_1099;Local - Curva Cz(Hz) +HISTORY_MSG_1100;Local - Jz Referencia 100 +HISTORY_MSG_1101;Local - Jz Remapeo CP +HISTORY_MSG_1102;Local - Curva Jz(Hz) +HISTORY_MSG_1103;Local - Nitidez gamma +HISTORY_MSG_1104;Local - Vivacidad gamma +HISTORY_MSG_1105;Local - CIECAM Método tono +HISTORY_MSG_1106;Local - CIECAM Curva tonal +HISTORY_MSG_1107;Local - CIECAM Método Color +HISTORY_MSG_1108;Local - CIECAM Curva Color +HISTORY_MSG_1109;Local - Curva Jz(Jz) +HISTORY_MSG_1110;Local - Curva Cz(Cz) +HISTORY_MSG_1111;Local - Curva Cz(Jz) +HISTORY_MSG_1112;Local - Forzar Jz +HISTORY_MSG_1113;Local - HDR CP +HISTORY_MSG_1114;Local - Cie activar máscara +HISTORY_MSG_1115;Local - Cie Máscara curva C +HISTORY_MSG_1116;Local - Cie Máscara curva L +HISTORY_MSG_1117;Local - Cie Máscara curva H +HISTORY_MSG_1118;Local - Cie Máscara mezcla +HISTORY_MSG_1119;Local - Cie Máscara radio +HISTORY_MSG_1120;Local - Cie Máscara cromaticidad +HISTORY_MSG_1121;Local - Cie Máscara curva contraste +HISTORY_MSG_1122;Local - Cie Máscara umbral recuperac. +HISTORY_MSG_1123;Local - Cie Máscara recuperac. oscuro +HISTORY_MSG_1124;Local - Cie Máscara recuperac. claro +HISTORY_MSG_1125;Local - Cie Máscara recuperac. decaim. +HISTORY_MSG_1126;Local - Cie Máscara laplaciana +HISTORY_MSG_1127;Local - Cie Máscara gamma +HISTORY_MSG_1128;Local - Cie Máscara pendiente +HISTORY_MSG_1129;Local - Cie Luminancia relativa +HISTORY_MSG_1130;Local - Cie Saturación Jz +HISTORY_MSG_1131;Local - Reducc. ruido crom. máscara +HISTORY_MSG_1132;Local - Cie Ondíc. sigma Jz +HISTORY_MSG_1133;Local - Cie Ondíc. nivel Jz +HISTORY_MSG_1134;Local - Cie Ondíc. contraste local Jz +HISTORY_MSG_1135;Local - Cie Ondíc. claridad Jz +HISTORY_MSG_1136;Local - Cie Ondíc. claridad Cz +HISTORY_MSG_1137;Local - Cie Ondíc. claridad suave +HISTORY_MSG_1138;Local - Local - Curva Hz(Hz) +HISTORY_MSG_1139;Local - Jz Curvas suaves H +HISTORY_MSG_1140;Local - Jz Umbral cromaticidad +HISTORY_MSG_1141;Local - Curva cromat. Jz(Hz) +HISTORY_MSG_1142;Local - intensidad suave +HISTORY_MSG_1143;Local - Jz Ev Negro +HISTORY_MSG_1144;Local - Jz Ev Blanco +HISTORY_MSG_1145;Local - Jz Codific. Log +HISTORY_MSG_1146;Local - Jz Codific. Log gris objetivo +HISTORY_MSG_1147;Local - Jz Ev Negro Ev Blanco +HISTORY_MSG_1148;Local - Jz Sigmoide +HISTORY_MSG_BLSHAPE;Difuminado por niveles +HISTORY_MSG_BLURCWAV;Difuminar cromaticidad +HISTORY_MSG_BLURWAV;Difuminar luminancia +HISTORY_MSG_BLUWAV;Respuesta de atenuación +HISTORY_MSG_CAT02PRESET;Preselección automática Cat02/16 +HISTORY_MSG_CATCAT;Modo Cat02/16 +HISTORY_MSG_CATCOMPLEX;Complejidad CIECAM +HISTORY_MSG_CATMODEL;Modelo CAM +HISTORY_MSG_CLAMPOOG;Recortar colores fuera de rango +HISTORY_MSG_COLORTONING_LABGRID_VALUE;Virado - Corrección de color +HISTORY_MSG_COLORTONING_LABREGION_AB;Virado - Corrección de color +HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;Virado - Canal +HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;Virado - Región máscara C +HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;Virado - Máscara H +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;Virado - Claridad +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;Virado - Máscara L +HISTORY_MSG_COLORTONING_LABREGION_LIST;Virado - Lista +HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;Virado - Difuminado máscara región +HISTORY_MSG_COLORTONING_LABREGION_OFFSET;Virado - Desplazamiento región +HISTORY_MSG_COLORTONING_LABREGION_POWER;Virado - Potencia región +HISTORY_MSG_COLORTONING_LABREGION_SATURATION;Virado - Saturación +HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;Virado - Mostrar máscara región +HISTORY_MSG_COLORTONING_LABREGION_SLOPE;Virado - Pendiente región +HISTORY_MSG_COMPLEX;Complejidad ondículas +HISTORY_MSG_COMPLEXRETI;Complejidad Retinex +HISTORY_MSG_DEHAZE_DEPTH;Elim. neblina - Profundidad +HISTORY_MSG_DEHAZE_ENABLED;Elim. neblina +HISTORY_MSG_DEHAZE_LUMINANCE;Elim. neblina - Sólo luminancia +HISTORY_MSG_DEHAZE_SATURATION;Elim. neblina - Saturación +HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Elim. neblina - Mostrar mapa profundidad +HISTORY_MSG_DEHAZE_STRENGTH;Elim. neblina - Intensidad +HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Desentramado doble - Umbral auto +HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Desentramado doble - Umbral contraste +HISTORY_MSG_EDGEFFECT;Respuesta de atenuación en bordes +HISTORY_MSG_FILMNEGATIVE_BALANCE;Película negativa - Salida de referencia +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Espacio de color película negativa +HISTORY_MSG_FILMNEGATIVE_ENABLED;Película negativa +HISTORY_MSG_FILMNEGATIVE_REF_SPOT;Película negativa - Entrada de referencia +HISTORY_MSG_FILMNEGATIVE_VALUES;Valores película negativa +HISTORY_MSG_HISTMATCHING;Curva tonal autoajustada +HISTORY_MSG_HLBL;Propagación de color - difuminado +HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +HISTORY_MSG_ICM_AINTENT;Convers. rango colores perfil abstracto +HISTORY_MSG_ICM_BLUX;Primarios Azul X +HISTORY_MSG_ICM_BLUY;Primarios Azul Y +HISTORY_MSG_ICM_FBW;Blanco y negro +HISTORY_MSG_ICM_GREX;Primarios Verde X +HISTORY_MSG_ICM_GREY;Primarios Verde Y +HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Salida - Primarios +HISTORY_MSG_ICM_OUTPUT_TEMP;Salida - ICC-v4 iluminante D +HISTORY_MSG_ICM_OUTPUT_TYPE;Salida - Tipo +HISTORY_MSG_ICM_PRESER;Preservar tonos pastel +HISTORY_MSG_ICM_REDX;Primarios Rojo X +HISTORY_MSG_ICM_REDY;Primarios Rojo Y +HISTORY_MSG_ICM_WORKING_GAMMA;Espacio trabajo - Gamma +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Método de iluminante +HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Método de primarios +HISTORY_MSG_ICM_WORKING_SLOPE;Espacio trabajo - Pendiente +HISTORY_MSG_ICM_WORKING_TRC_METHOD;Espacio trabajo - Método TRC +HISTORY_MSG_ILLUM;Iluminante +HISTORY_MSG_LOCALCONTRAST_AMOUNT;Contraste local - Cantidad +HISTORY_MSG_LOCALCONTRAST_DARKNESS;Contraste local - Oscuridad +HISTORY_MSG_LOCALCONTRAST_ENABLED;Contraste local +HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;Contraste local - Claridad +HISTORY_MSG_LOCALCONTRAST_RADIUS;Contraste local - Radio +HISTORY_MSG_METADATA_MODE;Modo copia metadatos +HISTORY_MSG_MICROCONTRAST_CONTRAST;Microcontraste - Umbral contraste +HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;Nitidez tras captura - Umbral auto +HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;Nitidez tras captura - Radio auto +HISTORY_MSG_PDSHARPEN_CHECKITER;Nitidez tras captura - Autolimitar iteraciones +HISTORY_MSG_PDSHARPEN_CONTRAST;Nitidez tras captura - Umbral contraste +HISTORY_MSG_PDSHARPEN_ITERATIONS;Nitidez tras captura - Iteraciones +HISTORY_MSG_PDSHARPEN_RADIUS;Nitidez tras captura - Radio +HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;Nitidez tras captura - Aumento radio esquinas +HISTORY_MSG_PERSP_CAM_ANGLE;Perspectiva - Cámara +HISTORY_MSG_PERSP_CAM_FL;Perspectiva - Cámara +HISTORY_MSG_PERSP_CAM_SHIFT;Perspectiva - Cámara +HISTORY_MSG_PERSP_CTRL_LINE;Perspectiva - Líneas de control +HISTORY_MSG_PERSP_METHOD;Perspectiva - Método +HISTORY_MSG_PERSP_PROJ_ANGLE;Perspectiva - Recuperación +HISTORY_MSG_PERSP_PROJ_ROTATE;Perspectiva - Rotación PCA +HISTORY_MSG_PERSP_PROJ_SHIFT;Perspectiva - PCA +HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Promedio +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PixelShift - Método desentramado para movim. +HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Dirección filtro ruido de línea +HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;Filtro líneas autofoco dif. fase +HISTORY_MSG_PREPROCWB_MODE;Modo preprocesado WB +HISTORY_MSG_PROTAB;Protección +HISTORY_MSG_PRSHARPEN_CONTRAST;Nitidez tras cambio tamaño - Umbral contraste +HISTORY_MSG_RANGEAB;Rango ab +HISTORY_MSG_RAWCACORR_AUTOIT;Corrección aberrac. cromát. raw - Iteraciones +HISTORY_MSG_RAWCACORR_COLORSHIFT;Corrección aberrac. cromát. raw - Evitar la deriva de colores +HISTORY_MSG_RAW_BORDER;Borde raw +HISTORY_MSG_RESIZE_ALLOWUPSCALING;Cambio tamaño - Permitir aumento +HISTORY_MSG_RESIZE_LONGEDGE;Cambio tamaño - Lado largo +HISTORY_MSG_RESIZE_SHORTEDGE;Cambio tamaño - Lado corto +HISTORY_MSG_SHARPENING_BLUR;Nitidez - Radio difuminado +HISTORY_MSG_SHARPENING_CONTRAST;Nitidez - Umbral de contraste +HISTORY_MSG_SH_COLORSPACE;Sombras/Luces - Espacio de color +HISTORY_MSG_SIGMACOL;Respuesta atenuación cromaticidad +HISTORY_MSG_SIGMADIR;Respuesta atenuación dir. +HISTORY_MSG_SIGMAFIN;Respuesta atenuación contraste final +HISTORY_MSG_SIGMATON;Respuesta atenuación virado +HISTORY_MSG_SOFTLIGHT_ENABLED;Luz suave +HISTORY_MSG_SOFTLIGHT_STRENGTH;Luz suave - Intensidad +HISTORY_MSG_SPOT;Elim. manchas +HISTORY_MSG_SPOT_ENTRY;Elim. manchas - Punto modif. +HISTORY_MSG_TEMPOUT;Temperatura automática CAM02 +HISTORY_MSG_THRESWAV;Umbral de balance +HISTORY_MSG_TM_FATTAL_ANCHOR;Compresión rango dinámico - Anclaje +HISTORY_MSG_TRANS_METHOD;Geometría - Método +HISTORY_MSG_WAVBALCHROM;Ecualizador cromaticidad +HISTORY_MSG_WAVBALLUM;Ecualizador luminancia +HISTORY_MSG_WAVBL;Difuminar niveles +HISTORY_MSG_WAVCHR;Difumin. niveles - difumin. cromat. +HISTORY_MSG_WAVCHROMCO;Cromaticidad grueso +HISTORY_MSG_WAVCHROMFI;Cromaticidad fino +HISTORY_MSG_WAVCLARI;Claridad +HISTORY_MSG_WAVDENLH;Nivel 5 +HISTORY_MSG_WAVDENMET;Ecualizador local +HISTORY_MSG_WAVDENOISE;Contraste local +HISTORY_MSG_WAVDENOISEH;Contraste local niveles altos +HISTORY_MSG_WAVDETEND;Detalles suaves +HISTORY_MSG_WAVEDGS;Parada en bordes +HISTORY_MSG_WAVGUIDH;Contraste local - Ecualizador de matiz +HISTORY_MSG_WAVHUE;Ecualizador de matiz +HISTORY_MSG_WAVLABGRID_VALUE;Virado - excluir colores +HISTORY_MSG_WAVLEVDEN;Contraste local niveles altos +HISTORY_MSG_WAVLEVELSIGM;Reducc. ruido - radio +HISTORY_MSG_WAVLEVSIGM;Radio +HISTORY_MSG_WAVLIMDEN;Interacción 56 14 +HISTORY_MSG_WAVLOWTHR;Umbral bajo contraste +HISTORY_MSG_WAVMERGEC;Combinar C +HISTORY_MSG_WAVMERGEL;Combinar L +HISTORY_MSG_WAVMIXMET;Contraste local de referencia +HISTORY_MSG_WAVOFFSET;Desplazamiento +HISTORY_MSG_WAVOLDSH;Algoritmo antiguo +HISTORY_MSG_WAVQUAMET;Modo reducc. ruido +HISTORY_MSG_WAVRADIUS;Radio sombras-luces +HISTORY_MSG_WAVSCALE;Escala +HISTORY_MSG_WAVSHOWMASK;Mostrar máscara ondículas +HISTORY_MSG_WAVSIGM;Sigma +HISTORY_MSG_WAVSIGMA;Respuesta de atenuación +HISTORY_MSG_WAVSLIMET;Método +HISTORY_MSG_WAVSOFTRAD;Claridad radio suave +HISTORY_MSG_WAVSOFTRADEND;Radio suave final +HISTORY_MSG_WAVSTREND;Intensidad suave +HISTORY_MSG_WAVTHRDEN;Umbral contraste local +HISTORY_MSG_WAVTHREND;Umbral contraste local +HISTORY_MSG_WAVUSHAMET;Método de claridad +HISTORY_NEWSNAPSHOT;Añadir instantánea +HISTORY_NEWSNAPSHOT_TOOLTIP;Atajo de teclado: Alt-s +HISTORY_SNAPSHOT;Instantánea +HISTORY_SNAPSHOTS;Instantáneas +ICCPROFCREATOR_COPYRIGHT;Copyright: +ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Restablecer el copyright predeterminado, concedido a «RawTherapee, CC0». +ICCPROFCREATOR_CUSTOM;Personalizado +ICCPROFCREATOR_DESCRIPTION;Descripción: +ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Adjuntar los valores de gamma y pendiente a la descripción +ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Dejar en blanco para establecer la descripción predeterminada. +ICCPROFCREATOR_GAMMA;Gamma +ICCPROFCREATOR_ICCVERSION;Versión de ICC: +ICCPROFCREATOR_ILL;Iluminante: +ICCPROFCREATOR_ILL_41;D41 +ICCPROFCREATOR_ILL_50;D50 +ICCPROFCREATOR_ILL_55;D55 +ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_65;D65 +ICCPROFCREATOR_ILL_80;D80 +ICCPROFCREATOR_ILL_DEF;Predeterminado +ICCPROFCREATOR_ILL_INC;StdA 2856K +ICCPROFCREATOR_ILL_TOOLTIP;Se puede ajustar el iluminante para perfiles ICC v4 y también para perfiles ICC v2. +ICCPROFCREATOR_PRIMARIES;Primarios: +ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 +ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 +ICCPROFCREATOR_PRIM_ADOBE;Adobe RGB (1998) +ICCPROFCREATOR_PRIM_BEST;BestRGB +ICCPROFCREATOR_PRIM_BETA;BetaRGB +ICCPROFCREATOR_PRIM_BLUX;Azul X +ICCPROFCREATOR_PRIM_BLUY;Azul Y +ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_GREX;Verde X +ICCPROFCREATOR_PRIM_GREY;Verde Y +ICCPROFCREATOR_PRIM_PROPH;Prophoto +ICCPROFCREATOR_PRIM_REC2020;Rec2020 +ICCPROFCREATOR_PRIM_REDX;Rojo X +ICCPROFCREATOR_PRIM_REDY;Rojo Y +ICCPROFCREATOR_PRIM_SRGB;sRGB +ICCPROFCREATOR_PRIM_TOOLTIP;Se pueden ajustar primarios personalizados para perfiles ICC v4 y también para perfiles ICC v2. +ICCPROFCREATOR_PRIM_WIDEG;Widegamut +ICCPROFCREATOR_PROF_V2;ICC v2 +ICCPROFCREATOR_PROF_V4;ICC v4 +ICCPROFCREATOR_SAVEDIALOG_TITLE;Guardar perfil ICC como... +ICCPROFCREATOR_SLOPE;Pendiente +ICCPROFCREATOR_TRC_PRESET;Curva de respuesta de tono: +INSPECTOR_WINDOW_TITLE;Inspeccionar +IPTCPANEL_CATEGORY;Categoría +IPTCPANEL_CATEGORYHINT;Identifica el tema de la imagen en opinión del proveedor. +IPTCPANEL_CITY;Ciudad +IPTCPANEL_CITYHINT;Nombre de la ciudad mostrada en esta imagen. +IPTCPANEL_COPYHINT;Copia los ajustes IPTC al portapapeles. +IPTCPANEL_COPYRIGHT;Información de copyright +IPTCPANEL_COPYRIGHTHINT;Información acerca del propietario actual del copyright para esta imagen, como © 2008 Jane Doe. +IPTCPANEL_COUNTRY;País +IPTCPANEL_COUNTRYHINT;Nombre del país mostrado en esta imagen. +IPTCPANEL_CREATOR;Creador +IPTCPANEL_CREATORHINT;Nombre de la persona que creó esta imagen. +IPTCPANEL_CREATORJOBTITLE;Profesión del creador +IPTCPANEL_CREATORJOBTITLEHINT;Profesión de la persona indicada en el campo Creador. +IPTCPANEL_CREDIT;Reconocimientos +IPTCPANEL_CREDITHINT;Quién debe recibir los reconocimientos cuando esta imagen se publique. +IPTCPANEL_DATECREATED;Fecha de creación +IPTCPANEL_DATECREATEDHINT;Fecha en que se tomó esta imagen. +IPTCPANEL_DESCRIPTION;Descripción +IPTCPANEL_DESCRIPTIONHINT;Descripción de los quién, qué y por qué de lo que está ocurriendo en esta imagen. Esto podría incluir nombres de personas y/o su papel en la acción que está teniendo lugar en la imagen. +IPTCPANEL_DESCRIPTIONWRITER;Escritor de la descripción +IPTCPANEL_DESCRIPTIONWRITERHINT;Nombre de la persona que ha escrito, editado o corregido la descripción de la imagen. +IPTCPANEL_EMBEDDED;Embebido +IPTCPANEL_EMBEDDEDHINT;Restablece los datos IPTC embebidos en el archivo de imagen. +IPTCPANEL_HEADLINE;Titular +IPTCPANEL_HEADLINEHINT;Breve sinopsis o resumen publicable del contenido de la imagen. +IPTCPANEL_INSTRUCTIONS;Instrucciones +IPTCPANEL_INSTRUCTIONSHINT;Información acerca de embargos u otras restricciones no cubiertas por el campo Copyright. +IPTCPANEL_KEYWORDS;Palabras clave +IPTCPANEL_KEYWORDSHINT;Cualquier número de palabras clave, términos o frases usadas para expresar la temática de la imagen. +IPTCPANEL_PASTEHINT;Pega ajustes IPTC desde el portapapeles. +IPTCPANEL_PROVINCE;Provincia o estado +IPTCPANEL_PROVINCEHINT;Nombre de la provincia o estado mostrado en esta imagen. +IPTCPANEL_RESET;Restablecer +IPTCPANEL_RESETHINT;Restablece los valores predeterminados del perfil. +IPTCPANEL_SOURCE;Fuente +IPTCPANEL_SOURCEHINT;Nombre de una persona o parte que tiene un papel en la cadena de suministro del contenido, como la persona o entidad de la que se ha recibido esta imagen. +IPTCPANEL_SUPPCATEGORIES;Categorías adicionales +IPTCPANEL_SUPPCATEGORIESHINT;Refina aún más el tema de la imagen. +IPTCPANEL_TITLE;Título +IPTCPANEL_TITLEHINT;Nombre verbal y legible para la imagen. Puede ser el nombre del archivo de imagen. +IPTCPANEL_TRANSREFERENCE;Job ID +IPTCPANEL_TRANSREFERENCEHINT;Número o identificador necesario para el control del flujo de trabajo o el seguimiento. +MAIN_BUTTON_FULLSCREEN;Pantalla completa +MAIN_BUTTON_ICCPROFCREATOR;Creador de perfiles ICC +MAIN_BUTTON_NAVNEXT_TOOLTIP;Navega a la imagen siguiente a la que está abierta en el Editor.\nAtajo de teclado: Mayús-F4\n\nPara navegar a la imagen siguiente a la miniatura actualmente seleccionada en el Navegador de archivos o la Tira de imágenes:\nAtajo de teclado: F4 +MAIN_BUTTON_NAVPREV_TOOLTIP;Navega a la imagen anterior a la que está abierta en el Editor.\nAtajo de teclado: Mayús-F3\n\nPara navegar a la imagen anterior a la miniatura actualmente seleccionada en el Navegador de archivos o la Tira de imágenes:\nAtajo de teclado: F3 +MAIN_BUTTON_NAVSYNC_TOOLTIP;Sincroniza el Navegador de archivos o la Tira de imágenes con el Editor para mostrar la miniatura de la imagen actualmente abierta, y suprime cualquier filtro activo.\nAtajo de teclado: x\n\nIgual que lo anterior, pero sin suprimir los filtros activos:\nAtajo de teclado: y\n(Obsérvese que la miniatura de la imagen abierta no se mostrará si está filtrada). +MAIN_BUTTON_PREFERENCES;Preferencias +MAIN_BUTTON_PUTTOQUEUE_TOOLTIP;Envía la imagen actual a la cola de procesamiento.\nAtajo de teclado: Ctrl+b +MAIN_BUTTON_SAVE_TOOLTIP;Guarda la imagen actual.\nAtajo de teclado: Ctrl+s\nGuarda el perfil actual (.pp3).\nAtajo de teclado: Ctrl+Mayús+s +MAIN_BUTTON_SENDTOEDITOR;Editar la imagen en un editor externo +MAIN_BUTTON_SENDTOEDITOR_TOOLTIP;Edita la imagen actual en un editor externo.\nAtajo de teclado: Ctrl+e +MAIN_BUTTON_SHOWHIDESIDEPANELS_TOOLTIP;Muestra/oculta todos los paneles laterales.\nAtajo de teclado: m +MAIN_BUTTON_UNFULLSCREEN;Salir de pantalla completa +MAIN_FRAME_EDITOR;Editor +MAIN_FRAME_EDITOR_TOOLTIP;Editor.\nAtajo de teclado: Ctrl-F4 +MAIN_FRAME_FILEBROWSER;Navegador de archivos +MAIN_FRAME_FILEBROWSER_TOOLTIP;Navegador de archivos.\nAtajo de teclado: Ctrl-F2 +MAIN_FRAME_PLACES;Ubicaciones +MAIN_FRAME_PLACES_ADD;Añadir +MAIN_FRAME_PLACES_DEL;Borrar +MAIN_FRAME_QUEUE;Cola +MAIN_FRAME_QUEUE_TOOLTIP;Cola de revelado.\nAtajo de teclado: Ctrl-F3 +MAIN_FRAME_RECENT;Carpetas recientes +MAIN_MSG_ALREADYEXISTS;El archivo ya existe. +MAIN_MSG_CANNOTLOAD;No se puede cargar la imagen +MAIN_MSG_CANNOTSAVE;Error al guardar el archivo +MAIN_MSG_CANNOTSTARTEDITOR;No se puede arrancar el editor. +MAIN_MSG_CANNOTSTARTEDITOR_SECONDARY;Por favor, establezca la ruta correcta en Preferencias. +MAIN_MSG_EMPTYFILENAME;¡Nombre de archivo no especificado! +MAIN_MSG_IMAGEUNPROCESSED;Esta orden necesita que todas las imágenes seleccionadas se procesen primero en la cola. +MAIN_MSG_NAVIGATOR;Navegador +MAIN_MSG_OPERATIONCANCELLED;Operación cancelada +MAIN_MSG_PATHDOESNTEXIST;La ruta\n\n%1\n\nno existe. Por favor, establezca una ruta correcta en Preferencias. +MAIN_MSG_QOVERWRITE;¿Desea sobreescribirlo? +MAIN_MSG_SETPATHFIRST;¡Para usar esta función, primero se debe establecer una ruta de destino en Preferencias! +MAIN_MSG_TOOMANYOPENEDITORS;Demasiados editores abiertos.\nPor favor, cierre un editor para continuar. +MAIN_MSG_WRITEFAILED;No se ha podido escribir\n«%1»\n\nAsegúrese de que la carpeta existe, y que tiene permiso de escritura en ella. +MAIN_TAB_ADVANCED;Avanzado +MAIN_TAB_ADVANCED_TOOLTIP;Atajo de teclado: Alt-w +MAIN_TAB_COLOR;Color +MAIN_TAB_COLOR_TOOLTIP;Atajo de teclado: Alt-c +MAIN_TAB_DETAIL;Detalle +MAIN_TAB_DETAIL_TOOLTIP;Atajo de teclado: Alt-d +MAIN_TAB_DEVELOP; Revelado por lotes +MAIN_TAB_EXIF;Exif +MAIN_TAB_EXPORT;Exportación rápida +MAIN_TAB_EXPOSURE;Exposición +MAIN_TAB_EXPOSURE_TOOLTIP;Atajo de teclado: Alt-e +MAIN_TAB_FAVORITES;Favoritos +MAIN_TAB_FAVORITES_TOOLTIP;Atajo de teclado: Alt-u +MAIN_TAB_FILTER; Filtro +MAIN_TAB_INSPECT; Inspeccionar +MAIN_TAB_IPTC;IPTC +MAIN_TAB_LOCALLAB;Local +MAIN_TAB_LOCALLAB_TOOLTIP;Atajo de teclado: Alt-o +MAIN_TAB_METADATA;Metadatos +MAIN_TAB_METADATA_TOOLTIP;Atajo de teclado: Alt-m +MAIN_TAB_RAW;Raw +MAIN_TAB_RAW_TOOLTIP;Atajo de teclado: Alt-r +MAIN_TAB_TRANSFORM;Transformar +MAIN_TAB_TRANSFORM_TOOLTIP;Atajo de teclado: Alt-t +MAIN_TOOLTIP_BACKCOLOR0;Color de fondo de la vista previa: Color del tema\nAtajo de teclado: 9 +MAIN_TOOLTIP_BACKCOLOR1;Color de fondo de la vista previa: Negro\nAtajo de teclado: 9 +MAIN_TOOLTIP_BACKCOLOR2;Color de fondo de la vista previa: Blanco\nAtajo de teclado: 9 +MAIN_TOOLTIP_BACKCOLOR3;Color de fondo de la vista previa: Gris medio\nAtajo de teclado: 9 +MAIN_TOOLTIP_BEFOREAFTERLOCK;Bloquear / Desbloquear la vista Antes\n\nBloquear: la vista Antes permanece sin cambios.\nEs útil para evaluar los efectos acumulados de varias herramientas.\nAdicionalmente, se pueden hacer comparaciones con cualquier estado en la Historia.\n\nDesbloquear: la vista Antes mostrará un paso de edición por detrás de la vista Después, es decir, mostrará la imagen antes de los efectos de la herramienta actualmente usada. +MAIN_TOOLTIP_HIDEHP;Muestra/oculta el panel izquierdo (incluyendo la historia).\nAtajo de teclado: l +MAIN_TOOLTIP_INDCLIPPEDH;Indicación de recorte de luces.\nAtajo de teclado: > +MAIN_TOOLTIP_INDCLIPPEDS;Indicación de recorte de sombras.\nAtajo de teclado: < +MAIN_TOOLTIP_PREVIEWB;Vista previa del canal azul.\nAtajo de teclado: b +MAIN_TOOLTIP_PREVIEWFOCUSMASK;Vista previa de la máscara de foco.\nAtajo de teclado: Mayús-f\n\nEs más precisa en imágenes con poca profundidad de campo, bajo ruido y a niveles altos de ampliación.\nPara mejorar la precisión de la detección en imágenes ruidosas, se debe reducir la ampliación de la vista previa al 10-30%. +MAIN_TOOLTIP_PREVIEWG;Vista previa del canal verde.\nAtajo de teclado: g +MAIN_TOOLTIP_PREVIEWL;Vista previa de la luminancia.\nAtajo de teclado: v\n\nL = 0.299*R + 0.587*G + 0.114*B +MAIN_TOOLTIP_PREVIEWR;Vista previa del canal rojo.\nAtajo de teclado: r +MAIN_TOOLTIP_PREVIEWSHARPMASK;Vista previa de la máscara de contraste de nitidez.\nAtajo de teclado: p\n\nSólo funciona cuando la nitidez está activada y el nivel de ampliación es >= 100%. +MAIN_TOOLTIP_QINFO;Información rápida sobre la imagen.\nAtajo de teclado: i +MAIN_TOOLTIP_SHOWHIDELP1;Muestra/oculta el panel izquierdo.\nAtajo de teclado: l +MAIN_TOOLTIP_SHOWHIDERP1;Muestra/oculta el panel derecho.\nAtajo de teclado: Alt-l +MAIN_TOOLTIP_SHOWHIDETP1;Muestra/oculta el panel superior.\nAtajo de teclado: Mayús-l +MAIN_TOOLTIP_THRESHOLD;Umbral +MAIN_TOOLTIP_TOGGLE;Activa/desactiva la vista Antes/Después.\nAtajo de teclado: Mayús-b +MONITOR_PROFILE_SYSTEM;Predeterminado del sistema +NAVIGATOR_B;B: +NAVIGATOR_G;G: +NAVIGATOR_H;H: +NAVIGATOR_LAB_A;a*: +NAVIGATOR_LAB_B;b*: +NAVIGATOR_LAB_L;L*: +NAVIGATOR_NA; -- +NAVIGATOR_R;R: +NAVIGATOR_S;S: +NAVIGATOR_V;V: +NAVIGATOR_XY_FULL;Anchura: %1, Altura: %2 +NAVIGATOR_XY_NA;x: --, y: -- +OPTIONS_BUNDLED_MISSING;El perfil incorporado «%1» no se encuentra.\n\nLa instalación puede estar dañada.\n\nEn su lugar se usarán valores internos predeterminados. +OPTIONS_DEFIMG_MISSING;El perfil predeterminado para fotos no-raw no se encuentra o no se ha establecido.\n\nPor favor, compruebe su carpeta de perfiles, es posible que no exista o esté dañada.\n\nEn su lugar se usará «%1». +OPTIONS_DEFRAW_MISSING;El perfil predeterminado para fotos raw no se encuentra o no se ha establecido.\n\nPor favor, compruebe su carpeta de perfiles, es posible que no exista o esté dañada.\n\nEn su lugar se usará «%1». +PARTIALPASTE_ADVANCEDGROUP;Ajustes avanzados +PARTIALPASTE_BASICGROUP;Ajustes básicos +PARTIALPASTE_CACORRECTION;Corrección de aberración cromática +PARTIALPASTE_CHANNELMIXER;Mezclador de canales +PARTIALPASTE_CHANNELMIXERBW;Blanco y negro +PARTIALPASTE_COARSETRANS;Rotación/Volteo grueso +PARTIALPASTE_COLORAPP;CIECAM02/16 +PARTIALPASTE_COLORGROUP;Ajustes de color +PARTIALPASTE_COLORTONING;Virado de color +PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-llenado +PARTIALPASTE_COMPOSITIONGROUP;Ajustes de composición +PARTIALPASTE_CROP;Recorte +PARTIALPASTE_DARKFRAMEAUTOSELECT;Auto-selección de foto negra +PARTIALPASTE_DARKFRAMEFILE;Archivo de foto negra +PARTIALPASTE_DEFRINGE;Eliminación de borde púrpura +PARTIALPASTE_DEHAZE;Eliminación de neblina +PARTIALPASTE_DETAILGROUP;Ajustes de detalle +PARTIALPASTE_DIALOGLABEL;Pegado parcial de perfil de revelado +PARTIALPASTE_DIRPYRDENOISE;Reducción de ruido +PARTIALPASTE_DIRPYREQUALIZER;Contraste por niveles de detalle +PARTIALPASTE_DISTORTION;Corrección de distorsión +PARTIALPASTE_EPD;Mapeo tonal +PARTIALPASTE_EQUALIZER;Niveles de ondículas +PARTIALPASTE_EVERYTHING;Todo +PARTIALPASTE_EXIFCHANGES;Exif +PARTIALPASTE_EXPOSURE;Exposición +PARTIALPASTE_FILMNEGATIVE;Película negativa +PARTIALPASTE_FILMSIMULATION;Simulación de película +PARTIALPASTE_FLATFIELDAUTOSELECT;Auto-selección de campo plano +PARTIALPASTE_FLATFIELDBLURRADIUS;Radio de difuminado de campo plano +PARTIALPASTE_FLATFIELDBLURTYPE;Tipo de difuminado de campo plano +PARTIALPASTE_FLATFIELDCLIPCONTROL;Control de recorte de campo plano +PARTIALPASTE_FLATFIELDFILE;Archivo de campo plano +PARTIALPASTE_GRADIENT;Filtro graduado +PARTIALPASTE_HSVEQUALIZER;Ecualizador HSV +PARTIALPASTE_ICMSETTINGS;Ajustes de gestión de color +PARTIALPASTE_IMPULSEDENOISE;Reducción de ruido impulsivo +PARTIALPASTE_IPTCINFO;IPTC +PARTIALPASTE_LABCURVE;Ajustes L*a*b* +PARTIALPASTE_LENSGROUP;Ajustes del objetivo +PARTIALPASTE_LENSPROFILE;Perfil de corrección de objetivo +PARTIALPASTE_LOCALCONTRAST;Contraste local +PARTIALPASTE_LOCALLAB;Ajustes locales +PARTIALPASTE_LOCALLABGROUP;Config. Ajustes locales +PARTIALPASTE_METADATA;Modo de metadatos +PARTIALPASTE_METAGROUP;Ajustes de metadatos +PARTIALPASTE_PCVIGNETTE;Filtro de viñeteado +PARTIALPASTE_PERSPECTIVE;Perspectiva +PARTIALPASTE_PREPROCESS_DEADPIXFILT;Filtro de píxels muertos +PARTIALPASTE_PREPROCESS_GREENEQUIL;Equilibrado de verdes +PARTIALPASTE_PREPROCESS_HOTPIXFILT;Filtro de píxels calientes +PARTIALPASTE_PREPROCESS_LINEDENOISE;Filtro de ruido de línea +PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;Filtro de líneas autofoco por dif. fase +PARTIALPASTE_PREPROCWB;Preprocesado balance de blancos +PARTIALPASTE_PRSHARPENING;Nitidez tras cambio de tamaño +PARTIALPASTE_RAWCACORR_AUTO;Autocorrección aberración cromática +PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;Evitar la deriva de colores (aberración cromática) +PARTIALPASTE_RAWCACORR_CAREDBLUE;Aberración cromática rojo y azul +PARTIALPASTE_RAWEXPOS_BLACK;Niveles de negro +PARTIALPASTE_RAWEXPOS_LINEAR;Corrección del punto blanco +PARTIALPASTE_RAWGROUP;Ajustes Raw +PARTIALPASTE_RAW_BORDER;Borde Raw +PARTIALPASTE_RAW_DCBENHANCE;Mejora DCB +PARTIALPASTE_RAW_DCBITERATIONS;Iteraciones DCB +PARTIALPASTE_RAW_DMETHOD;Método de desentramado +PARTIALPASTE_RAW_FALSECOLOR;Supresión de falso color +PARTIALPASTE_RAW_IMAGENUM;Sub-imagen +PARTIALPASTE_RAW_LMMSEITERATIONS;Pasos de mejora LMMSE +PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift +PARTIALPASTE_RESIZE;Cambio de tamaño +PARTIALPASTE_RETINEX;Retinex +PARTIALPASTE_RGBCURVES;Curvas RGB +PARTIALPASTE_ROTATION;Rotación +PARTIALPASTE_SHADOWSHIGHLIGHTS;Sombras/Luces +PARTIALPASTE_SHARPENEDGE;Bordes +PARTIALPASTE_SHARPENING;Nitidez (USM/RL) +PARTIALPASTE_SHARPENMICRO;Microcontraste +PARTIALPASTE_SOFTLIGHT;Luz suave +PARTIALPASTE_TM_FATTAL;Compresión de rango dinámico +PARTIALPASTE_VIBRANCE;Vivacidad +PARTIALPASTE_VIGNETTING;Corrección de viñeteado +PARTIALPASTE_WHITEBALANCE;Balance de blancos +PREFERENCES_ADD;Añadir +PREFERENCES_APPEARANCE;Apariencia +PREFERENCES_APPEARANCE_COLORPICKERFONT;Tipo de letra del muestreador de color +PREFERENCES_APPEARANCE_CROPMASKCOLOR;Color de la máscara de recorte +PREFERENCES_APPEARANCE_MAINFONT;Tipo de letra principal +PREFERENCES_APPEARANCE_NAVGUIDECOLOR;Color de la guía del navegador +PREFERENCES_APPEARANCE_PSEUDOHIDPI;Modo pseudo-HiDPI +PREFERENCES_APPEARANCE_THEME;Tema +PREFERENCES_APPLNEXTSTARTUP;Se necesita reiniciar +PREFERENCES_AUTOMONPROFILE;Usar el perfil de color del monitor principal del sistema operativo +PREFERENCES_AUTOSAVE_TP_OPEN;Guardar estado expandido/replegado de las herramientas al salir +PREFERENCES_BATCH_PROCESSING;Procesamiento por lotes +PREFERENCES_BEHADDALL;Todos a «Añadir» +PREFERENCES_BEHADDALLHINT;Pone todos los parámetros en el modo Añadir.\nLos ajustes de los parámetros en el panel de la herramienta de lotes serán incrementos sobre los valores almacenados. +PREFERENCES_BEHAVIOR;Comportamiento +PREFERENCES_BEHSETALL;Todos a «Establecer» +PREFERENCES_BEHSETALLHINT;Pone todos los parámetros en el modo Establecer.\nLos ajustes de los parámetros en el panel de la herramienta de lotes serán absolutos, y se mostrarán los valores reales. +PREFERENCES_CACHECLEAR;Limpiar +PREFERENCES_CACHECLEAR_ALL;Limpiar todos los archivos en caché: +PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Limpiar todos los archivos en caché excepto los perfiles de procesamiento: +PREFERENCES_CACHECLEAR_ONLYPROFILES;Limpia solamente los perfiles de procesamiento en caché: +PREFERENCES_CACHECLEAR_SAFETY;Sólo se limpian los archivos en caché. Los perfiles de procesamiento almacenados junto con las imágenes originales no se tocan. +PREFERENCES_CACHEMAXENTRIES;Máximo número de entradas en caché +PREFERENCES_CACHEOPTS;Opciones de caché +PREFERENCES_CACHETHUMBHEIGHT;Altura máxima de las miniaturas +PREFERENCES_CHUNKSIZES;Teselas por hilo de ejecución +PREFERENCES_CHUNKSIZE_RAW_AMAZE;Desentramado AMaZE +PREFERENCES_CHUNKSIZE_RAW_CA;Corrección de aberración cromática raw +PREFERENCES_CHUNKSIZE_RAW_RCD;Desentramado RCD +PREFERENCES_CHUNKSIZE_RAW_XT;Desentramado X-Trans +PREFERENCES_CHUNKSIZE_RGB;Procesado RGB +PREFERENCES_CIE;Ciecam +PREFERENCES_CIEARTIF;Evitar los artefactos +PREFERENCES_CLIPPINGIND;Indicación de recorte +PREFERENCES_CLUTSCACHE;Caché de HaldCLUT +PREFERENCES_CLUTSCACHE_LABEL;Número máximo de CLUTs en caché +PREFERENCES_CLUTSDIR;Carpeta de HaldCLUT +PREFERENCES_CMMBPC;Compensación de punto negro +PREFERENCES_COMPLEXITYLOC;Complejidad predeterminada para ajustes locales +PREFERENCES_COMPLEXITY_EXP;Avanzado +PREFERENCES_COMPLEXITY_NORM;Estándar +PREFERENCES_COMPLEXITY_SIMP;Básico +PREFERENCES_CROP;Edición del recorte +PREFERENCES_CROP_AUTO_FIT;Ajustar automáticamente el recorte al tamaño de la vista previa +PREFERENCES_CROP_GUIDES;Se muestran las guías mientras no se edita el recorte +PREFERENCES_CROP_GUIDES_FRAME;Marco +PREFERENCES_CROP_GUIDES_FULL;Original +PREFERENCES_CROP_GUIDES_NONE;Ninguna +PREFERENCES_CURVEBBOXPOS;Posición de los botones de copiar/pegar curva +PREFERENCES_CURVEBBOXPOS_ABOVE;Encima +PREFERENCES_CURVEBBOXPOS_BELOW;Debajo +PREFERENCES_CURVEBBOXPOS_LEFT;Izquierda +PREFERENCES_CURVEBBOXPOS_RIGHT;Derecha +PREFERENCES_CUSTPROFBUILD;Constructor de perfiles de revelado personalizados +PREFERENCES_CUSTPROFBUILDHINT;Archivo ejecutable (o archivo de órdenes) que se invoca cuando ha de generarse un perfil de revelado inicial nuevo para una imagen.\n\nLa ruta del archivo de comunicación (similar a un archivo *.ini, también llamado «Keyfile») se añade como un parámetro de línea de orden. Contiene varios parámetros necesarios para los archivos de órdenes y los datos Exif de la imagen, a fin de facilitar la generación de perfiles de procesamiento en función de reglas.\n\nADVERTENCIA:El usuario es responsable de usar comillas dobles donde sea necesario si se están usando rutas que contienen espacios. +PREFERENCES_CUSTPROFBUILDKEYFORMAT;Formato de claves +PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Nombre +PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID +PREFERENCES_CUSTPROFBUILDPATH;Ruta ejecutable +PREFERENCES_DARKFRAMEFOUND;Encontrada +PREFERENCES_DARKFRAMESHOTS;tomas +PREFERENCES_DARKFRAMETEMPLATES;plantillas +PREFERENCES_DATEFORMAT;Formato de fecha +PREFERENCES_DATEFORMATHINT;Se pueden usar las siguientes cadenas de formateo:\n%y - año\n%m - mes\n%d - día\n\nPor ejemplo, el estándar ISO 8601 dicta un formato de fecha como sigue:\n%y-%m-%d +PREFERENCES_DIRDARKFRAMES;Carpeta de fotos negras +PREFERENCES_DIRECTORIES;Carpetas +PREFERENCES_DIRHOME;Carpeta del usuario +PREFERENCES_DIRLAST;Última carpeta visitada +PREFERENCES_DIROTHER;Otra +PREFERENCES_DIRSELECTDLG;Seleccionar carpeta de imágenes durante el arranque... +PREFERENCES_DIRSOFTWARE;Carpeta de instalación +PREFERENCES_EDITORCMDLINE;Línea de orden personalizada +PREFERENCES_EDITORLAYOUT;Disposición del Editor +PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Ignorar el perfil de salida +PREFERENCES_EXTEDITOR_DIR;Carpeta de salida +PREFERENCES_EXTEDITOR_DIR_CURRENT;La misma que la imagen de entrada +PREFERENCES_EXTEDITOR_DIR_CUSTOM;Personalizada +PREFERENCES_EXTEDITOR_DIR_TEMP;Carpeta temporal del sistema operativo +PREFERENCES_EXTEDITOR_FLOAT32;Salida TIFF 32 bits coma flotante +PREFERENCES_EXTERNALEDITOR;Editor externo +PREFERENCES_FBROWSEROPTS;Opciones de Navegador de archivos/Miniaturas +PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Barras de herramientas compactas en Navegador de archivos +PREFERENCES_FLATFIELDFOUND;Encontrado +PREFERENCES_FLATFIELDSDIR;Carpeta de archivos de campo plano +PREFERENCES_FLATFIELDSHOTS;tomas +PREFERENCES_FLATFIELDTEMPLATES;plantillas +PREFERENCES_FORIMAGE;Para fotos no-raw +PREFERENCES_FORRAW;Para fotos raw +PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;La misma altura de miniaturas en la Tira de imágenes y en el Navegador de archivos +PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;El uso de tamaños de miniatura distintos necesita más tiempo de procesamiento cada vez que se cambia entre el Editor y el Navegador de archivos. +PREFERENCES_GIMPPATH;Carpeta de instalación de GIMP +PREFERENCES_HISTOGRAMPOSITIONLEFT;Histograma en panel izquierdo +PREFERENCES_HISTOGRAM_TOOLTIP;Si se activa, se usará el perfil de trabajo para mostrar el histograma principal y el panel del Navegador. Si se desactiva, se usará el perfil de salida con corrección gamma. +PREFERENCES_HLTHRESHOLD;Umbral de recorte de luces +PREFERENCES_ICCDIR;Carpeta de perfiles de color +PREFERENCES_IMG_RELOAD_NEEDED;Estos cambios requieren que se vuelva a cargar la imagen (o que se abra una nueva) para que tengan efecto. +PREFERENCES_IMPROCPARAMS;Perfil de revelado predeterminado +PREFERENCES_INSPECTORWINDOW;Abrir inspector en su propia ventana o en pantalla completa +PREFERENCES_INSPECT_LABEL;Inspeccionar +PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Número máximo de imágenes en caché +PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Establece el número máximo de imágenes almacenadas en caché al pasar el cursor sobre ellas en el Navegador de archivos; en los sistemas con poca memoria RAM (2 GB) este valor debe ajustarse a 1 o 2. +PREFERENCES_INTENT_ABSOLUTE;Colorimétrico absoluto +PREFERENCES_INTENT_PERCEPTUAL;Perceptual +PREFERENCES_INTENT_RELATIVE;Colorimétrico relativo +PREFERENCES_INTENT_SATURATION;Saturación +PREFERENCES_INTERNALTHUMBIFUNTOUCHED;Mostrar miniatura JPEG embebida si el raw no se ha editado +PREFERENCES_LANG;Idioma +PREFERENCES_LANGAUTODETECT;Usar idioma del sistema +PREFERENCES_MAXRECENTFOLDERS;Número máximo de carpetas recientes +PREFERENCES_MENUGROUPEXTPROGS;Grupo «Abrir con» +PREFERENCES_MENUGROUPFILEOPERATIONS;Grupo «Operaciones con archivos» +PREFERENCES_MENUGROUPLABEL;Grupo «Etiquetas de color» +PREFERENCES_MENUGROUPPROFILEOPERATIONS;Grupo «Operaciones con perfiles» +PREFERENCES_MENUGROUPRANK;Grupo «Asignar rango» +PREFERENCES_MENUOPTIONS;Opciones de menú contextual +PREFERENCES_MONINTENT;Método predeterminado de conversión de rango de colores +PREFERENCES_MONITOR;Monitor +PREFERENCES_MONPROFILE;Perfil de color predeterminado +PREFERENCES_MONPROFILE_WARNOSX;Debido a las limitaciones de MacOS, sólo está soportado sRGB. +PREFERENCES_MULTITAB;Modo de Editor de varias pestañas +PREFERENCES_MULTITABDUALMON;Modo de Editor de varias pestañas en segundo monitor, si está disponible +PREFERENCES_NAVIGATIONFRAME;Navegación +PREFERENCES_OVERLAY_FILENAMES;Superponer nombres de archivo en las miniaturas del Navegador de archivos +PREFERENCES_OVERLAY_FILENAMES_FILMSTRIP;Superponer nombres de archivo en miniaturas en la Tira de imágenes +PREFERENCES_OVERWRITEOUTPUTFILE;Sobreescribir archivos de salida existentes +PREFERENCES_PANFACTORLABEL;Tasa de amplificación del desplazamiento de vista previa +PREFERENCES_PARSEDEXT;Extensiones de archivo analizadas +PREFERENCES_PARSEDEXTADD;Añadir extensión de archivo +PREFERENCES_PARSEDEXTADDHINT;Añade la extensión introducida a la lista. +PREFERENCES_PARSEDEXTDELHINT;Borra la extensión seleccionada de la lista. +PREFERENCES_PARSEDEXTDOWNHINT;Mueve la extensión seleccionada hacia abajo en la lista. +PREFERENCES_PARSEDEXTUPHINT;Mueve la extensión seleccionada hacia arriba en la lista. +PREFERENCES_PERFORMANCE_MEASURE;Medir +PREFERENCES_PERFORMANCE_MEASURE_HINT;Anota los tiempos de procesamiento en la consola. +PREFERENCES_PERFORMANCE_THREADS;Hilos de ejecución +PREFERENCES_PERFORMANCE_THREADS_LABEL;Número máximo de hilos para Reducción de ruido y Niveles de ondículas (0 = Automático) +PREFERENCES_PREVDEMO;Método de desentramado de la vista previa +PREFERENCES_PREVDEMO_FAST;Fast +PREFERENCES_PREVDEMO_LABEL;Método de desentramado usado para la vista previa a ampliaciones <100%: +PREFERENCES_PREVDEMO_SIDECAR;Como en PP3 +PREFERENCES_PRINTER;Impresora (Prueba de impresión) +PREFERENCES_PROFILEHANDLING;Manejo de perfiles de procesamiento +PREFERENCES_PROFILELOADPR;Prioridad de carga de perfiles de procesamiento +PREFERENCES_PROFILEPRCACHE;Perfil en caché +PREFERENCES_PROFILEPRFILE;Perfil junto a archivo de entrada +PREFERENCES_PROFILESAVEBOTH;Guardar perfil de revelado tanto en caché como junto al archivo de entrada +PREFERENCES_PROFILESAVECACHE;Guardar perfil de revelado en caché +PREFERENCES_PROFILESAVEINPUT;Guardar perfil de revelado junto al archivo de entrada +PREFERENCES_PROFILESAVELOCATION;Ubicación donde guardar el perfil de revelado +PREFERENCES_PROFILE_NONE;Ninguno +PREFERENCES_PROPERTY;Propiedad +PREFERENCES_PRTINTENT;Método de conversión del rango de colores +PREFERENCES_PRTPROFILE;Perfil de color +PREFERENCES_PSPATH;Carpeta de instalación de Adobe Photoshop +PREFERENCES_REMEMBERZOOMPAN;Recordar el % de ampliación y la posición de desplazamiento +PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Recuerda el % de ampliación y la posición de desplazamiento de la imagen actual al abrir una nueva imagen.\n\nEsta opción sólo funciona en el modo «Editor de pestaña única» y cuando el «Método de desentramado usado para la vista previa a ampliaciones <100%» está configurado a «Como en PP3». +PREFERENCES_SAVE_TP_OPEN_NOW;Guardar ahora el estado expandido/replegado de las herramientas +PREFERENCES_SELECTLANG;Seleccionar idioma +PREFERENCES_SERIALIZE_TIFF_READ;Ajustes de lectura de TIFF +PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serializar lectura de archivos TIFF +PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Al activar esta opción, cuando se trabaje con carpetas que contengan archivos TIFF no comprimidos, el rendimiento de la generación de miniaturas puede aumentar. +PREFERENCES_SET;Establecer +PREFERENCES_SHOWBASICEXIF;Mostrar info Exif básica +PREFERENCES_SHOWDATETIME;Mostrar fecha y hora +PREFERENCES_SHOWEXPOSURECOMPENSATION;Adjuntar compensación de exposición +PREFERENCES_SHOWFILMSTRIPTOOLBAR;Mostrar la barra de herramientas de la Tira de imágenes +PREFERENCES_SHOWTOOLTIP;Mostrar información emergente de herramientas de Ajustes locales +PREFERENCES_SHTHRESHOLD;Umbral de recorte de sombras +PREFERENCES_SINGLETAB;Modo de Editor de pestaña única +PREFERENCES_SINGLETABVERTAB;Modo de Editor de pestaña única, pestañas verticales +PREFERENCES_SND_BATCHQUEUEDONE;Procesado de la cola terminado +PREFERENCES_SND_HELP;Para configurar un sonido, se introduce aquí una ruta completa y nombre de archivo, o bien se deja en blanco si no se desea sonido.\nPara los sonidos de sistema en Windows, se usa «SystemDefault», «SystemAsterisk», etc., y en Linux se usa «complete», «window-attention», etc. +PREFERENCES_SND_LNGEDITPROCDONE;Procesado del Editor terminado +PREFERENCES_SND_QUEUEDONE;Procesado de la cola terminado +PREFERENCES_SND_THRESHOLDSECS;Después de segundos +PREFERENCES_STARTUPIMDIR;Carpeta de imagen al arrancar +PREFERENCES_TAB_BROWSER;Navegador de archivos +PREFERENCES_TAB_COLORMGR;Gestión de color +PREFERENCES_TAB_DYNAMICPROFILE;Reglas de perfiles dinámicos +PREFERENCES_TAB_GENERAL;General +PREFERENCES_TAB_IMPROC;Procesamiento de imágenes +PREFERENCES_TAB_PERFORMANCE;Rendimiento +PREFERENCES_TAB_SOUND;Sonidos +PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Vista previa de JPEG embebido +PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Imagen a mostrar +PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Reproducción neutra del raw +PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;JPEG embebido si existe a tamaño máximo, raw neutro si no existe +PREFERENCES_TP_LABEL;Panel de herramientas: +PREFERENCES_TP_VSCROLLBAR;Ocultar barra de desplazamiento vertical +PREFERENCES_USEBUNDLEDPROFILES;Usar perfiles incorporados +PREFERENCES_WORKFLOW;Disposición +PREFERENCES_ZOOMONSCROLL;Ampliar imágenes desplazando +PROFILEPANEL_COPYPPASTE;Parámetros a copiar +PROFILEPANEL_GLOBALPROFILES;Perfiles incorporados +PROFILEPANEL_LABEL;Perfiles de procesamiento +PROFILEPANEL_LOADDLGLABEL;Cargar parámetros de procesamiento... +PROFILEPANEL_LOADPPASTE;Parámetros a cargar +PROFILEPANEL_MODE_TIP;Modo de rellenado del perfil de revelado.\n\nBotón pulsado: los perfiles parciales se convertirán en completos; los valores no presentes se reemplazarán por los internos predeterminados del programa.\n\nBotón no pulsado: los perfiles se aplicarán tal como están, alterando solamente los valores de los parámetros que contienen. +PROFILEPANEL_MYPROFILES;Mis perfiles +PROFILEPANEL_PASTEPPASTE;Parámetros a pegar +PROFILEPANEL_PCUSTOM;Personalizado +PROFILEPANEL_PDYNAMIC;Dinámico +PROFILEPANEL_PFILE;Desde archivo +PROFILEPANEL_PINTERNAL;Neutro +PROFILEPANEL_PLASTSAVED;Último guardado +PROFILEPANEL_SAVEDLGLABEL;Guardar parámetros de procesamiento... +PROFILEPANEL_SAVEPPASTE;Parámetros a guardar +PROFILEPANEL_TOOLTIPCOPY;Copia el perfil de revelado actual al portapapeles.\nCtrl-clic para seleccionar los parámetros a copiar. +PROFILEPANEL_TOOLTIPLOAD;Carga un perfil desde un archivo.\nCtrl-clic para seleccionar los parámetros a cargar. +PROFILEPANEL_TOOLTIPPASTE;Pega un perfil desde el portapapeles.\nCtrl-clic para seleccionar los parámetros a pegar. +PROFILEPANEL_TOOLTIPSAVE;Guarda el perfil actual.\nCtrl-clic para seleccionar los parámetros a guardar. +PROGRESSBAR_DECODING;Decodificando... +PROGRESSBAR_GREENEQUIL;Equilibrado de verdes... +PROGRESSBAR_HLREC;Reconstrucción de luces... +PROGRESSBAR_HOTDEADPIXELFILTER;Filtro de píxel caliente/muerto... +PROGRESSBAR_LINEDENOISE;Filtro de ruido de línea... +PROGRESSBAR_LOADING;Cargando imagen... +PROGRESSBAR_LOADINGTHUMBS;Cargando miniaturas... +PROGRESSBAR_LOADJPEG;Cargando archivo JPEG... +PROGRESSBAR_LOADPNG;Cargando archivo PNG... +PROGRESSBAR_LOADTIFF;Cargando archivo TIFF... +PROGRESSBAR_NOIMAGES;No se encuentran imágenes +PROGRESSBAR_PROCESSING;Procesando imagen... +PROGRESSBAR_PROCESSING_PROFILESAVED;Perfil de revelado guardado +PROGRESSBAR_RAWCACORR;Corrección AC raw... +PROGRESSBAR_READY;Listo +PROGRESSBAR_SAVEJPEG;Guardando archivo JPEG... +PROGRESSBAR_SAVEPNG;Guardando archivo PNG... +PROGRESSBAR_SAVETIFF;Guardando archivo TIFF... +PROGRESSBAR_SNAPSHOT_ADDED;Instantánea añadida +PROGRESSDLG_PROFILECHANGEDINBROWSER;Perfil de revelado cambiado en Navegador +QINFO_FRAMECOUNT;%2 tomas +QINFO_HDR;HDR / %2 toma(s) +QINFO_ISO;ISO +QINFO_NOEXIF;Datos Exif no disponibles. +QINFO_PIXELSHIFT;Pixel Shift / %2 toma(s) +QUEUE_AUTOSTART;Arranque automático +QUEUE_AUTOSTART_TOOLTIP;Inicia automáticamente el revelado cuando un nuevo trabajo llega a la cola. +QUEUE_DESTFILENAME;Ruta y nombre de archivo +QUEUE_FORMAT_TITLE;Formato de archivo +QUEUE_LOCATION_FOLDER;Guardar en carpeta +QUEUE_LOCATION_TEMPLATE;Usar plantilla +QUEUE_LOCATION_TEMPLATE_TOOLTIP;Especifica la ubicación de la salida en función de la ubicación de la foto origen, de la puntuación o rango, del estado en la papelera o de la posición en la cola.\n\nSi se usa el siguiente nombre de ruta y archivo como ejemplo:\n/home/tom/photos/2010-10-31/photo1.raw\nel significado de las cadenas de formato es como sigue:\n%d4 = home\n%d3 = tom\n%d2 = photos\n%d1 = 2010-10-31\n%f = photo1\n%p1 = /home/tom/photos/2010-10-31/\n%p2 = /home/tom/photos/\n%p3 = /home/tom/\n%p4 = /home/\n\n%r será reemplazado por la puntuación de la foto. Si la foto no tiene puntuación, se usará «0». Si la foto está en la papelera, se usará «x».\n\n%s1, ..., %s9 serán reemplazados por la posición inicial de la foto en la cola en el momento en que ésta arranca. El número especifica cuántos dígitos tendrá la posición, por ejemplo %s3 da como resultado «001».\n\nSi se desea guardar la imagen de salida junto con la imagen origen, se escribirá:\n%p1/%f\n\nSi se desea guardar la imagen de salida en una carpeta llamada «converted» ubicada en la carpeta de la foto origen, se escribirá:\n%p1/converted/%f\n\nSi se desea guardar la imagen de salida en\n«/home/tom/photos/converted/2010-10-31», se escribirá:\n%p2/converted/%d1/%f +QUEUE_LOCATION_TITLE;Ubicación de salida +QUEUE_STARTSTOP_TOOLTIP;Inicia o detiene el revelado de imágenes en la cola.\n\nAtajo de teclado: Ctrl+s +SAMPLEFORMAT_0;Formato de datos desconocido +SAMPLEFORMAT_1;8 bits sin signo +SAMPLEFORMAT_2;16 bits sin signo +SAMPLEFORMAT_4;24 bits LogLuv +SAMPLEFORMAT_8;32 bits LogLuv +SAMPLEFORMAT_16;16 bits coma flotante +SAMPLEFORMAT_32;24 bits coma flotante +SAMPLEFORMAT_64;32 bits coma flotante +SAVEDLG_AUTOSUFFIX;Añadir automáticamente un sufijo si el archivo ya existe +SAVEDLG_FILEFORMAT;Formato de archivo +SAVEDLG_FILEFORMAT_FLOAT; coma flotante +SAVEDLG_FORCEFORMATOPTS;Forzar opciones de guardado +SAVEDLG_JPEGQUAL;Calidad JPEG +SAVEDLG_PUTTOQUEUE;Enviar a la cola de procesamiento +SAVEDLG_PUTTOQUEUEHEAD;Situar en la cabecera de la cola de procesamiento +SAVEDLG_PUTTOQUEUETAIL;Situar al final de la cola de procesamiento +SAVEDLG_SAVEIMMEDIATELY;Guardar inmediatamente +SAVEDLG_SAVESPP;Guardar parámetros de procesamiento junto con la imagen +SAVEDLG_SUBSAMP;Submuestreo +SAVEDLG_SUBSAMP_1;Máxima compresión +SAVEDLG_SUBSAMP_2;Equilibrado +SAVEDLG_SUBSAMP_3;Máxima calidad +SAVEDLG_SUBSAMP_TOOLTIP;Máxima compresión:\nJ:a:b 4:2:0\nh/v 2/2\nColor reducido a la mitad horizontal y verticalmente.\n\nEquilibrado:\nJ:a:b 4:2:2\nh/v 2/1\nColor reducido a la mitad horizontalmente.\n\nMáxima calidad:\nJ:a:b 4:4:4\nh/v 1/1\nSin submuestreo de cromaticidad. +SAVEDLG_TIFFUNCOMPRESSED;TIFF sin compresión +SAVEDLG_WARNFILENAME;El archivo se nombrará +SHCSELECTOR_TOOLTIP;La posición de estos tres deslizadores se reinicia haciendo clic en el botón derecho del ratón. +SOFTPROOF_GAMUTCHECK_TOOLTIP;Destaca los píxels con colores fuera de rango con respecto a:\n\n- el perfil de la impresora, si éste está establecido y la prueba de impresión está activada,\n- el perfil de salida, si no se ha establecido un perfil de impresora y la prueba de impresión está activada,\n- el perfil del monitor, si la prueba de impresión está desactivada. +SOFTPROOF_TOOLTIP;La prueba de impresión simula la apariencia de la imagen:\n\n- cuando se imprima, si se ha establecido un perfil de impresora en Preferencias > Gestión de color,\n- cuando se visualiza en una pantalla que usa el perfil de salida actual, si no se ha establecido un perfil de impresora. +TC_PRIM_BLUX;Bx +TC_PRIM_BLUY;By +TC_PRIM_GREX;Gx +TC_PRIM_GREY;Gy +TC_PRIM_REDX;Rx +TC_PRIM_REDY;Ry +THRESHOLDSELECTOR_B;Inferior +THRESHOLDSELECTOR_BL;Inferior-izquierda +THRESHOLDSELECTOR_BR;Inferior-derecha +THRESHOLDSELECTOR_HINT;Los puntos de control individuales se mueven manteniendo pulsada la tecla Mayús. +THRESHOLDSELECTOR_T;Superior +THRESHOLDSELECTOR_TL;Superior-izquierda +THRESHOLDSELECTOR_TR;Superior-derecha +TOOLBAR_TOOLTIP_COLORPICKER;Muestreador de color bloqueable.\n\nCuando la herramienta está activa:\n- Añadir un muestreador: clic-izquierdo.\n- Arrastrar un muestreador: clic-izquierdo y arrastrar.\n- Borrar un muestreador: clic-derecho.\n- Borrar todos los muestreadores: Ctrl+Mayús+clic-derecho.\n- Revertir a herramienta Mano: clic-derecho fuera de los muestreadores. +TOOLBAR_TOOLTIP_CROP;Selección de Recorte.\nAtajo de teclado: c\nEl recorte se mueve usando Mayús+arrastrar. +TOOLBAR_TOOLTIP_HAND;Herramienta Mano.\nAtajo de teclado: h +TOOLBAR_TOOLTIP_PERSPECTIVE;Corrección de perspectiva\n\nPermite editar líneas de control para corregir la distorsión de perspectiva. Para aplicar la corrección, se debe pulsar de nuevo este botón. +TOOLBAR_TOOLTIP_STRAIGHTEN;Enderezado / Rotación fina.\nAtajo de teclado: s\n\nLa línea vertical u horizontal se indica dibujando una línea guía sobre la vista previa de la imagen. Se mostrará el ángulo de rotación junto a la línea guía. El centro de rotación es el centro geométrico de la imagen. +TOOLBAR_TOOLTIP_WB;Balance de blancos por muestreo.\nAtajo de teclado: w +TP_BWMIX_ALGO;Algoritmo OYCPM +TP_BWMIX_ALGO_LI;Lineal +TP_BWMIX_ALGO_SP;Efectos especiales +TP_BWMIX_ALGO_TOOLTIP;Lineal: producirá una respuesta lineal normal.\nEfectos especiales: se producirán efectos especiales mediante la mezcla no lineal de canales. +TP_BWMIX_AUTOCH;Automático +TP_BWMIX_AUTOCH_TIP;Automático +TP_BWMIX_CC_ENABLED;Ajustar color complementario +TP_BWMIX_CC_TOOLTIP;Actívese para permitir el ajuste automático de los colores complementarios en modo ROYGCBPM. +TP_BWMIX_CHANNEL;Ecualizador de luminancia +TP_BWMIX_CURVEEDITOR1;Curva «Antes» +TP_BWMIX_CURVEEDITOR2;Curva «Después» +TP_BWMIX_CURVEEDITOR_AFTER_TOOLTIP;Curva tonal, después de la conversión a B/N, al final del tratamiento. +TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;Curva tonal, justo antes de la conversión a B/N.\nPuede tener en cuenta los componentes de color. +TP_BWMIX_CURVEEDITOR_LH_TOOLTIP;Luminancia en función del matiz L=f(H).\nAtención a los valores extremos, ya que pueden causar artefactos. +TP_BWMIX_FILTER;Filtro de color +TP_BWMIX_FILTER_BLUE;Azul +TP_BWMIX_FILTER_BLUEGREEN;Azul-verde +TP_BWMIX_FILTER_GREEN;Verde +TP_BWMIX_FILTER_GREENYELLOW;Verde-amarillo +TP_BWMIX_FILTER_NONE;Ninguno +TP_BWMIX_FILTER_PURPLE;Púrpura +TP_BWMIX_FILTER_RED;Rojo +TP_BWMIX_FILTER_REDYELLOW;Rojo-amarillo +TP_BWMIX_FILTER_TOOLTIP;El filtro de color simula las tomas realizadas con un filtro coloreado situado delante del objetivo. Los filtros coloreados reducen la transmisión de rangos de color específicos, y en consecuencia afectan a su claridad. Por ejemplo, un filtro rojo oscurece el cielo azul. +TP_BWMIX_FILTER_YELLOW;Amarillo +TP_BWMIX_GAMMA;Corrección gamma +TP_BWMIX_GAM_TOOLTIP;Corrige la gamma para cada canal RGB. +TP_BWMIX_LABEL;Blanco y negro +TP_BWMIX_MET;Método +TP_BWMIX_MET_CHANMIX;Mezclador de canales +TP_BWMIX_MET_DESAT;Desaturación +TP_BWMIX_MET_LUMEQUAL;Ecualizador de luminancia +TP_BWMIX_MIXC;Mezclador de canales +TP_BWMIX_NEUTRAL;Reiniciar +TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% +TP_BWMIX_RGBLABEL_HINT;Factores RGB finales que se encargan de todas las opciones del mezclador.\n«Total» muestra la suma de los valores RGB:\n- siempre es 100% en modo relativo\n- mayor (más claro) o menor (más oscuro) que el 100% en modo absoluto. +TP_BWMIX_RGB_TOOLTIP;Mezcla los canales RGB. Los ajustes preestablecidos pueden usarse como guía.\nAtención a los valores negativos, pues pueden causar artefactos o un comportamiento errático. +TP_BWMIX_SETTING;Preestablecidos +TP_BWMIX_SETTING_TOOLTIP;Diferentes ajustes preestablecidos (película, paisaje, etc.) o ajustes manuales del Mezclador de canales. +TP_BWMIX_SET_HIGHCONTAST;Alto contraste +TP_BWMIX_SET_HIGHSENSIT;Alta sensibilidad +TP_BWMIX_SET_HYPERPANCHRO;Hiper Pancromático +TP_BWMIX_SET_INFRARED;Infrarrojo +TP_BWMIX_SET_LANDSCAPE;Paisaje +TP_BWMIX_SET_LOWSENSIT;Baja sensibilidad +TP_BWMIX_SET_LUMINANCE;Luminancia +TP_BWMIX_SET_NORMCONTAST;Contraste normal +TP_BWMIX_SET_ORTHOCHRO;Ortocromático +TP_BWMIX_SET_PANCHRO;Pancromático +TP_BWMIX_SET_PORTRAIT;Retrato +TP_BWMIX_SET_RGBABS;RGB absoluto +TP_BWMIX_SET_RGBREL;RGB relativo +TP_BWMIX_SET_ROYGCBPMABS;ROYGCBPM absoluto +TP_BWMIX_SET_ROYGCBPMREL;ROYGCBPM relativo +TP_BWMIX_TCMODE_FILMLIKE;B/N como película +TP_BWMIX_TCMODE_SATANDVALBLENDING;B/N Mezcla de saturación y valor +TP_BWMIX_TCMODE_STANDARD;B/N Estándar +TP_BWMIX_TCMODE_WEIGHTEDSTD;B/N Estándar ponderado +TP_BWMIX_VAL;L +TP_CACORRECTION_BLUE;Azul +TP_CACORRECTION_LABEL;Corrección de aberración cromática +TP_CACORRECTION_RED;Rojo +TP_CBDL_AFT;Después de Blanco y negro +TP_CBDL_BEF;Antes de Blanco y negro +TP_CBDL_METHOD;Posición del proceso +TP_CBDL_METHOD_TOOLTIP;Elige dónde posicionar la herramienta Contraste por niveles de detalle: o bien después de la herramienta Blanco y negro, lo que hace que trabaje en el espacio L*a*b*, o bien antes de ella, lo que hace que trabaje en el espacio RGB. +TP_CHMIXER_BLUE;Canal azul +TP_CHMIXER_GREEN;Canal verde +TP_CHMIXER_LABEL;Mezclador de canales +TP_CHMIXER_RED;Canal rojo +TP_CHROMATABERR_LABEL;Aberración cromática +TP_COARSETRAF_TOOLTIP_HFLIP;Voltea horizontalmente. +TP_COARSETRAF_TOOLTIP_ROTLEFT;Gira a la izquierda.\n\nAtajos de teclado:\n[ - Modo de Editor de varias pestañas,\nAlt-[ - Modo de Editor de pestaña única. +TP_COARSETRAF_TOOLTIP_ROTRIGHT;Gira a la derecha.\n\nAtajos de teclado:\n] - Modo de Editor de varias pestañas,\nAlt-] - Modo de Editor de pestaña única. +TP_COARSETRAF_TOOLTIP_VFLIP;Voltea verticalmente. +TP_COLORAPP_ABSOLUTELUMINANCE;Luminancia absoluta +TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponde a la luminancia en cd/m² en el momento de la toma, calculada de forma automática a partir de los datos Exif. +TP_COLORAPP_ALGO;Algoritmo +TP_COLORAPP_ALGO_ALL;Todos +TP_COLORAPP_ALGO_JC;Claridad + Cromaticidad (JC) +TP_COLORAPP_ALGO_JS;Claridad + Saturación (JS) +TP_COLORAPP_ALGO_QM;Claridad + Colorido (QM) +TP_COLORAPP_ALGO_TOOLTIP;Permite escoger entre subconjuntos de parámetros o todos los parámetros. +TP_COLORAPP_BADPIXSL;Filtro de píxels calientes/muertos +TP_COLORAPP_BADPIXSL_TOOLTIP;Supresión de píxels calientes/muertos (de un color brillante).\n0 = Sin efecto\n1 = Mediana\n2 = Gaussiano.\nAlternativamente, ajusta la imagen para evitar sombras muy oscuras.\n\nEstos artefactos se deben a limitaciones de CIECAM02. +TP_COLORAPP_BRIGHT;Brillo (Q) +TP_COLORAPP_BRIGHT_TOOLTIP;El Brillo en CIECAM02/16 es la cantidad de luz percibida que emana de un estímulo, y difiere del brillo de L*a*b* y RGB. +TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Si se ajusta manualmente, se recomiendan valores por encima de 65. +TP_COLORAPP_CATCLASSIC;Clásico +TP_COLORAPP_CATMET_TOOLTIP;Clásico: funcionamiento tradicional de CIECAM. Las transformaciones de adaptación cromática se aplican separadamente en «Condiciones de la escena» e iluminante básico por un lado, y en el iluminante básico y «Condiciones de entorno» por otro.\n\nSimétrico: La adaptación cromática se basa en el balance de blancos. Los ajustes «Condiciones de la escena», «Ajustes de imagen» y «Condiciones de entorno» se neutralizan.\n\nMezcla: Como la opción «Clásico», pero en este caso, la adaptación cromática se basa en el balance de blancos. +TP_COLORAPP_CATMOD;Modo Cat02/16 +TP_COLORAPP_CATSYMGEN;Automático simétrico +TP_COLORAPP_CATSYMSPE;Mezcla +TP_COLORAPP_CHROMA;Cromaticidad (C) +TP_COLORAPP_CHROMA_M;Colorido (M) +TP_COLORAPP_CHROMA_M_TOOLTIP;El colorido en CIECAM02/16 es la cantidad percibida de matiz en relación al gris, un indicador de que un estímulo parece estar más o menos coloreado. +TP_COLORAPP_CHROMA_S;Saturación (S) +TP_COLORAPP_CHROMA_S_TOOLTIP;La Saturación en CIECAM02/16 corresponde al color de un estímulo en relación a su propio brillo. Difiere de la saturación L*a*b* y RGB. +TP_COLORAPP_CHROMA_TOOLTIP;La Cromaticidad en CIECAM02/16 corresponde al color de un estímulo relativo a la claridad de un estímulo que parece blanco bajo idénticas condiciones. Difiere de la cromaticidad L*a*b* y RGB. +TP_COLORAPP_CIECAT_DEGREE;Adaptación CAT02 +TP_COLORAPP_CONTRAST;Contraste (J) +TP_COLORAPP_CONTRAST_Q;Contraste (Q) +TP_COLORAPP_CONTRAST_Q_TOOLTIP;El Contraste (Q) en CIECAM02/16 se basa en el brillo. Difiere del contraste en L*a*b* y RGB. +TP_COLORAPP_CONTRAST_TOOLTIP;El Contraste (J) en CIECAM02/16 se basa en la claridad. Difiere del contraste en L*a*b* y RGB. +TP_COLORAPP_CURVEEDITOR1;Curva tonal 1 +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Muestra el histograma de L* (L*a*b*) antes de CIECAM02/16.\nSi la casilla «Mostrar histogramas de salida de CIECAM02/16 en curvas» está activada, muestra el histograma de J después de CIECAM02/16.\n\nJ no se muestra en el panel del histograma principal.\n\nPara la salida final, se puede consultar el panel del histograma principal. +TP_COLORAPP_CURVEEDITOR2;Curva tonal 2 +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;El mismo uso que la primera curva tonal J(J). +TP_COLORAPP_CURVEEDITOR3;Curva de color +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Ajusta la cromaticidad, la saturación o el colorido.\n\nMuestra el histograma de cromaticidad (L*a*b*) antes de CIECAM02/16.\nSi la casilla «Mostrar histogramas de salida de CIECAM02/16 en curvas» está activada, muestra el histograma de C, S o M después de CIECAM02/16.\n\nC, S y M no se muestran en el panel del histograma principal.\nPara la salida final, se puede consultar el panel del histograma principal. +TP_COLORAPP_DATACIE;Histogramas de salida CIECAM02/16 en curvas +TP_COLORAPP_DATACIE_TOOLTIP;Si está activado, los histogramas en las curvas CIECAM02/16 muestran los valores/rangos aproximados de J, y C, S o M después de los ajustes de CIECAM02/16.\nEsta selección no influye en el histograma principal.\n\nSi está desactivado, los histogramas en las curvas CIECAM02/16 muestran los valores L*a*b* antes de los ajustes de CIECAM02/16. +TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los valores de una imagen cuyo punto blanco es el de un iluminante dado (por ejemplo D65) a nuevos valores cuyo punto blanco es el del nuevo iluminante. Consúltese el Modelo de Punto Blanco (por ejemplo, D50 or D55). +TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los valores de una imagen cuyo punto blanco es el de un iluminante dado (por ejemplo D50) a nuevos valores cuyo punto blanco es el del nuevo iluminante. Consúltese el Modelo de Punto Blanco (por ejemplo D75). +TP_COLORAPP_FREE;Temperatura+verde libres + CAT02/16 + [salida] +TP_COLORAPP_GAMUT;Control de rango de colores (L*a*b*) +TP_COLORAPP_GAMUT_TOOLTIP;Permite el control del rango de colores en modo L*a*b*. +TP_COLORAPP_GEN;Ajustes - Preselección +TP_COLORAPP_GEN_TOOLTIP;Este módulo está basado en el modelo de apariencia de color CIECAM, que se diseñó para simular mejor cómo la visión humana percibe los colores bajo diferentes condiciones de iluminación, por ejemplo, contra fondos diferentes.\n\nTiene en cuenta el entorno de cada color y modifica su apariencia para que sea lo más cercana posible a la percepción humana.\n\nTambién adapta la salida a las condiciones de visualización previstas (monitor, TV, proyector, impresora, etc.) de modo que la apariencia cromática se preserve para todos los entornos de escena y visualización. +TP_COLORAPP_HUE;Matiz (h) +TP_COLORAPP_HUE_TOOLTIP;Matiz (h) es el grado en que un estímulo puede describirse como similar a un color descrito como rojo, verde, azul y amarillo. +TP_COLORAPP_IL41;D41 +TP_COLORAPP_IL50;D50 +TP_COLORAPP_IL55;D55 +TP_COLORAPP_IL60;D60 +TP_COLORAPP_IL65;D65 +TP_COLORAPP_IL75;D75 +TP_COLORAPP_ILA;Incandescente StdA 2856K +TP_COLORAPP_ILFREE;Libre +TP_COLORAPP_ILLUM;Iluminante +TP_COLORAPP_ILLUM_TOOLTIP;Selecciona el iluminante más cercano a las condiciones de toma.\nEn general será D50, pero puede cambiar en función de la hora y la latitud. +TP_COLORAPP_LABEL;Apariencia de Color e Iluminación (CIECAM02/16) +TP_COLORAPP_LABEL_CAM02;Ajustes de imagen +TP_COLORAPP_LABEL_SCENE;Condiciones de la escena +TP_COLORAPP_LABEL_VIEWING;Condiciones de visualización +TP_COLORAPP_LIGHT;Claridad (J) +TP_COLORAPP_LIGHT_TOOLTIP;La Claridad en CIECAM02/16 es la claridad de un estímulo relativa a la claridad de un estímulo que parece blanco bajo condiciones de visualización similares. Difiere de la claridad en L*a*b* y RGB. +TP_COLORAPP_MEANLUMINANCE;Luminancia media (Yb%) +TP_COLORAPP_MOD02;CIECAM02 +TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MODEL;Modelo de punto blanco +TP_COLORAPP_MODELCAT;Modelo CAM +TP_COLORAPP_MODELCAT_TOOLTIP;Permite elegir entre CIECAM02 o CIECAM16.\nA veces CIECAM02 será más preciso.\nCIECAM16 debería generar menos artefactos. +TP_COLORAPP_MODEL_TOOLTIP;Modelo de punto blanco.\n\nWB [RT] + [salida]: Se usa el balance de blancos de RT para la escena, CIECAM02/16 se ajusta a D50, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nWB [RT+CAT02/16] + [salida]: CAT02 usa los ajustes de balance de blancos de RT, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nTemperatura+verde libres + CAT02 + [salida]:El usuario elige la temperatura y el nivel de verde, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización. +TP_COLORAPP_NEUTRAL;Restablecer +TP_COLORAPP_NEUTRAL_TIP;Restablece todos los deslizadores, casillas de verificación y curvas a sus valores predeterminados. +TP_COLORAPP_PRESETCAT02;Preselección CAT02/16 automática - Modo simétrico +TP_COLORAPP_PRESETCAT02_TIP;Ajusta las listas desplegables, deslizadores, temperatura y verde de modo que se preselecciona CAT02/16 automático.\nSe pueden cambiar las condiciones de toma del iluminante.\nDeben cambiarse las condiciones de visualización de la adaptación CAT02/16 si es necesario.\nSe pueden cambiar las condiciones de visualización Temperatura y Tinte si es necesario, así como otros ajustes.\nTodas las casillas auto se desactivan. +TP_COLORAPP_RSTPRO;Protección de rojo y tonos de piel +TP_COLORAPP_RSTPRO_TOOLTIP;La Protección de rojo y tonos de piel afecta tanto a los deslizadores como a las curvas. +TP_COLORAPP_SOURCEF_TOOLTIP;Corresponde a las condiciones de toma y cómo llevar las condiciones y los datos a una zona «normal». «Normal» significa aquí condiciones y datos promedio o estándar, es decir, sin tener en cuenta las correcciones CIECAM. +TP_COLORAPP_SURROUND;Entorno +TP_COLORAPP_SURROUNDSRC;Entorno - Iluminación de escena +TP_COLORAPP_SURROUND_AVER;Promedio +TP_COLORAPP_SURROUND_DARK;Oscuro +TP_COLORAPP_SURROUND_DIM;Luz tenue +TP_COLORAPP_SURROUND_EXDARK;Muy oscuro +TP_COLORAPP_SURROUND_TOOLTIP;Cambia los tonos y colores teniendo en cuenta las condiciones de visualización del dispositivo de salida.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nLuz tenue: Entorno con luz tenue (TV). La imagen se volverá un poco oscura.\n\nOscuro: Entorno oscuro (proyector). La imagen se volverá más oscura.\n\nMuy oscuro: Entorno muy oscuro. La imagen se volverá muy oscura. +TP_COLORAPP_SURSOURCE;Entorno origen +TP_COLORAPP_SURSOURCE_TOOLTIP;Cambia tonos y colores para tener en cuenta las condiciones de la escena.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nTenue: Entorno tenue. La imagen se volverá ligeramente brillante.\n\nOscuro: Entorno oscuro. La imagen se volverá más brillante.\n\nMuy oscuro: Entorno muy oscuro. La imagen se volverá muy brillante. +TP_COLORAPP_TCMODE_BRIGHTNESS;Brillo +TP_COLORAPP_TCMODE_CHROMA;Cromaticidad +TP_COLORAPP_TCMODE_COLORF;Colorido +TP_COLORAPP_TCMODE_LABEL1;Modo de curva 1 +TP_COLORAPP_TCMODE_LABEL2;Modo de curva 2 +TP_COLORAPP_TCMODE_LABEL3;Modo de curva de cromaticidad +TP_COLORAPP_TCMODE_LIGHTNESS;Claridad +TP_COLORAPP_TCMODE_SATUR;Saturación +TP_COLORAPP_TEMP2_TOOLTIP;O bien modo simétrico, Temp = balance de blancos.\nO bien, se selecciona el iluminante, poniendo siempre Tinte=1.\n\nA Temp=2856 K\nD41 Temp=4100 K\nD50 Temp=5003 K\nD55 Temp=5503 K\nD60 Temp=6000 K\nD65 Temp=6504 K\nD75 Temp=7504 K +TP_COLORAPP_TEMPOUT_TOOLTIP;Desactívese para cambiar la temperatura y el tinte. +TP_COLORAPP_TEMP_TOOLTIP;Para seleccionar un iluminante, se ajusta siempre Tinte=1.\n\nTemp A=2856 K\nTemp D50=5003 K\nTemp D55=5503 K\nTemp D65=6504 K\nTemp D75=7504 K +TP_COLORAPP_TONECIE;Mapeo tonal mediante CIECAM02 +TP_COLORAPP_TONECIE_TOOLTIP;Si esta opción está desactivada, el mapeo tonal se realiza en el espacio L*a*b*.\nSi está activada, el mapeo tonal se realiza mediante CIECAM02.\nLa herramienta Mapeo tonal debe estar activada para que este ajuste tenga efectos. +TP_COLORAPP_VIEWINGF_TOOLTIP;Tiene en cuenta el medio en el que se visualizará la imagen final (monitor, TV, proyector, impresora, ...), así como su entorno. Este proceso tomará los datos procedentes del proceso «Ajustes de imagen» y los «llevará» al medio de visualización, de tal modo que se tendrán en cuenta las condiciones de visualización. +TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Luminancia absoluta del entorno de visualización\n(normalmente 16 cd/m²). +TP_COLORAPP_WBCAM;WB [RT+CAT02] + [salida] +TP_COLORAPP_WBRT;WB [RT] + [salida] +TP_COLORAPP_YBOUT_TOOLTIP;Yb es la luminancia relativa del fondo, expresada en % de gris. Un gris al 18% corresponde a una luminancia del fondo, expresada en CIE L, del 50%.\nEste dato debe tener en cuenta la luminancia promedio de la imagen. +TP_COLORAPP_YBSCEN_TOOLTIP;Yb es la luminancia relativa del fondo, expresada en % de gris. Un gris al 18% corresponde a una luminancia del fondo, expresada en CIE L, del 50%.\nEste dato se calcula a partir de la luminancia promedio de la imagen. +TP_COLORTONING_AB;o C/L +TP_COLORTONING_AUTOSAT;Automático +TP_COLORTONING_BALANCE;Balance +TP_COLORTONING_BY;o C/L +TP_COLORTONING_CHROMAC;Opacidad +TP_COLORTONING_COLOR;Color +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Opacidad de cromaticidad en función de la luminancia oC=f(L) +TP_COLORTONING_HIGHLIGHT;Luces +TP_COLORTONING_HUE;Matiz +TP_COLORTONING_LAB;Mezcla L*a*b* +TP_COLORTONING_LABEL;Virado de color +TP_COLORTONING_LABGRID;Cuadrícula de corrección de color L*a*b* +TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 +TP_COLORTONING_LABREGIONS;Regiones de corrección de color +TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 +TP_COLORTONING_LABREGION_CHANNEL;Canal +TP_COLORTONING_LABREGION_CHANNEL_ALL;Todos +TP_COLORTONING_LABREGION_CHANNEL_B;Azul +TP_COLORTONING_LABREGION_CHANNEL_G;Verde +TP_COLORTONING_LABREGION_CHANNEL_R;Rojo +TP_COLORTONING_LABREGION_CHROMATICITYMASK;C +TP_COLORTONING_LABREGION_HUEMASK;H +TP_COLORTONING_LABREGION_LIGHTNESS;Claridad +TP_COLORTONING_LABREGION_LIGHTNESSMASK;L +TP_COLORTONING_LABREGION_LIST_TITLE;Corrección +TP_COLORTONING_LABREGION_MASK;Máscara +TP_COLORTONING_LABREGION_MASKBLUR;Difuminado de máscara +TP_COLORTONING_LABREGION_OFFSET;Compensación +TP_COLORTONING_LABREGION_POWER;Potencia +TP_COLORTONING_LABREGION_SATURATION;Saturación +TP_COLORTONING_LABREGION_SHOWMASK;Mostrar máscara +TP_COLORTONING_LABREGION_SLOPE;Pendiente +TP_COLORTONING_LUMA;Luminancia +TP_COLORTONING_LUMAMODE;Preservar luminancia +TP_COLORTONING_LUMAMODE_TOOLTIP;Si está activado, cuando se cambie un color (rojo, verde, cian, azul, etc.), la luminancia de cada píxel se preservará. +TP_COLORTONING_METHOD;Método +TP_COLORTONING_METHOD_TOOLTIP;Los métodos «Mezcla L*a*b*», «Deslizadores RGB» y «Curvas RGB» usan la mezcla interpolada de color.\n\nLos métodos «Balance de color (Sombras/Tonos medios/Luces)» y «Saturación 2 colores» usan colores directos.\n\nLa herramienta Blanco y negro se puede activar mientras se usa cualquier método de virado de color, lo que permite el virado. +TP_COLORTONING_MIDTONES;Tonos medios +TP_COLORTONING_NEUTRAL;Reiniciar deslizadores +TP_COLORTONING_NEUTRAL_TIP;Reiniciar todos los valores (Sombras, Tonos medios, Luces) a los predeterminados. +TP_COLORTONING_OPACITY;Opacidad +TP_COLORTONING_RGBCURVES;RGB - Curvas +TP_COLORTONING_RGBSLIDERS;RGB - Deslizadores +TP_COLORTONING_SA;Protección de saturación +TP_COLORTONING_SATURATEDOPACITY;Intensidad +TP_COLORTONING_SATURATIONTHRESHOLD;Umbral +TP_COLORTONING_SHADOWS;Sombras +TP_COLORTONING_SPLITCO;Sombras/Tonos medios/Luces +TP_COLORTONING_SPLITCOCO;Balance de color (Sombras/Tonos medios/Luces) +TP_COLORTONING_SPLITLR;Saturación 2 colores +TP_COLORTONING_STR;Intensidad +TP_COLORTONING_STRENGTH;Intensidad +TP_COLORTONING_TWO2;Cromaticidad especial «2 colores» +TP_COLORTONING_TWOALL;Cromaticidad especial +TP_COLORTONING_TWOBY;Especial a* y b* +TP_COLORTONING_TWOCOLOR_TOOLTIP;Cromaticidad estándar:\nRespuesta lineal, a* = b*.\n\nCromaticidad especial:\nRespuesta lineal, a* = b*, pero no limitada: pruébese bajo la diagonal.\n\nEspecial a* y b*:\nRespuesta lineal no limitada con curvas separadas para a* y b*. Pensado para efectos especiales.\n\nCromaticidad especial 2 colores:\nMás predecible. +TP_COLORTONING_TWOSTD;Cromaticidad estándar +TP_CROP_FIXRATIO;Fijar proporciones +TP_CROP_GTCENTEREDSQUARE;Cuadrado centrado +TP_CROP_GTDIAGONALS;Regla de las diagonales +TP_CROP_GTEPASSPORT;Pasaporte biométrico +TP_CROP_GTFRAME;Marco +TP_CROP_GTGRID;Cuadrícula +TP_CROP_GTHARMMEANS;Proporciones armónicas +TP_CROP_GTNONE;Ninguna +TP_CROP_GTRULETHIRDS;Regla de los tercios +TP_CROP_GTTRIANGLE1;Triángulos de oro 1 +TP_CROP_GTTRIANGLE2;Triángulos de oro 2 +TP_CROP_GUIDETYPE;Tipo de guía: +TP_CROP_H;Altura +TP_CROP_LABEL;Recortar +TP_CROP_PPI;PPI +TP_CROP_RESETCROP;Reiniciar +TP_CROP_SELECTCROP;Seleccionar recorte +TP_CROP_W;Anchura +TP_CROP_X;Izquierda +TP_CROP_Y;Arriba +TP_DARKFRAME_AUTOSELECT;Auto-selección +TP_DARKFRAME_LABEL;Foto negra +TP_DEFRINGE_LABEL;Quitar borde púrpura +TP_DEFRINGE_RADIUS;Radio +TP_DEFRINGE_THRESHOLD;Umbral +TP_DEHAZE_DEPTH;Profundidad +TP_DEHAZE_LABEL;Eliminación de neblina +TP_DEHAZE_LUMINANCE;Sólo luminancia +TP_DEHAZE_SATURATION;Saturación +TP_DEHAZE_SHOW_DEPTH_MAP;Mostrar mapa de profundidad +TP_DEHAZE_STRENGTH;Intensidad +TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zonas +TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;Automático global +TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;Cromaticidad - Azul-Amarillo +TP_DIRPYRDENOISE_CHROMINANCE_CURVE;Curva de cromaticidad +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Incrementa (multiplica) el valor de todos los deslizadores de cromaticidad.\nEsta curva permite ajustar la intensidad de reducción de ruido cromático en función de la cromaticidad; por ejemplo, para incrementar la acción en áreas de baja saturación y reducirla en las de alta saturación. +TP_DIRPYRDENOISE_CHROMINANCE_FRAME;Cromaticidad +TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual +TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Cromaticidad - Maestro +TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Método +TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual:\nActúa en toda la imagen.\nEl usuario controla los ajustes de reducción de ruido manualmente.\n\nAutomático global:\nActúa en toda la imagen.\nSe usan 9 zonas para calcular un ajuste global de reducción de ruido de cromaticidad.\n\nVista previa:\nActúa en toda la imagen.\nLa parte de la imagen visible en la vista previa se usa para calcular los ajustes globales de reducción de ruido de cromaticidad. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActúa en toda la imagen.\nEl usuario controla los ajustes de reducción de ruido manualmente.\n\nAutomático global\nActúa en toda la imagen.\nSe usan 9 zonas para calcular un ajuste global de reducción de ruido de cromaticidad.\n\nAutomático multi-zona\nNo visible en vista previa: sólo funciona al guardar la imagen, pero puedes tener una idea de los resultados esperados usando el método «Vista previa», haciendo coincidir el tamaño y centro de la tesela con el tamaño y centro de la vista previa.\nLa imagen se divide en teselas (entre 10 y 70 según el tamaño de la imagen), y cada tesela recibe sus propios ajustes de reducción de ruido de cromaticidad.\n\nVista previa\nActúa en toda la imagen.\nLa parte de la imagen visible en la vista previa se usa para calcular los ajustes globales de reducción de ruido de cromaticidad. +TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Vista previa multi-zona +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Vista previa +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Muestra los niveles residuales de ruido de la parte de la imagen visible en la vista previa después de las ondículas.\n\n>300 Muy ruidoso\n100-300 Ruidoso\n50-100 Un poco ruidoso\n<50 Muy bajo ruido\n\nAtención, los valores diferirán entre los modos RGB y L*a*b*. Los valores RGB son menos precisos, porque el modo RGB no separa completamente la luminancia y la cromaticidad. +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Tamaño de vista previa=%1, Centro: Px=%2 Py=%3 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO;Ruido en vista previa: Media=%1 Alto=%2 +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;Ruido en vista previa: Media= - Alto= - +TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Tamaño de tesela=%1, Centro: Tx=%2 Ty=%3 +TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;Cromaticidad - Rojo-Verde +TP_DIRPYRDENOISE_LABEL;Reducción de ruido +TP_DIRPYRDENOISE_LUMINANCE_CONTROL;Control de luminancia +TP_DIRPYRDENOISE_LUMINANCE_CURVE;Curva de luminancia +TP_DIRPYRDENOISE_LUMINANCE_DETAIL;Recuperación de detalle +TP_DIRPYRDENOISE_LUMINANCE_FRAME;Luminancia +TP_DIRPYRDENOISE_LUMINANCE_SMOOTHING;Luminancia +TP_DIRPYRDENOISE_MAIN_COLORSPACE;Espacio de color +TP_DIRPYRDENOISE_MAIN_COLORSPACE_LAB;L*a*b* +TP_DIRPYRDENOISE_MAIN_COLORSPACE_RGB;RGB +TP_DIRPYRDENOISE_MAIN_COLORSPACE_TOOLTIP;Para imágenes raw se puede usar tanto el método RGB como el L*a*b*.\n\nPara imágenes no raw, se usará el método L*a*b*, independientemente de lo seleccionado. +TP_DIRPYRDENOISE_MAIN_GAMMA;Gamma +TP_DIRPYRDENOISE_MAIN_GAMMA_TOOLTIP;Gamma varía la intensidad de la reducción de ruido en función del rango de tonos. Los valores menores actuarán más en las sombras, mientras que los valores mayores extenderán el efecto a los tonos más brillantes. +TP_DIRPYRDENOISE_MAIN_MODE;Modo +TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Agresivo +TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservador +TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;«Conservador» preserva los patrones de cromaticidad de baja frecuencia, mientras que «Agresivo» los destruye. +TP_DIRPYRDENOISE_MEDIAN_METHOD;Método de mediana +TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Sólo cromaticidad +TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* +TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Filtro de mediana +TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Sólo luminancia +TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB +TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;Si se usan los métodos «Sólo luminancia» y «L*a*b*», el filtrado de mediana se realizará justo después del paso de ondículas en el circuito de reducción de ruido.\nSi se usa el modo «RGB», se realizará al final del circuito de reducción de ruido. +TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;L* ponderado (pequeño) + a*b* (normal) +TP_DIRPYRDENOISE_MEDIAN_PASSES;Iteraciones de mediana +TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;La aplicación de tres iteraciones de filtro de mediana con un tamaño de ventana de 3x3 a menudo proporciona mejores resultados que el uso de una iteración de filtro de mediana con un tamaño de ventana de 7x7. +TP_DIRPYRDENOISE_MEDIAN_TYPE;Tipo de mediana +TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Aplica un filtro de mediana del tamaño de ventana deseado. Cuanto mayor sea el tamaño de la ventana, más tiempo tardará.\n\n3x3 suave: trata 5 píxels en una ventana de 3x3 píxels.\n3x3: trata 9 píxels en una ventana de 3x3 píxels.\n5x5 suave: trata 13 píxels en una ventana de 5x5 píxels.\n5x5: trata 25 píxels en una ventana de 5x5 píxels.\n7x7: trata 49 píxels en una ventana de 7x7 píxels.\n9x9: trata 81 píxels en una ventana de 9x9 píxels.\n\nA veces es posible conseguir mayor calidad realizando varias iteraciones con un tamaño de ventana más pequeño que con una sola iteración y un tamaño de ventana mayor. +TP_DIRPYRDENOISE_TYPE_3X3;3x3 +TP_DIRPYRDENOISE_TYPE_3X3SOFT;3x3 suave +TP_DIRPYRDENOISE_TYPE_5X5;5x5 +TP_DIRPYRDENOISE_TYPE_5X5SOFT;5x5 suave +TP_DIRPYRDENOISE_TYPE_7X7;7x7 +TP_DIRPYRDENOISE_TYPE_9X9;9x9 +TP_DIRPYREQUALIZER_ALGO;Rango de colores de piel +TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fino: más cercano a los colores de la piel, minimizando la acción en otros colores\nGrande: evita más artefactos. +TP_DIRPYREQUALIZER_ARTIF;Reducir artefactos +TP_DIRPYREQUALIZER_HUESKIN;Matiz de piel +TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;La parte superior de la pirámide es donde el algoritmo actúa a su máxima intensidad.\nLas rampas hacia la parte inferior son las zonas de transición.\nSi se necesita mover la zona significativamente hacia la izquierda o hacia la derecha, o si hay artefactos, el balance de blancos es incorrecto.\nSe puede reducir ligeramente la zona para evitar que el resto de la imagen se vea afectado. +TP_DIRPYREQUALIZER_LABEL;Contraste por niveles de detalle +TP_DIRPYREQUALIZER_LUMACOARSEST;El más grueso +TP_DIRPYREQUALIZER_LUMACONTRAST_MINUS;Contraste - +TP_DIRPYREQUALIZER_LUMACONTRAST_PLUS;Contraste + +TP_DIRPYREQUALIZER_LUMAFINEST;El más fino +TP_DIRPYREQUALIZER_LUMANEUTRAL;Neutro +TP_DIRPYREQUALIZER_SKIN;Focalización/protección de piel +TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Al valor -100, el efecto se focaliza en los tonos de piel.\nAl valor 0, todos los tonos se tratan por igual.\nAl valor +100, los tonos de piel se protegen, mientras que todos los demás se ven afectados. +TP_DIRPYREQUALIZER_THRESHOLD;Umbral +TP_DIRPYREQUALIZER_TOOLTIP;Intenta reducir los artefactos en las transiciones entre colores de piel (matiz, cromaticidad, luminancia) y el resto de la imagen. +TP_DISTORTION_AMOUNT;Cantidad +TP_DISTORTION_AUTO_TIP;Corrige automáticamente la distorsión del objetivo en archivos raw, contrastándola con la imagen JPEG embebida, si ésta existe y su distorsión de objetivo ha sido corregida automáticamente por la cámara. +TP_DISTORTION_LABEL;Corrección de distorsión +TP_EPD_EDGESTOPPING;Parada en bordes +TP_EPD_GAMMA;Gamma +TP_EPD_LABEL;Mapeo tonal +TP_EPD_REWEIGHTINGITERATES;Iteraciones de reponderación +TP_EPD_SCALE;Escala +TP_EPD_STRENGTH;Intensidad +TP_EXPOSURE_AUTOLEVELS;Niveles automáticos +TP_EXPOSURE_AUTOLEVELS_TIP;Activa/desactiva la ejecución de Niveles automáticos, que ajusta automáticamente los valores de los deslizadores de Exposición basándose en un análisis de la imagen.\nSi es necesario, se activa la Reconstrucción de luces. +TP_EXPOSURE_BLACKLEVEL;Negro +TP_EXPOSURE_BRIGHTNESS;Brillo +TP_EXPOSURE_CLAMPOOG;Recortar colores fuera de rango +TP_EXPOSURE_CLIP;% Recorte +TP_EXPOSURE_CLIP_TIP;La fracción de píxels que quedarán recortados tras la ejecución de Niveles automáticos. +TP_EXPOSURE_COMPRHIGHLIGHTS;Compresión de luces +TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Umbral de compresión de luces +TP_EXPOSURE_COMPRSHADOWS;Compresión de sombras +TP_EXPOSURE_CONTRAST;Contraste +TP_EXPOSURE_CURVEEDITOR1;Curva tonal 1 +TP_EXPOSURE_CURVEEDITOR2;Curva tonal 2 +TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Por favor, consúltese el artículo «Exposición > Curvas tonales» de RawPedia para saber cómo obtener los mejores resultados usando dos curvas tonales. +TP_EXPOSURE_EXPCOMP;Compensación de exposición +TP_EXPOSURE_HISTMATCHING;Curva tonal auto-ajustada +TP_EXPOSURE_HISTMATCHING_TOOLTIP;Ajusta automáticamente los deslizadores y curvas (excepto la compensación de exposición) para igualar el aspecto de la miniatura JPEG embebida. +TP_EXPOSURE_LABEL;Exposición +TP_EXPOSURE_SATURATION;Saturación +TP_EXPOSURE_TCMODE_FILMLIKE;Similar a película +TP_EXPOSURE_TCMODE_LABEL1;Modo de Curva 1 +TP_EXPOSURE_TCMODE_LABEL2;Modo de Curva 2 +TP_EXPOSURE_TCMODE_LUMINANCE;Luminancia +TP_EXPOSURE_TCMODE_PERCEPTUAL;Perceptual +TP_EXPOSURE_TCMODE_SATANDVALBLENDING;Mezcla de saturación y valor +TP_EXPOSURE_TCMODE_STANDARD;Estándar +TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Estándar ponderado +TP_EXPOS_BLACKPOINT_LABEL;Puntos de negro Raw +TP_EXPOS_WHITEPOINT_LABEL;Puntos de blanco Raw +TP_FILMNEGATIVE_BLUE;Proporción de azul +TP_FILMNEGATIVE_BLUEBALANCE;Frío/Cálido +TP_FILMNEGATIVE_COLORSPACE;Espacio de color de inversión: +TP_FILMNEGATIVE_COLORSPACE_INPUT;Espacio de color de entrada +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Selecciona el momento en que se realizará la inversión del negativo:\n\nEspacio de color de entrada: realiza la inversión antes de que se aplique el perfil de entrada, como en versiones anteriores de RawTherapee.\n\nEspacio de color de trabajo: realiza la inversión después de aplicar el perfil de entrada, usando el perfil de trabajo actualmente seleccionado. +TP_FILMNEGATIVE_COLORSPACE_WORKING;Espacio de color de trabajo +TP_FILMNEGATIVE_GREEN;Exponente de referencia +TP_FILMNEGATIVE_GREENBALANCE;Magenta/Verde +TP_FILMNEGATIVE_GUESS_TOOLTIP;Establece automáticamente las proporciones de rojo y azul tomando dos muestras que tenían un matiz neutro (sin color) en la escena original. Las muestras deben diferir en brillo. +TP_FILMNEGATIVE_LABEL;Película negativa +TP_FILMNEGATIVE_OUT_LEVEL;Nivel de salida +TP_FILMNEGATIVE_PICK;Tomar muestras neutras +TP_FILMNEGATIVE_RED;Proporción de rojo +TP_FILMNEGATIVE_REF_LABEL;RGB de entrada: %1 +TP_FILMNEGATIVE_REF_PICK;Muestreo de balance de blancos +TP_FILMNEGATIVE_REF_TOOLTIP;Toma una muestra de gris para el balance de blancos de la imagen positiva de salida. +TP_FILMSIMULATION_LABEL;Simulación de película +TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee está configurado para buscar las imágenes Hald CLUT, que se usan en la herramienta Simulación de película, en una carpeta que está tardando mucho en cargarse.\nCompruébese qué carpeta se está utilizando en Preferencias > Procesamiento de imágenes > Simulación de película.\nSe debe hacer que RawTherapee apunte, o bien a una carpeta que sólo contenga imágenes Hald CLUT y nada más, o a una carpeta vacía si no se desea usar la herramienta Simulación de película.\n\nConsúltese el artículo Simulación de película en RawPedia para más información.\n\n¿Desea cancelar la exploración ahora? +TP_FILMSIMULATION_STRENGTH;Intensidad +TP_FILMSIMULATION_ZEROCLUTSFOUND;Debe configurarse la carpeta HaldCLUT en Preferencias. +TP_FLATFIELD_AUTOSELECT;Auto-selección +TP_FLATFIELD_BLURRADIUS;Radio de difuminado +TP_FLATFIELD_BLURTYPE;Tipo de difuminado +TP_FLATFIELD_BT_AREA;Área +TP_FLATFIELD_BT_HORIZONTAL;Horizontal +TP_FLATFIELD_BT_VERTHORIZ;Vertical + Horizontal +TP_FLATFIELD_BT_VERTICAL;Vertical +TP_FLATFIELD_CLIPCONTROL;Control de recorte +TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Control de recorte evita el recorte de luces causado por la aplicación del Campo plano. Si ya hay luces recortadas antes de aplicar el Campo plano, se usa el valor 0. +TP_FLATFIELD_LABEL;Campo plano +TP_GENERAL_11SCALE_TOOLTIP;Los efectos de esta herramienta sólo son visibles o precisos a una escala de vista previa de 1:1. +TP_GRADIENT_CENTER;Centro +TP_GRADIENT_CENTER_X;Centro X +TP_GRADIENT_CENTER_X_TOOLTIP;Desplaza el gradiente a la izquierda (valores negativos) o a la derecha (valores positivos). +TP_GRADIENT_CENTER_Y;Centro Y +TP_GRADIENT_CENTER_Y_TOOLTIP;Desplaza el gradiente hacia arriba (valores negativos) o hacia abajo (valores positivos). +TP_GRADIENT_DEGREE;Ángulo +TP_GRADIENT_DEGREE_TOOLTIP;Ángulo de rotación en grados. +TP_GRADIENT_FEATHER;Anchura del gradiente +TP_GRADIENT_FEATHER_TOOLTIP;Anchura del gradiente en porcentaje de la diagonal de la imagen. +TP_GRADIENT_LABEL;Filtro graduado +TP_GRADIENT_STRENGTH;Intensidad +TP_GRADIENT_STRENGTH_TOOLTIP;Intensidad del filtro en pasos. +TP_HLREC_BLEND;Mezcla +TP_HLREC_CIELAB;Mezcla CIELab +TP_HLREC_COLOR;Propagación de color +TP_HLREC_ENA_TOOLTIP;La Recuperación de luces puede ser activada por los Niveles automáticos. +TP_HLREC_HLBLUR;Difuminar +TP_HLREC_LABEL;Recuperación de luces +TP_HLREC_LUMINANCE;Recuperación de luminancia +TP_HLREC_METHOD;Método: +TP_HSVEQUALIZER_CHANNEL;Canal +TP_HSVEQUALIZER_HUE;H +TP_HSVEQUALIZER_LABEL;Ecualizador HSV +TP_HSVEQUALIZER_SAT;S +TP_HSVEQUALIZER_VAL;V +TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Compensación de exposición de referencia +TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Cuando el DCP seleccionado incluye una compensación de exposición, RawTherapee la aplica a la exposición de referencia. +TP_ICM_APPLYHUESATMAP;Tabla base +TP_ICM_APPLYHUESATMAP_TOOLTIP;Cuando el DCP seleccionado incluye una tabla base (HueSatMap), RawTherapee la aplica a la imagen. +TP_ICM_APPLYLOOKTABLE;Tabla de sustitución (LUT) +TP_ICM_APPLYLOOKTABLE_TOOLTIP;Cuando el DCP seleccionado incluye una tabla de sustitución (LUT), RawTherapee la aplica a los colores de la imagen. +TP_ICM_BPC;Compensación del punto negro +TP_ICM_DCPILLUMINANT;Iluminante +TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolado +TP_ICM_DCPILLUMINANT_TOOLTIP;Si el perfil DCP tiene embebidos dos iluminantes, se podrá escoger cuál se utilizará.\n\nEl valor predeterminado es «Interpolado», que es una mezcla de los dos en función del balance de blancos. +TP_ICM_FBW;Conversión a Blanco y Negro +TP_ICM_ILLUMPRIM_TOOLTIP;En esta lista se selecciona el iluminante más cercano a las condiciones de la toma.\n\nSólo se pueden hacer cambios cuando la selección «Primarios de destino» está puesta a «A medida (deslizadores)». +TP_ICM_INPUTCAMERA;Cámara genérica +TP_ICM_INPUTCAMERAICC;Perfil de cámara seleccionado automáticamente +TP_ICM_INPUTCAMERAICC_TOOLTIP;Usa los perfiles de color de entrada ICC o DCP de RawTherapee, específicos para la cámara.\n\nEstos perfiles son más precisos que los de matriz de color, más simples, aunque no están disponibles para todas las cámaras.\n\nEstos perfiles están almacenados en las carpetas «/iccprofiles/input» y «/dcpprofiles» y se cargan automáticamente en función de la coincidencia del nombre del archivo del perfil con el nombre exacto del modelo de cámara. +TP_ICM_INPUTCAMERA_TOOLTIP;Esta opción escoge entre:\n\n- una matriz de color simple obtenida de dcraw\n- una versión mejorada de RawTherapee (la que esté disponible según el modelo de cámara)\n- la matriz embebida en el archivo DNG +TP_ICM_INPUTCUSTOM;Personalizado +TP_ICM_INPUTCUSTOM_TOOLTIP;Selecciona un perfil de color DCP/ICC personalizado para la cámara. +TP_ICM_INPUTDLGLABEL;Seleccionar perfil de entrada DCP/ICC... +TP_ICM_INPUTEMBEDDED;Usar embebido si es posible +TP_ICM_INPUTEMBEDDED_TOOLTIP;Usar perfil de color embebido en archivos no raw. +TP_ICM_INPUTNONE;Sin perfil de color +TP_ICM_INPUTNONE_TOOLTIP;No usar ningún perfil de color.\nUtilizar sólo en casos especiales. +TP_ICM_INPUTPROFILE;Perfil de entrada +TP_ICM_LABEL;Gestión del color +TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +TP_ICM_NEUTRAL;Reiniciar +TP_ICM_NOICM;Sin ICM: salida sRGB +TP_ICM_OUTPUTPROFILE;Perfil de salida +TP_ICM_OUTPUTPROFILE_TOOLTIP;De forma predeterminada, todos los perfiles «RTv4» o «RTv2» tienen la Curva de Reproducción de Tonos (TRC) del espacio sRGB: g=2.4 s=12.92\n\nCon el «Generador de perfiles ICC» se pueden generar perfiles v4 o v2 escogiendo entre las siguientes opciones:\n\n- Primarios: Personalizado, Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB.\n\n- Curva de reproducción de tono: Personalizado, BT709, sRGB, lineal, estándar g=2.2, estándar g=1.8, alta g=1.3 s=3.35, baja g=2.6 s=6.9, Lab g=3.0 s=9.03296\n\n- Iluminante: Predeterminado, D41, D50, D55, D60, D65, D80, stdA 2856K. +TP_ICM_PRIMBLU_TOOLTIP;Primarios Azul:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;Primarios Verde:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMILLUM_TOOLTIP;Los colores primarios conforman los límites del espacio de color, y escogerlos adecuadamente es complejo y requiere mucha precisión.\n\nAl establecerlos aquí, se transforma radicalmente la distribución de colores de la imagen, por lo que requiere de gran cantidad de experimentación.\n\nSin embargo, es posible realizar tanto ajustes globales sutiles como ajustes extremos. +TP_ICM_PRIMRED_TOOLTIP;Primarios Rojo:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +TP_ICM_PROFILEINTENT;Método de conversión del rango de colores +TP_ICM_REDFRAME;Primarios a medida +TP_ICM_SAVEREFERENCE;Guardar imagen de referencia +TP_ICM_SAVEREFERENCE_APPLYWB;Aplicar balance de blancos +TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;En general, se debe aplicar el balance de blancos cuando se guardan imágenes para crear perfiles ICC, y no aplicarlo para crear perfiles DCP. +TP_ICM_SAVEREFERENCE_TOOLTIP;Guarda una imagen TIFF lineal basada en los datos raw y antes de que se les aplique el perfil de entrada.\n\nEl resultado puede usarse para calibrar y generar un perfil personalizado de la cámara. +TP_ICM_TONECURVE;Curva tonal +TP_ICM_TONECURVE_TOOLTIP;Cuando el DCP seleccionado incluye una curva tonal, RawTherapee la aplica a la imagen. +TP_ICM_TRCFRAME;Perfil abstracto +TP_ICM_TRCFRAME_TOOLTIP;También se conocen como perfiles «sintéticos» o «virtuales» y permiten modificar globalmente los tonos de la imagen.\n\nSe pueden hacer cambios en:\n\n- La «Curva de reproducción tonal», que modifica los tonos de la imagen.\n- El «Iluminante», que permite cambiar los primarios del perfil para adaptarlos a las condiciones de la toma.\n- Los «Primarios de destino», que permite cambiar los primarios de destino, con dos usos principales: mezclador de canales y calibración.\n\nNota: Los perfiles abstractos tienen en cuenta los perfiles de trabajo incorporados sin modificarlos. No funcionan con perfiles de trabajo a medida. +TP_ICM_TRC_TOOLTIP;Permite cambiar la «curva de reproducción tonal» (TRC) predeterminada de RawTherapee (TRC sRGB, con g=2.4 y s=12.92).\n\nEsta TRC modifica los tonos de la imagen. Los valores RGB y L*a*b*, el histograma y la salida (pantalla, TIF, JPG) cambian:\n\n- La «Gamma» actúa principalmente en los tonos claros.\n- La «Pendiente» actúa principalmente en los tonos oscuros.\n\nSe puede elegir cualquier par de valores de gamma y pendiente (valores > 1) y el algoritmo se asegurará de que hay continuidad entre las partes lineal y parabólica de la curva.\n\nCualquier selección distinta de «Ninguna» activa la lista de selección «Primarios de destino», y dependiendo del valor de ésta, la lista desplegable «Iluminante». +TP_ICM_WORKINGPROFILE;Perfil de trabajo +TP_ICM_WORKING_CIEDIAG;Diagrama CIE xy +TP_ICM_WORKING_ILLU;Iluminante +TP_ICM_WORKING_ILLU_1500;Tungsteno 1500K +TP_ICM_WORKING_ILLU_2000;Tungsteno 2000K +TP_ICM_WORKING_ILLU_D41;D41 +TP_ICM_WORKING_ILLU_D50;D50 +TP_ICM_WORKING_ILLU_D55;D55 +TP_ICM_WORKING_ILLU_D60;D60 +TP_ICM_WORKING_ILLU_D65;D65 +TP_ICM_WORKING_ILLU_D80;D80 +TP_ICM_WORKING_ILLU_D120;D120 +TP_ICM_WORKING_ILLU_NONE;Predeterminado +TP_ICM_WORKING_ILLU_STDA;stdA 2875K +TP_ICM_WORKING_PRESER;Preservar los tonos pastel +TP_ICM_WORKING_PRIM;Primarios de destino +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;Si se selecciona «Diagrama CIE xy personalizado» en la lista desplegable «Primarios de destino», se modificarán directamente en el gráfico los valores de los tres primarios.\n\nHay que tener en cuenta que en este caso la posición del punto blanco en el gráfico no se actualizará. +TP_ICM_WORKING_PRIM_AC0;ACESp0 +TP_ICM_WORKING_PRIM_ACE;ACESp1 +TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +TP_ICM_WORKING_PRIM_BET;Beta RGB +TP_ICM_WORKING_PRIM_BRU;BruceRGB +TP_ICM_WORKING_PRIM_BST;BestRGB +TP_ICM_WORKING_PRIM_CUS;A medida (deslizadores) +TP_ICM_WORKING_PRIM_CUSGR;A medida (Diagrama CIE xy) +TP_ICM_WORKING_PRIM_NONE;Predeterminado +TP_ICM_WORKING_PRIM_PROP;ProPhoto +TP_ICM_WORKING_PRIM_REC;Rec2020 +TP_ICM_WORKING_PRIM_SRGB;sRGB +TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_TRC;Curva de respuesta de tono: +TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +TP_ICM_WORKING_TRC_22;Adobe g=2.2 +TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +TP_ICM_WORKING_TRC_CUSTOM;Personalizada +TP_ICM_WORKING_TRC_GAMMA;Gamma +TP_ICM_WORKING_TRC_LIN;Lineal g=1 +TP_ICM_WORKING_TRC_NONE;Ninguna +TP_ICM_WORKING_TRC_SLOPE;Pendiente +TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 +TP_ICM_WORKING_TRC_TOOLTIP;Aquí se selecciona uno de los perfiles incorporados en RawTherapee, que será el que utilizará el motor del programa. +TP_IMPULSEDENOISE_LABEL;Reducción de ruido impulsivo +TP_IMPULSEDENOISE_THRESH;Umbral +TP_LABCURVE_AVOIDCOLORSHIFT;Evitar la deriva de colores +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Encaja los colores en el rango del espacio de color de trabajo y aplica la corrección de Munsell. +TP_LABCURVE_BRIGHTNESS;Luminosidad +TP_LABCURVE_CHROMATICITY;Cromaticidad +TP_LABCURVE_CHROMA_TOOLTIP;Para aplicar virado de color en B/N, se ajusta la cromaticidad a -100. +TP_LABCURVE_CONTRAST;Contraste +TP_LABCURVE_CURVEEDITOR;Curva de luminancia +TP_LABCURVE_CURVEEDITOR_A_RANGE1;Verde saturado +TP_LABCURVE_CURVEEDITOR_A_RANGE2;Verde pastel +TP_LABCURVE_CURVEEDITOR_A_RANGE3;Rojo pastel +TP_LABCURVE_CURVEEDITOR_A_RANGE4;Rojo saturado +TP_LABCURVE_CURVEEDITOR_B_RANGE1;Azul saturado +TP_LABCURVE_CURVEEDITOR_B_RANGE2;Azul pastel +TP_LABCURVE_CURVEEDITOR_B_RANGE3;Amarillo pastel +TP_LABCURVE_CURVEEDITOR_B_RANGE4;Amarillo saturado +TP_LABCURVE_CURVEEDITOR_CC;CC +TP_LABCURVE_CURVEEDITOR_CC_RANGE1;Neutro +TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Mate +TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel +TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturado +TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Cromaticidad en función de la cromaticidad C=f(C) +TP_LABCURVE_CURVEEDITOR_CH;CH +TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Cromaticidad en función del matiz C=f(H) +TP_LABCURVE_CURVEEDITOR_CL;CL +TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Cromaticidad en función de la luminancia C=f(L) +TP_LABCURVE_CURVEEDITOR_HH;HH +TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Matiz en función del matiz H=f(H) +TP_LABCURVE_CURVEEDITOR_LC;LC +TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminancia en función de la cromaticidad L=f(C) +TP_LABCURVE_CURVEEDITOR_LH;LH +TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminancia en función del matiz L=f(H) +TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminancia en función de la luminancia L=f(L) +TP_LABCURVE_LABEL;Ajustes L*a*b* +TP_LABCURVE_LCREDSK;Restringir LC a rojos y tonos de piel +TP_LABCURVE_LCREDSK_TIP;Si se activa, la curva LC afecta solamente a los rojos y los tonos de piel.\nSi se desactiva, afecta a todos los tonos. +TP_LABCURVE_RSTPROTECTION;Protección de rojos y tonos de piel +TP_LABCURVE_RSTPRO_TOOLTIP;Opera sobre el deslizador de Cromaticidad y la curva CC. +TP_LENSGEOM_AUTOCROP;Auto-recorte +TP_LENSGEOM_FILL;Auto-relleno +TP_LENSGEOM_LABEL;Objetivo / Geometría +TP_LENSGEOM_LIN;Lineal +TP_LENSGEOM_LOG;Logarítmico +TP_LENSPROFILE_CORRECTION_AUTOMATCH;Selección automática +TP_LENSPROFILE_CORRECTION_LCPFILE;Archivo LCP +TP_LENSPROFILE_CORRECTION_MANUAL;Selección manual +TP_LENSPROFILE_LABEL;Corrección de objetivo con perfil +TP_LENSPROFILE_LENS_WARNING;Advertencia: si el factor de recorte usado para el perfilado de objetivo es mayor que el factor de recorte de la cámara, los resultados podrían ser erróneos. +TP_LENSPROFILE_MODE_HEADER;Perfil del objetivo +TP_LENSPROFILE_USE_CA;Aberración cromática +TP_LENSPROFILE_USE_GEOMETRIC;Distorsión geométrica +TP_LENSPROFILE_USE_HEADER;Selecciona las distorsiones a corregir: +TP_LENSPROFILE_USE_VIGNETTING;Viñeteado +TP_LOCALCONTRAST_AMOUNT;Intensidad +TP_LOCALCONTRAST_DARKNESS;Énfasis en las sombras +TP_LOCALCONTRAST_LABEL;Contraste local +TP_LOCALCONTRAST_LIGHTNESS;Énfasis en las luces +TP_LOCALCONTRAST_RADIUS;Radio +TP_LOCALLAB_ACTIV;Sólo luminancia +TP_LOCALLAB_ACTIVSPOT;Activar punto +TP_LOCALLAB_ADJ;Ecualizador Azul-Amarillo/Rojo-Verde +TP_LOCALLAB_ALL;Todas las rúbricas +TP_LOCALLAB_AMOUNT;Cantidad +TP_LOCALLAB_ARTIF;Detección de forma +TP_LOCALLAB_ARTIF_TOOLTIP;El umbral de ámbito de ΔE aumenta el rango de ámbito de ΔE. Los valores altos son para imágenes con una gama de colores muy extensa.\nEl aumento del decaimiento de ΔE puede mejorar la detección de forma, pero también puede reducir el ámbito. +TP_LOCALLAB_AUTOGRAY;Luminancia media Auto (Yb%) +TP_LOCALLAB_AUTOGRAYCIE;Auto +TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Calcula automáticamente la «luminancia media» y la «luminancia absoluta».\nPara Jz Cz Hz: calcula automáticamente la «adaptación PU», «Ev Negro» y «Ev Blanco». +TP_LOCALLAB_AVOID;Evitar la deriva de colores +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Encaja los colores en el rango del espacio de color de trabajo y aplica la corrección de Munsell (L*a*b* Perceptual Uniforme).\nLa corrección de Munsell siempre se desactiva cuando se usa Jz o CAM16. +TP_LOCALLAB_AVOIDMUN;Sólo corrección de Munsell +TP_LOCALLAB_AVOIDMUN_TOOLTIP;La corrección de Munsell siempre se desactiva cuando se usa Jz o CAM16. +TP_LOCALLAB_AVOIDRAD;Radio suave +TP_LOCALLAB_BALAN;Balance ab-L (ΔE) +TP_LOCALLAB_BALANEXP;Balance de Laplaciana +TP_LOCALLAB_BALANH;Balance C-H (ΔE) +TP_LOCALLAB_BALAN_TOOLTIP;Cambia los parámetros del algoritmo de ΔE.\nTiene en cuenta más o menos a*b* o L*, o más o menos C o H.\nNo usar para Reducción de ruido. +TP_LOCALLAB_BASELOG;Rango de sombras (base del logaritmo) +TP_LOCALLAB_BILATERAL;Filtro bilateral +TP_LOCALLAB_BLACK_EV;Ev Negro +TP_LOCALLAB_BLCO;Sólo cromaticidad +TP_LOCALLAB_BLENDMASKCOL;Mezcla +TP_LOCALLAB_BLENDMASKMASK;Sumar/restar máscara de luminancia +TP_LOCALLAB_BLENDMASKMASKAB;Sumar/restar máscara de cromaticidad +TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;Si este deslizador = 0, no se realiza ninguna acción.\nSuma o resta la máscara de la imagen original. +TP_LOCALLAB_BLENDMASK_TOOLTIP;Si Mezcla = 0, sólo mejora la detección de forma.\nSi Mezcla > 0, la máscara se añade a la imagen. Si Mezcla < 0, la máscara se substrae de la imagen. +TP_LOCALLAB_BLGUID;Filtro guiado +TP_LOCALLAB_BLINV;Inverso +TP_LOCALLAB_BLLC;Luminancia y cromaticidad +TP_LOCALLAB_BLLO;Sólo luminancia +TP_LOCALLAB_BLMED;Mediana +TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal - difuminado y ruido directo con todos los ajustes.\nDifuminado y ruido inverso con todos los ajustes. Cuidado, algunos resultados pueden ser curiosos. +TP_LOCALLAB_BLNOI_EXP;Difuminado y ruido +TP_LOCALLAB_BLNORM;Normal +TP_LOCALLAB_BLUFR;Difuminado/Grano y Reducción de ruido +TP_LOCALLAB_BLUMETHOD_TOOLTIP;Para difuminar el fondo y aislar el primer plano:\n\n- Se difumina el fondo, cubriendo completamente la imagen con un punto RT (valores altos para Ámbito y Transición, y «Normal» o «Inverso» en la casilla de verificación).\n- Se aísla el primer plano, usando uno o más puntos RT «Excluyentes», y se aumenta el ámbito.\n\nEste módulo (incluyendo la «Mediana» y el «Filtro guiado») puede usarse además de la reducción de ruido del menú principal. +TP_LOCALLAB_BLUR;Difuminado gaussiano - Ruido - Grano +TP_LOCALLAB_BLURCOL;Radio +TP_LOCALLAB_BLURCOLDE_TOOLTIP;La imagen usada para calcular ΔE se difumina ligeramente para evitar tener en cuenta píxels aislados. +TP_LOCALLAB_BLURDE;Difuminado detección de forma +TP_LOCALLAB_BLURLC;Sólo luminancia +TP_LOCALLAB_BLURLEVELFRA;Niveles de difuminado +TP_LOCALLAB_BLURMASK_TOOLTIP;Usa un difuminado de radio grande para crear una máscara que permite variar el contraste de la imagen y/o oscurecer/aclarar partes de ella. +TP_LOCALLAB_BLURRMASK_TOOLTIP;Permite variar el «radio» del difuminado gaussiano (0 a 1000). +TP_LOCALLAB_BLUR_TOOLNAME;Difuminado/Grano y Reducción de ruido - 1 +TP_LOCALLAB_BLWH;Todos los cambios forzados en Blanco y negro +TP_LOCALLAB_BLWH_TOOLTIP;Fuerza los componentes de color «a» y «b» a cero.\nEs útil para el procesado en blanco y negro, o para la simulación de película. +TP_LOCALLAB_BUTTON_ADD;Añadir +TP_LOCALLAB_BUTTON_DEL;Borrar +TP_LOCALLAB_BUTTON_DUPL;Duplicar +TP_LOCALLAB_BUTTON_REN;Cambiar nombre +TP_LOCALLAB_BUTTON_VIS;Mostrar/ocultar +TP_LOCALLAB_BWFORCE;Usa Ev Negro y Ev Blanco +TP_LOCALLAB_CAM16PQREMAP;LP HDR (Luminancia pico) +TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;CP (Cuantificador perceptual) adaptado a CAM16. Permite cambiar la función CP interna (normalmente 10000 cd/m² - predeterminado 100 cd/m² - desactivada para 100 cd/m²).\nSe puede usar para adaptar a diferentes dispositivos e imágenes. +TP_LOCALLAB_CAM16_FRA;Ajustes de imagen Cam16 +TP_LOCALLAB_CAMMODE;Modelo CAM +TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CAMMODE_ZCAM;Sólo ZCAM +TP_LOCALLAB_CATAD;Adaptación cromática - Cat16 +TP_LOCALLAB_CBDL;Contraste por niveles de detalle +TP_LOCALLAB_CBDLCLARI_TOOLTIP;Realza el contraste local de los tonos medios. +TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Igual que las ondículas.\nEl primer nivel (0) actúa en detalles de 2x2 píxels.\nEl último nivel (5) actúa en detalles de 64x64 píxels. +TP_LOCALLAB_CBDL_THRES_TOOLTIP;Evita el aumento de nitidez del ruido. +TP_LOCALLAB_CBDL_TOOLNAME;Contraste por niveles de detalle - 2 +TP_LOCALLAB_CENTER_X;Centro X +TP_LOCALLAB_CENTER_Y;Centro Y +TP_LOCALLAB_CH;Curvas CL - LC +TP_LOCALLAB_CHROMA;Cromaticidad +TP_LOCALLAB_CHROMABLU;Niveles de cromaticidad +TP_LOCALLAB_CHROMABLU_TOOLTIP;Aumenta o reduce el efecto, dependiendo de los ajustes de luminancia.\nLos valores por debajo de 1 reducen el efecto. Los valores mayores que 1 aumentan el efecto. +TP_LOCALLAB_CHROMACBDL;Cromaticidad +TP_LOCALLAB_CHROMACB_TOOLTIP;Aumenta o reduce el efecto, dependiendo de los ajustes de luminancia.\nLos valores por debajo de 1 reducen el efecto. Los valores mayores que 1 aumentan el efecto. +TP_LOCALLAB_CHROMALEV;Niveles de cromaticidad +TP_LOCALLAB_CHROMASKCOL;Cromaticidad +TP_LOCALLAB_CHROMASK_TOOLTIP;Cambia la cromaticidad de la máscara si ésta existe (por ejemplo, C(C) o LC(H) están activadas). +TP_LOCALLAB_CHROML;Cromaticidad (C) +TP_LOCALLAB_CHRRT;Cromaticidad +TP_LOCALLAB_CIE;Apariencia de color (Cam16 y JzCzHz) +TP_LOCALLAB_CIEC;Usar los parámetros de entorno de Ciecam +TP_LOCALLAB_CIECAMLOG_TOOLTIP;Este módulo se basa en el Modelo de Apariencia de Color CIECAM, que se diseñó para simular mejor cómo percibe la visión humana los colores bajo diferentes condiciones de iluminación.\nEl primer proceso de Ciecam, «Condiciones de la escena», se lleva a cabo por la codificación logarítmica. También usa la «Luminancia absoluta» en el momento de la toma.\nEl segundo proceso Ciecam, «Ajustes de imagen», se simplifica, y usa solamente 3 variables (contraste local, contraste J, saturación s).\nEl tercer proceso Ciecam, «Condiciones de visualización», adapta la salida a las condiciones de visualización deseadas (monitor, TV, proyector, impresora, etc.), de modo que se preserve la apariencia cromática y de contraste para cualquier entorno de visualización. +TP_LOCALLAB_CIECOLORFRA;Color +TP_LOCALLAB_CIECONTFRA;Contrasta +TP_LOCALLAB_CIELIGHTCONTFRA;Iluminación y contraste +TP_LOCALLAB_CIELIGHTFRA;Iluminación +TP_LOCALLAB_CIEMODE;Cambiar la posición de la herramienta +TP_LOCALLAB_CIEMODE_COM;Predeterminado +TP_LOCALLAB_CIEMODE_DR;Rango dinámico +TP_LOCALLAB_CIEMODE_LOG;Codificación log +TP_LOCALLAB_CIEMODE_TM;Mapeo tonal +TP_LOCALLAB_CIEMODE_TOOLTIP;En modo Predeterminado, se añade Ciecam al final del proceso. «Máscara y modificaciones» y «Recuperación basada en la máscara de luminancia» están disponibles para «Cam16 y JzCzHz».\nTambién se puede integrar Ciecam en otras herramientas si se desea (Mapeo tonal, Ondícula, Rango dinámico, Codificación log). Los resultados para estas herramientas serán diferentes de los obtenidos sin Ciecam. En este modo, también es posible usar «Máscara y modificaciones» y «Recuperación basada en la máscara de luminancia». +TP_LOCALLAB_CIEMODE_WAV;Ondícula +TP_LOCALLAB_CIETOOLEXP;Curvas +TP_LOCALLAB_CIE_TOOLNAME;Apariencia de color (Cam16 y JzCzHz) +TP_LOCALLAB_CIRCRADIUS;Tamaño del punto +TP_LOCALLAB_CIRCRAD_TOOLTIP;Contiene las referencias del punto RT, útil para la detección de forma (matiz, luminancia, cromaticidad, Sobel).\nLos valores bajos pueden ser útiles para el tratamiento del follaje.\nLos valores altos pueden ser útiles para el tratamiento de la piel. +TP_LOCALLAB_CLARICRES;Fusionar cromaticidad +TP_LOCALLAB_CLARIFRA;Claridad y Máscara de nitidez - Mezclar y suavizar imágenes +TP_LOCALLAB_CLARIJZ_TOOLTIP;Niveles 0 a 4 (incluido): Se activa «Máscara de nitidez».\nNiveles 5 y superiores: Se activa «Claridad». +TP_LOCALLAB_CLARILRES;Fusionar luminancia +TP_LOCALLAB_CLARISOFT;Radio suave +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;El deslizador «Radio suave» (algoritmo de filtro guiado) reduce los halos e irregularidades en Claridad, Máscara de nitidez y Ondículas de contraste local Jz. +TP_LOCALLAB_CLARISOFT_TOOLTIP;El deslizador «Radio suave» (algoritmo del filtro guiado) reduce los halos e irregularidades, tanto para Claridad y Máscara de nitidez como para todos los procesos de pirámide de ondículas. Para desactivarlo, se ajusta el deslizador a cero. +TP_LOCALLAB_CLARITYML;Claridad +TP_LOCALLAB_CLARI_TOOLTIP;Niveles 0 a 4 (incluido): Se activa «Máscara de nitidez».\nNiveles 5 y superiores: Se activa «Claridad».\nEs útil si se usa «Mapeo tonal por niveles de ondículas». +TP_LOCALLAB_CLIPTM;Recortar los datos restaurados (ganancia) +TP_LOCALLAB_COFR;Color y Luz +TP_LOCALLAB_COLORDE;Color vista previa ΔE - intensidad +TP_LOCALLAB_COLORDEPREV_TOOLTIP;El botón Vista previa de ΔE sólo funcionará si se ha activado una (y sólo una) de las herramientas del menú «Añadir herramienta al punto actual».\nPara poder ver la Vista previa de ΔE con varias herramientas activadas, se utiliza Máscara y modificaciones - Vista previa de ΔE. +TP_LOCALLAB_COLORDE_TOOLTIP;Muestra una previsualización de color azul para la selección de ΔE si es negativa, y verde si es positiva.\n\nMáscara y modificaciones (mostrar áreas modificadas sin máscara): muestra las modificaciones reales si es positivo, muestra las modificaciones mejoradas (sólo luminancia) en azul, y en amarillo si es negativo. +TP_LOCALLAB_COLORSCOPE;Ámbito (herramientas de color) +TP_LOCALLAB_COLORSCOPE_TOOLTIP;Deslizador común para Color y Luz, Sombras/Luces y Vivacidad.\nOtras herramientas tienen sus propios controles de ámbito. +TP_LOCALLAB_COLOR_CIE;Curva de color +TP_LOCALLAB_COLOR_TOOLNAME;Color y Luz - 11 +TP_LOCALLAB_COL_NAME;Nombre +TP_LOCALLAB_COL_VIS;Estado +TP_LOCALLAB_COMPFRA;Contraste direccional +TP_LOCALLAB_COMPLEX_METHOD;Complejidad del software +TP_LOCALLAB_COMPLEX_TOOLTIP;Permite al usuario seleccionar rúbricas de Ajustes locales. +TP_LOCALLAB_COMPREFRA;Mapeo tonal por niveles de ondículas +TP_LOCALLAB_CONTCOL;Umbral de contraste +TP_LOCALLAB_CONTFRA;Contraste por nivel +TP_LOCALLAB_CONTRAST;Contraste +TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Permite cambiar libremente el contraste de la máscara.\n\nSu función es similar a la de los deslizadores Gamma y Pendiente.\n\nPermite actuar sobre ciertas partes de la imagen (normalmente las partes más claras de la máscara, usando la curva para excluir las partes oscuras). Puede crear artefactos. +TP_LOCALLAB_CONTRESID;Contraste +TP_LOCALLAB_CONTTHMASK_TOOLTIP;Permite determinar qué partes de la imagen se verán impactadas en función de la textura. +TP_LOCALLAB_CONTTHR;Umbral de contraste +TP_LOCALLAB_CONTWFRA;Contraste local +TP_LOCALLAB_CSTHRESHOLD;Ψ Niveles de ondícula +TP_LOCALLAB_CSTHRESHOLDBLUR;Ψ Selección de nivel de ondícula +TP_LOCALLAB_CURV;Claridad - Contraste - Cromaticidad «Super» +TP_LOCALLAB_CURVCURR;Normal +TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;Si las curvas están en la parte superior, la máscara es completamente negra y no realiza transformación en la imagen.\n\nA medida que se hace bajar la curva, la máscara aumenta gradualmente su brillo y colorido, y la imagen cambia más y más.\n\nLa línea gris de transición representa los valores de referencia (cromaticidad, luminancia, matiz).\n\nPuedes elegir posicionar o no la parte superior de las curvas en esta transición. +TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;Si las curvas están en la parte superior, la máscara es completamente negra y no se hacen cambios a la imagen.\n\nA medida que se hace bajar la curva, la máscara aumenta gradualmente su colorido y brillo, cambiando progresivamente la imagen.\n\nSe recomienda (aunque no es obligatorio) posicionar la parte superior de las curvas en la línea límite gris que representa los valores de referencia de cromaticidad, luma y matiz para el punto RT. +TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;Para activar las curvas, la lista desplegable «Tipo de curva» se sitúa a «Normal». +TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Curva tonal +TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), puede usarse con L(H) en Color y Luz. +TP_LOCALLAB_CURVEMETHOD_TOOLTIP;«Normal»: la curva L=f(L) usa el mismo algoritmo que el deslizador de claridad. +TP_LOCALLAB_CURVES_CIE;Curva tonal +TP_LOCALLAB_CURVNONE;Desactivar curvas +TP_LOCALLAB_DARKRETI;Oscuridad +TP_LOCALLAB_DEHAFRA;Eliminación de neblina +TP_LOCALLAB_DEHAZ;Intensidad +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Elimina la neblina atmosférica. Aumenta la saturación y el detalle globales.\nPuede quitar dominantes de color, pero también puede introducir una dominante azul, que puede corregirse con otras herramientas. +TP_LOCALLAB_DEHAZ_TOOLTIP;Los valores negativos añaden neblina. +TP_LOCALLAB_DELTAD;Balance de Delta +TP_LOCALLAB_DELTAEC;ΔE Máscara de imagen +TP_LOCALLAB_DENOI1_EXP;Reducción de ruido basada en máscara de luminancia +TP_LOCALLAB_DENOI2_EXP;Recuperación basada en máscara de luminancia +TP_LOCALLAB_DENOIBILAT_TOOLTIP;Permite reducir el ruido impulsivo o de «sal y pimienta». +TP_LOCALLAB_DENOICHROC_TOOLTIP;Permite tratar manchas y aglomeraciones de ruido. +TP_LOCALLAB_DENOICHRODET_TOOLTIP;Permite recuperar el detalle de la cromaticidad, aplicando progresivamente una transformada de Fourier (DCT). +TP_LOCALLAB_DENOICHROF_TOOLTIP;Permite ajustar el ruido de cromaticidad de detalle fino. +TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Permite dirigir la reducción de ruido de cromaticidad, ya sea hacia el azul-amarillo o hacia el rojo-verde. +TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Permite llevar a cabo más o menos reducción de ruido, tanto en las sombras como en las luces. +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Permite recuperar el detalle de la luminancia, aplicando progresivamente una transformada de Fourier (DCT). +TP_LOCALLAB_DENOIMASK;Reducc. ruido cromatic. máscara +TP_LOCALLAB_DENOIMASK_TOOLTIP;Para todas las herramientas, permite controlar el nivel de ruido cromático de la máscara.\nEs útil para un mejor control de la cromaticidad y para evitar artefactos cuando se usa la curva LC(h). +TP_LOCALLAB_DENOIQUA_TOOLTIP;El modo Conservador preserva el detalle de baja frecuencia. El modo Agresivo elimina el detalle de baja frecuencia.\nLos modos Conservador y Agresivo usan ondículas y DCT, y pueden usarse junto con «Medias no locales - Luminancia». +TP_LOCALLAB_DENOITHR_TOOLTIP;Ajusta la detección de bordes para ayudar a reducir el ruido en áreas uniformes y de bajo contraste. +TP_LOCALLAB_DENOI_EXP;Reducción de ruido +TP_LOCALLAB_DENOI_TOOLTIP;Este módulo puede usarse para la reducción de ruido, ya sea por sí mismo (al final del circuito de revelado), o además del módulo Reducción de ruido en la pestaña Detalle (que opera al principio del circuito de revelado).\nEl ámbito permite diferenciar la acción en función del color (ΔE).\nTamaño mínimo del punto RT: 128x128 +TP_LOCALLAB_DEPTH;Profundidad +TP_LOCALLAB_DETAIL;Contraste local +TP_LOCALLAB_DETAILFRA;Detección de bordes +TP_LOCALLAB_DETAILSH;Detalles +TP_LOCALLAB_DETAILTHR;Umbral de detalle de luminancia y cromaticidad (DCT ƒ) +TP_LOCALLAB_DIVGR;Gamma +TP_LOCALLAB_DUPLSPOTNAME;Copiar +TP_LOCALLAB_EDGFRA;Nitidez en bordes +TP_LOCALLAB_EDGSHOW;Mostrar todas las herramientas +TP_LOCALLAB_ELI;Elipse +TP_LOCALLAB_ENABLE_AFTER_MASK;Usar Mapeo tonal +TP_LOCALLAB_ENABLE_MASK;Activar máscara +TP_LOCALLAB_ENABLE_MASKAFT;Usar todos los algoritmos de Exposición +TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;Si está activado, la máscara usa los datos restaurados después del Mapa de transmisión, en lugar de los datos originales. +TP_LOCALLAB_ENH;Mejorado +TP_LOCALLAB_ENHDEN;Mejorado + reducc. ruido de cromaticidad +TP_LOCALLAB_EPSBL;Detalle +TP_LOCALLAB_EQUIL;Normalizar luminancia +TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruye la luminancia, de modo que la media y la varianza de la imagen de salida son idénticas a las de la imagen original. +TP_LOCALLAB_ESTOP;Parada en bordes +TP_LOCALLAB_EV_DUPL;Copia de +TP_LOCALLAB_EV_NVIS;Ocultar +TP_LOCALLAB_EV_NVIS_ALL;Ocultar todo +TP_LOCALLAB_EV_VIS;Mostrar +TP_LOCALLAB_EV_VIS_ALL;Mostrar todo +TP_LOCALLAB_EXCLUF;Excluyente +TP_LOCALLAB_EXCLUF_TOOLTIP;El modo «Excluyente» evita que los puntos adyacentes influencien ciertas partes de la imagen. Ajustando «Ámbito», se extenderá el rango de colores.\nTambién se pueden añadir herramientas a un punto Excluyente y usarlas del mismo modo que para un punto normal. +TP_LOCALLAB_EXCLUTYPE;Método de punto +TP_LOCALLAB_EXCLUTYPE_TOOLTIP;El punto normal usa datos recursivos.\n\nEl punto excluyente reinicia todos los datos de ajuste local.\n\nPuede usarse para cancelar total o parcialmente una acción anterior, o para llevar a cabo operaciones en modo Inverso.\n\nImagen completa permite usar las herramientas de ajuste local en la imagen completa.\n\nLos delimitadores del punto RT se establecen más allá de los límites de la vista previa de la imagen.\nLa transición se ajusta a 100.\n\nObsérvese que puede ser necesario reposicionar ligeramente el punto RT y ajustar el tamaño del punto para obtener el efecto deseado.\n\nPor favor, téngase en cuenta que el uso de la Reducción de ruido, las Ondículas o FFTW en modo de imagen completa consume grandes cantidades de memoria, y puede provocar que el programa se estrelle en sistemas con poca capacidad. +TP_LOCALLAB_EXECLU;Punto excluyente +TP_LOCALLAB_EXFULL;Imagen completa +TP_LOCALLAB_EXNORM;Punto normal +TP_LOCALLAB_EXPCBDL_TOOLTIP;Puede usarse para eliminar marcas en el sensor o en el objetivo, reduciendo el contraste en el/los nivel(es) de detalle apropiado(s). +TP_LOCALLAB_EXPCHROMA;Compensación de cromaticidad +TP_LOCALLAB_EXPCHROMA_TOOLTIP;Se debe usar en asociación con «Compensación de exposición f» y «Atenuador de contraste f» para evitar desaturar los colores. +TP_LOCALLAB_EXPCOLOR_TOOLTIP;Ajusta el color, la claridad y el contraste, y corrige pequeños defectos como los ojos rojos, el polvo del sensor, etc. +TP_LOCALLAB_EXPCOMP;Compensación de exposición ƒ +TP_LOCALLAB_EXPCOMPINV;Compensación de exposición +TP_LOCALLAB_EXPCOMP_TOOLTIP;Para retratos o imágenes con un gradiente de color bajo. Se puede cambiar la «Detección de forma» en «Ajustes»:\n\nSe debe aumentar «Umbral de ámbito ΔE»\nSe debe reducir «Decaimiento ΔE»\nSe debe aumentar «Balance ab-L (ΔE)». +TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;Consúltese la documentación de Niveles de ondículas.\nHay algunas diferencias en la versión Local: hay más herramientas y más posibilidades de trabajar en niveles de detalle individuales.\nPor ejemplo, el mapeo tonal en un nivel de ondícula. +TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Se deben evitar puntos demasiado pequeños (< 32x32 pixels).\nDebe usarse un «Valor de transición» bajo y un «Decaimiento de transición» y «Ámbito» altos, para simular puntos RT pequeños y tratar los defectos.\nPuede utilizarse «Claridad y Máscara nítida y Mezcla y Suavizar Imágenes» si es necesario, ajustando «Radio suave» para reducir los artefactos. +TP_LOCALLAB_EXPCURV;Curvas +TP_LOCALLAB_EXPGRAD;Filtro graduado +TP_LOCALLAB_EXPGRADCOL_TOOLTIP;Hay un Filtro graduado disponible en Color y Luz (gradientes de luminancia, cromaticidad y matiz, y «Fusión de archivos»), Exposición (gradiente de luminancia), Máscara de exposición (gradiente de luminancia), Sombras/Luces (gradiente de luminancia), Vivacidad (gradiente de luminancia, cromaticidad y matiz), Contraste local y Pirámide de ondículas (gradiente de contraste local).\nEl difuminado está en Ajustes. +TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Cambia la fusión de las imágenes transformada/original. +TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Cambia el comportamiento en imágenes con demasiado o demasiado poco contraste, añadiendo una curva de gamma antes y después de la transformada de Laplace. +TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Cambia el comportamiento en imágenes subexpuestas, añadiendo un componente lineal antes de aplicar la transformada de Laplace. +TP_LOCALLAB_EXPLAP_TOOLTIP;Si se desplaza el deslizador hacia la derecha, el contraste se reducirá progresivamente. +TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Permite usar los modos de fusión de capas de GIMP o Photoshop (c), como Diferencia, Multiplicar, Luz suave, Superponer, etc., con control de opacidad.\n\nImagen original: fusiona el punto RT actual con la imagen original.\n\nPunto anterior: fusiona el punto RT actual con el anterior (si existe un punto anterior). Si sólo hay un punto RT, anterior = original.\n\nFondo: fusiona el punto RT con la luminancia y el color del fondo (menos posibilidades). +TP_LOCALLAB_EXPMETHOD_TOOLTIP;Estándar: usa un algoritmo similar a la Exposición del menú principal, pero en el espacio L*a*b*, y teniendo en cuenta ΔE.\n\nAtenuador de contraste: usa otro algoritmo, también con ΔE y con una ecuación de Poisson para resolver la Laplaciana en el espacio de Fourier.\n\nAtenuador de contraste, Compresión de rango dinámico y Estándar pueden combinarse.\n\nEl tamaño de la transformada de Fourier FFTW se optimiza para reducir el tiempo de procesamiento.\n\nReduce los artefactos y el ruido. +TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Aplica un filtro de mediana antes de la transformada de Laplace para evitar artefactos (ruido).\nTambién se puede usar la herramienta «Reducción de ruido». +TP_LOCALLAB_EXPOSE;Rango dinámico y Exposición +TP_LOCALLAB_EXPOSURE_TOOLTIP;Modifica la exposición en el espacio L*a*b, usando algoritmos PDE de Laplaciana para tener en cuenta ΔE y minimizar los artefactos. +TP_LOCALLAB_EXPRETITOOLS;Herramientas Retinex avanzadas +TP_LOCALLAB_EXPSHARP_TOOLTIP;Punto RT mínimo 39*39.\nPara simular puntos RT más pequeños, se debe usar valores bajos de transición y valores altos de «Decaimiento de transición» y «Ámbito». +TP_LOCALLAB_EXPTOOL;Herramientas de exposición +TP_LOCALLAB_EXP_TOOLNAME;Rango dinámico y Exposición - 10 +TP_LOCALLAB_FATAMOUNT;Cantidad +TP_LOCALLAB_FATANCHOR;Anclaje +TP_LOCALLAB_FATDETAIL;Detalle +TP_LOCALLAB_FATFRA;Compresión de rango dinámico ƒ +TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – usa el algoritmo de mapeo tonal Fattal. +TP_LOCALLAB_FATLEVEL;Sigma +TP_LOCALLAB_FATRES;Cantidad de imagen residual +TP_LOCALLAB_FATSHFRA;Máscara de compresión de rango dinámico ƒ +TP_LOCALLAB_FEATH_TOOLTIP;Anchura del gradiente como porcentaje de la diagonal del punto.\nUsado por todos los filtros graduados en todas las herramientas.\nNo realiza ninguna acción si no se ha activado un filtro graduado. +TP_LOCALLAB_FEATVALUE;Gradiente de degradado (Filtros graduados) +TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +TP_LOCALLAB_FFTMASK_TOOLTIP;Utiliza una transformada de Fourier para mejorar la calidad (necesita más memoria y tiempo de procesamiento). +TP_LOCALLAB_FFTW;ƒ - Usar la Transformada Rápida de Fourier +TP_LOCALLAB_FFTWBLUR;ƒ - Usar siempre la Transformada Rápida de Fourier +TP_LOCALLAB_FULLIMAGE;Ev de negro y de blanco para la imagen completa +TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calcula los niveles Ev para la imagen completa. +TP_LOCALLAB_GAM;Gamma +TP_LOCALLAB_GAMC;Gamma +TP_LOCALLAB_GAMCOL_TOOLTIP;Aplica una gamma a los datos de luminosidad L*a*b*.\nSi gamma = 3.0, se usará una luminosidad «lineal». +TP_LOCALLAB_GAMC_TOOLTIP;Aplica una gamma a los datos de luminosidad L*a*b* antes y después del tratamiento con Pirámide 1 y Pirámide 2.\nSi gamma = 3.0, se usará una luminosidad «lineal». +TP_LOCALLAB_GAMFRA;Curva de respuesta de tono (TRC) +TP_LOCALLAB_GAMM;Gamma +TP_LOCALLAB_GAMMASKCOL;Gamma +TP_LOCALLAB_GAMMASK_TOOLTIP;La Gamma y la Pendiente permiten una transformación suave y libre de artefactos de la máscara, modificando progresivamente «L» para evitar cualquier discontinuidad. +TP_LOCALLAB_GAMSH;Gamma +TP_LOCALLAB_GAMW;Gamma (pirámides de ondículas) +TP_LOCALLAB_GRADANG;Ángulo del gradiente +TP_LOCALLAB_GRADANG_TOOLTIP;Ángulo de rotación en grados : -180 0 +180. +TP_LOCALLAB_GRADFRA;Máscara del filtro graduado +TP_LOCALLAB_GRADGEN_TOOLTIP;Ajusta la intensidad del gradiente de luminancia. +TP_LOCALLAB_GRADLOGFRA;Luminancia del filtro graduado +TP_LOCALLAB_GRADSTR;Intensidad del gradiente +TP_LOCALLAB_GRADSTRAB_TOOLTIP;Ajusta la intensidad del gradiente de cromaticidad. +TP_LOCALLAB_GRADSTRCHRO;Intensidad de gradiente de cromaticidad +TP_LOCALLAB_GRADSTRHUE;Intensidad de gradiente de matiz +TP_LOCALLAB_GRADSTRHUE2;Intensidad de gradiente de matiz +TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Ajusta la intensidad del gradiente de matiz. +TP_LOCALLAB_GRADSTRLUM;Intensidad de gradiente de luminancia +TP_LOCALLAB_GRAINFRA;Grano de película 1:1 +TP_LOCALLAB_GRAINFRA2;Grosor +TP_LOCALLAB_GRAIN_TOOLTIP;Añade grano similar a la película a la imagen. +TP_LOCALLAB_GRALWFRA;Filtro graduado (contraste local) +TP_LOCALLAB_GRIDFRAME_TOOLTIP;Esta herramienta se puede usar como un pincel. Usa un punto pequeño y adapta la transición y su decaimiento.\nSólo el modo NORMAL, y al final el Matiz, la Saturación, el Color y la Luminosidad, tienen que ver con la Fusión del fondo (ΔE). +TP_LOCALLAB_GRIDMETH_TOOLTIP;Virado de color: la luminancia se tiene en cuenta al variar la cromaticidad. Equivalente a H=f(H) si el «punto blanco» en la rejilla permanece en cero y sólo se varía el «punto negro». Equivale a «Virado de color» si se varían los dos puntos.\n\nDirecto: sólo actúa sobre la cromaticidad. +TP_LOCALLAB_GRIDONE;Virado de color +TP_LOCALLAB_GRIDTWO;Directo +TP_LOCALLAB_GUIDBL;Radio suave +TP_LOCALLAB_GUIDBL_TOOLTIP;Aplica un filtro guiado con radio ajustable. Permite reducir los artefactos o difuminar la imagen. +TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Cambia la función de distribución del filtro guiado. Los valores negativos simulan un difuminado gaussiano. +TP_LOCALLAB_GUIDFILTER;Radio del filtro guiado +TP_LOCALLAB_GUIDFILTER_TOOLTIP;Puede reducir o aumentar los artefactos. +TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensidad del filtro guiado. +TP_LOCALLAB_HHMASK_TOOLTIP;Ajustes finos de matiz, por ejemplo para la piel. +TP_LOCALLAB_HIGHMASKCOL;Luces +TP_LOCALLAB_HLH;Curvas H +TP_LOCALLAB_HUECIE;Matiz +TP_LOCALLAB_IND;Independiente (ratón) +TP_LOCALLAB_INDSL;Independiente (ratón + deslizadores) +TP_LOCALLAB_INVBL;Inverso +TP_LOCALLAB_INVBL_TOOLTIP;La alternativa al modo «Inverso» es el uso de dos puntos RT.\n\nPrimer punto:\nImagen completa - delimitador fuera de la vista previa\nForma del punto RT: rectángulo. Transición 100\n\nSegundo punto: Excluyente. +TP_LOCALLAB_INVERS;Inverso +TP_LOCALLAB_INVERS_TOOLTIP;Si se selecciona, ofrece menos posibilidades (Inverso).\n\nAlternativa: usa dos puntos.\n\nPrimer punto:\nImagen completa - delimitador fuera de la vista previa.\nForma del punto RT: rectángulo. Transición 100\n\nSegundo punto: punto excluyente.\n\n Inverso activará esta herramienta en el área exterior al punto RT, mientras que el área interior al punto permanecerá sin cambios. +TP_LOCALLAB_INVMASK;Algoritmo inverso +TP_LOCALLAB_ISOGR;Distribución (ISO) +TP_LOCALLAB_JAB;Usa Ev Negro y Ev Blanco +TP_LOCALLAB_JABADAP_TOOLTIP;Adaptación perceptual uniforme.\nAjusta automáticamente la relación entre Jz y la saturación, teniendo en cuenta la «Luminancia absoluta». +TP_LOCALLAB_JZ100;Referencia Jz 100 cd/m² +TP_LOCALLAB_JZ100_TOOLTIP;Ajusta automáticamente el nivel de referencia Jz de 100 cd/m² (señal de imagen).\nCambia el nivel de saturación y la acción de “adaptación PU” (Adaptación perceptual uniforme). +TP_LOCALLAB_JZADAP;Adaptación PU +TP_LOCALLAB_JZCH;Cromaticidad +TP_LOCALLAB_JZCHROM;Cromaticidad +TP_LOCALLAB_JZCLARICRES;Fusionar cromaticidad Cz +TP_LOCALLAB_JZCLARILRES;Fusionar Jz +TP_LOCALLAB_JZCONT;Contraste +TP_LOCALLAB_JZFORCE;Forzar máx. Jz a 1 +TP_LOCALLAB_JZFORCE_TOOLTIP;Permite forzar el valor máximo de Jz a 1, a fin de conseguir una mejor respuesta de deslizadores y curvas. +TP_LOCALLAB_JZFRA;Ajustes de imagen Jz Cz Hz +TP_LOCALLAB_JZHFRA;Curvas Hz +TP_LOCALLAB_JZHJZFRA;Curva Jz(Hz) +TP_LOCALLAB_JZHUECIE;Rotación de matiz +TP_LOCALLAB_JZLIGHT;Luminosidad +TP_LOCALLAB_JZLOG;Codificación Log Jz +TP_LOCALLAB_JZLOGWB_TOOLTIP;Si Auto está activado, calculará y ajustará los niveles Ev y la «luminancia media Yb%» en el área del punto de edición. Los valores resultantes se usarán en todas las operaciones Jz, incluyendo «Codificación Log Jz».\nTambién calcula la luminancia absoluta en el momento de la toma. +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb es la luminosidad relativa del fondo, expresada como un porcentaje de gris. Un 18% de gris corresponde a una luminosidad del fondo del 50%, expresada en CIE L.\nLos datos se basan en la luminosidad media de la imagen.\nSi se usa con la Codificación logarítmica, la luminosidad media se utilizará para determinar la cantidad de ganancia que se necesita aplicar a la señal antes de la codificación logarítimica. Los valores bajos de luminosidad media darán como resultado un aumento de la ganancia. +TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (sólo en modo «Avanzado»). Sólo funcionará si el dispositivo de salida (monitor) es HDR (luminancia pico mayor que 100 cd/m², idealmente entre 4000 y 10000 cd/m², y luminancia del punto negro inferior a 0.005 cd/m²). Esto supone que: a) el espacio de conexión de perfiles ICC (ICC-PCS) para la pantalla usa Jzazbz (o XYZ), b) trabaja con precisión de números reales (de coma flotante), c) el monitor está calibrado (si es posible, con un rango de colores DCI-P3 o Rec-2020), d) la gamma usual (sRGB o BT709) se substituye por una función Cuantificadora Perceptual (CP). +TP_LOCALLAB_JZPQFRA;Remapeo de Jz +TP_LOCALLAB_JZPQFRA_TOOLTIP;Permite adaptar el algoritmo Jz a un entorno de bajo rango dinámico (SDR) o a las características (rendimiento) de un entorno HDR, como sigue:\na) para valores de luminancia entre 0 y 100 cd/m², el sistema se comporta como si fuera un entorno SDR.\nb) para valores de luminancia entre 100 y 10000 cd/m², se puede adaptar el algoritmo a las características HDR de la imagen y del monitor.\n\nSi “PQ - Luminancia pico” está puesto a 10000, “Remapeo de Jz” se comporta del mismo modo que el algoritmo original Jzazbz. +TP_LOCALLAB_JZPQREMAP;PQ - Luminancia pico +TP_LOCALLAB_JZPQREMAP_TOOLTIP;CP (Cuantificador Perceptual). Permite cambiar la función CP interna (normalmente 10000 cd/m² - predeterminado 120 cd/m²).\nSe puede usar para adaptar a diferentes imágenes, procesos y dispositivos. +TP_LOCALLAB_JZQTOJ;Luminancia relativa +TP_LOCALLAB_JZQTOJ_TOOLTIP;Permite usar la «Luminancia relativa» en lugar de la «Luminancia absoluta». La luminancia pasa a ser la luminosidad.\nLos cambios afectan al deslizador Luminosidad, al de Contraste, y a la curva Jz(Jz). +TP_LOCALLAB_JZSAT;Saturación +TP_LOCALLAB_JZSHFRA;Sombras/Luces Jz +TP_LOCALLAB_JZSOFTCIE;Radio suave (Filtro guiado) +TP_LOCALLAB_JZSTRSOFTCIE;Intensidad del filtro guiado +TP_LOCALLAB_JZTARGET_EV;Luminancia media de visualización (Yb%) +TP_LOCALLAB_JZTHRHCIE;Umbral de cromaticidad para Jz(Hz) +TP_LOCALLAB_JZWAVEXP;Ondícula Jz +TP_LOCALLAB_LABBLURM;Máscara de difuminado +TP_LOCALLAB_LABEL;Ajustes locales +TP_LOCALLAB_LABGRID;Cuadrícula de corrección de color +TP_LOCALLAB_LABGRIDMERG;Fondo +TP_LOCALLAB_LABGRID_VALUES;Alto(a)=%1 Alto(b)=%2\nBajo(a)=%3 Bajo(b)=%4 +TP_LOCALLAB_LABSTRUM;Máscara de estructura +TP_LOCALLAB_LAPLACC;ΔØ Máscara Laplaciana resolver PDE +TP_LOCALLAB_LAPLACE;Umbral de Laplaciana ΔE +TP_LOCALLAB_LAPLACEXP;Umbral de Laplaciana +TP_LOCALLAB_LAPMASKCOL;Umbral de Laplaciana +TP_LOCALLAB_LAPRAD1_TOOLTIP;Aumenta el contraste de la máscara incrementando los valores de luminancia de las áreas más claras. Puede usarse junto con las curvas L(L) y LC(H). +TP_LOCALLAB_LAPRAD2_TOOLTIP;Radio suave usa un filtro guiado para reducir los artefactos y suavizar la transición. +TP_LOCALLAB_LAPRAD_TOOLTIP;Radio suave usa un filtro guiado para reducir los artefactos y suavizar la transición. +TP_LOCALLAB_LAP_MASK_TOOLTIP;Resuelve la PDE para todas las máscaras Laplacianas.\nSi se activa, la máscara de umbral de Laplaciana reduce los artefactos y suaviza el resultado.\nSi se desactiva, la respuesta será lineal. +TP_LOCALLAB_LC_FFTW_TOOLTIP;La Transformada Rápida de Fourier (FFT) mejora la calidad y permite el uso de radios mayores, pero aumenta el tiempo de procesamiento (esto depende del área a procesar). Es preferible usarla solamente para radios grandes. El tamaño del área puede reducirse en unos pocos píxels para optimizar la FFTW. Esto puede reducir el tiempo de procesamiento en un factor de 1.5 a 10. +TP_LOCALLAB_LC_TOOLNAME;Contraste local y Ondículas - 7 +TP_LOCALLAB_LEVELBLUR;Número máximo de niveles de difuminado +TP_LOCALLAB_LEVELWAV;Ψ Niveles de ondículas +TP_LOCALLAB_LEVELWAV_TOOLTIP;El Nivel se adapta automáticamente al tamaño del punto y a la vista previa.\nTamaño máximo desde 512 en el nivel 9 a 4 en el nivel 1. +TP_LOCALLAB_LEVFRA;Niveles +TP_LOCALLAB_LIGHTNESS;Claridad +TP_LOCALLAB_LIGHTN_TOOLTIP;En modo inverso: selección = -100 fuerza la luminancia a cero. +TP_LOCALLAB_LIGHTRETI;Claridad +TP_LOCALLAB_LINEAR;Linealidad +TP_LOCALLAB_LIST_NAME;Añadir herramienta al punto actual... +TP_LOCALLAB_LIST_TOOLTIP;Se pueden seleccionar 3 niveles de complejidad para cada herramienta: Básico, Estándar y Avanzado.\n\nEl valor predeterminado para todas las herramientas es Básico, pero esto puede cambiarse en el diálogo Preferencias.\n\nTambién es posible cambiar el nivel de complejidad en cada herramienta individual mientras se edita. +TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Permite disminuir o aumentar el efecto en niveles de detalle particulares en la máscara, dirigiendo el efecto a ciertas zonas de luminancia (en general las más claras). +TP_LOCALLAB_LMASK_LL_TOOLTIP;Permite cambiar libremente el contraste de la máscara.\n\nSu función es similar a la de los deslizadores Gamma y Pendiente.\n\nPermite actuar sobre ciertas partes de la imagen (normalmente las partes más claras de la máscara, usando la curva para excluir las partes más oscuras). Puede crear artefactos. +TP_LOCALLAB_LOCCONT;Máscara de nitidez +TP_LOCALLAB_LOC_CONTRAST;Contraste local y Ondículas +TP_LOCALLAB_LOC_CONTRASTPYR;Ψ Pirámide 1: +TP_LOCALLAB_LOC_CONTRASTPYR2;Ψ Pirámide 2: +TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contraste por niveles - TM - Contraste direccional +TP_LOCALLAB_LOC_CONTRASTPYRLAB; Filtro graduado - Nitidez de bordes - Difuminado +TP_LOCALLAB_LOC_RESIDPYR;Imagen residual (Principal) +TP_LOCALLAB_LOG;Codificación logarítmica +TP_LOCALLAB_LOG1FRA;Ajustes de imagen CAM16 +TP_LOCALLAB_LOG2FRA;Condiciones de visualización +TP_LOCALLAB_LOGAUTO;Automático +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena cuando está pulsado el botón «Automático» en Niveles relativos de exposición. +TP_LOCALLAB_LOGAUTO_TOOLTIP;Al pulsar este botón se calculará el «rango dinámico» y la «luminancia media» para las condiciones de la escena si está activada la casilla «Luminancia media automática (Yb%)».\nTambién se calcula la luminancia absoluta en el momento de la toma.\nPara ajustar los valores calculados automáticamente hay que volver a pulsar el botón. +TP_LOCALLAB_LOGBASE_TOOLTIP;Valor predeterminado = 2.\nLos valores menores que 2 reducen la acción del algoritmo, haciendo las sombras más oscuras y las luces más brillantes.\nCon valores mayores que 2, las sombras son más grises y las luces son más desteñidas. +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valores estimados del Rango dinámico, por ejemplo Ev negro y Ev blanco +TP_LOCALLAB_LOGCATAD_TOOLTIP;La adaptación cromática permite interpretar un color en función de su entorno espacio-temporal.\nEs útil cuando el balance de blancos está lejos de la referencia D50.\nAdapta los colores al iluminante del dispositivo de salida. +TP_LOCALLAB_LOGCOLORFL;Colorido (M) +TP_LOCALLAB_LOGCOLORF_TOOLTIP;Cantidad de matiz percibida en relación al gris.\nIndicador de que un estímulo parece más o menos coloreado. +TP_LOCALLAB_LOGCONQL;Contraste (Q) +TP_LOCALLAB_LOGCONTHRES;Umbral de contraste (J y Q) +TP_LOCALLAB_LOGCONTL;Contraste (J) +TP_LOCALLAB_LOGCONTL_TOOLTIP;El Contraste (J) en CIECAM16 tiene en cuenta el aumento en la coloración percibida con la luminancia. +TP_LOCALLAB_LOGCONTQ_TOOLTIP;El Contraste (Q) en CIECAM16 tiene en cuenta el aumento en la coloración percibida con el brillo. +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Ajusta el rango de contraste en los tonos medios (J y Q).\nLos valores positivos reducen progresivamente el efecto de los deslizadores de contraste (J y Q). Los valores negativos aumentan progresivamente el efecto de los deslizadores de contraste. +TP_LOCALLAB_LOGDETAIL_TOOLTIP;Actúa principalmente en frecuencias altas. +TP_LOCALLAB_LOGENCOD_TOOLTIP;Mapeo tonal con codificación logarítmica (ACES).\nÚtil para imágenes subexpuestas o de alto rango dinámico.\n\nProceso en dos pasos: 1) Cálculo del rango dinámico 2) Ajuste manual. +TP_LOCALLAB_LOGEXP;Todas las herramientas +TP_LOCALLAB_LOGFRA;Condiciones de la escena +TP_LOCALLAB_LOGFRAME_TOOLTIP;Permite calcular y ajustar los niveles Ev y la «Luminancia media Yb%» (punto origen gris) para el área del punto RT. Los valores resultantes se usarán en todas las operaciones L*a*b* y en la mayoría de operaciones RGB del circuito de revelado.\n\nTiene en cuenta la compensación de exposición en la pestaña Exposición del menú principal.\n\nTambién calcula la luminancia absoluta en el momento de la toma. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Tiene en cuenta las variables Ciecam correspondientes (principalmente el Contraste «J» y la Saturación «s», y también el Contraste «Q» «avanzado», el Brillo «Q», la Claridad (J), y el Colorido (M)). +TP_LOCALLAB_LOGLIGHTL;Claridad (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Cercano a la claridad (L*a*b*), tiene en cuenta el aumento de la coloración percibida. +TP_LOCALLAB_LOGLIGHTQ;Brillo (Q) +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Cantidad de luz percibida que emana de un estímulo.\nIndicador de que un estímulo parece más o menos brillante. +TP_LOCALLAB_LOGLIN;Modo logarítmico +TP_LOCALLAB_LOGPFRA;Niveles relativos de exposición +TP_LOCALLAB_LOGREPART;Intensidad +TP_LOCALLAB_LOGREPART_TOOLTIP;Permite ajustar la intensidad relativa de la imagen codificada logarítmicamente con respecto a la imagen original.\nNo afecta al componente Ciecam. +TP_LOCALLAB_LOGSATURL_TOOLTIP;La Saturación (s) en CIECAM16 corresponde al color de un estímulo en relación a su propio brillo.\nActúa principalmente en tonos medios y luces. +TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponde a las condiciones de toma. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponde al medio en el que se visualizará la imagen final (monitor, TV, proyector, impresora,..), así como su entorno. +TP_LOCALLAB_LOG_TOOLNAME;Codificación logarítmica - 0 +TP_LOCALLAB_LUM;Curvas LL - CC +TP_LOCALLAB_LUMADARKEST;El más oscuro +TP_LOCALLAB_LUMASK;Color de fondo para las máscaras de luminancia y color +TP_LOCALLAB_LUMASK_TOOLTIP;Ajusta el matiz de gris o de color del fondo de la máscara en Mostrar máscara (Máscara y modificaciones). +TP_LOCALLAB_LUMAWHITESEST;El más claro +TP_LOCALLAB_LUMFRA;L*a*b* estándar +TP_LOCALLAB_MASFRAME;Enmascarar y Fusionar +TP_LOCALLAB_MASFRAME_TOOLTIP;Para todas las máscaras.\n\nTiene en cuenta la ΔE de la imagen para evitar modificar el área seleccionada cuando se usan las siguientes herramientas de máscara: Gamma, Pendiente, Cromaticidad, Curva de contraste, Contraste local (por niveles de ondículas), Máscara de difuminado y Máscara de Estructura (si está activada) .\n\nDesactivada cuando se usa el modo Inverso. +TP_LOCALLAB_MASK;Contraste +TP_LOCALLAB_MASK2;Curva de contraste +TP_LOCALLAB_MASKCOL;Curvas de máscara +TP_LOCALLAB_MASKCOM;Máscara de color común +TP_LOCALLAB_MASKCOM_TOOLNAME;Máscara de color común - 13 +TP_LOCALLAB_MASKCOM_TOOLTIP;Una herramienta por derecho propio.\nPuede usarse para ajustar la apariencia de la imagen (cromaticidad, luminancia, contraste) y la textura en función del Ámbito. +TP_LOCALLAB_MASKCURVE_TOOLTIP;Las 3 curvas pasan a ser 1 (máximo) de forma predeterminada:\n\nC=f(C): la cromaticidad varía en función de la cromaticidad. Se puede disminuir la cromaticidad para mejorar la selección. Ajustando esta curva cerca de cero (con un valor bajo de C para activar la curva), es posible desaturar el fondo en modo Inverso.\n\nL=f(L): la luminancia varía en función de la luminancia, por lo que se puede disminuir el brillo para mejorar la selección.\n\nL y C = f(H): luminancia y cromaticidad varían en función del matiz, por lo que es posible disminuir la luminancia y la cromaticidad para mejorar la selección. +TP_LOCALLAB_MASKDDECAY;Intensidad de decaimiento +TP_LOCALLAB_MASKDECAY_TOOLTIP;Controla la tasa de decaimiento de los niveles de gris en la máscara.\nDecaimiento = 1 lineal, Decaimiento > 1 transiciones parabólicas más nítidas, Decaimiento < 1 transiciones más graduales. +TP_LOCALLAB_MASKDEINV_TOOLTIP;Invierte la forma en que el algoritmo interpreta la máscara.\nSi está activado, se reducirán las áreas negras y muy claras. +TP_LOCALLAB_MASKDE_TOOLTIP;Usado para dirigir la reducción de ruido en función de la información de luminancia de la imagen contenida en la máscara L(L) o LC(H) (Máscara y Modificaciones).\n\nLa máscara L(L) o la máscara LC(H) debe estar activada para poder usar esta función.\n\nSi la máscara está por debajo del umbral «oscuro», la Reducción de ruido se aplicará progresivamente.\n\nSi la máscara está por encima del umbral «claro», la Reducción de ruido se aplicará progresivamente.\n\nEntre ambos, se mantendrán los ajustes de la imagen sin la Reducción de ruido, salvo si ajustas los deslizadores «Reducción de ruido de luminancia en áreas grises» o «Reducción de ruido de cromaticidad en áreas grises». +TP_LOCALLAB_MASKGF_TOOLTIP;Usado para dirigir el Filtro guiado en función de la información de luminancia de la imagen contenida en la máscara L(L) o LC(H) (Máscara y Modificaciones).\n\nLa máscara L(L) o la máscara LC(H) debe estar activada para poder usar esta función.\n\nSi la máscara está por debajo del umbral «oscuro», el Filtro guiado se aplicará progresivamente.\n\nSi la máscara está por encima del umbral «claro», el Filtro Guiado se aplicará progresivamente.\n\nEntre ambos, se mantendrán los ajustes de imagen sin el Filtro guiado. +TP_LOCALLAB_MASKH;Curva de matiz +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Contraste por niveles de detalle (Sólo luminancia) a sus valores originales anteriores a su modificación por los ajustes de Contraste por niveles de detalle.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Color y Luz a sus valores originales anteriores a su modificación por los ajustes de Color y Luz.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «máscara de estructura», «máscara de difuminado», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;La reducción de ruido se decrementa progresivamente, desde el 100% en el umbral hasta el 0% en el valor máximo de blanco (determinado por la máscara).\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Máscara de estructura», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Límite de tonos claros sobre el cual se restaurará progresivamente «Rango dinámico y Exposición» a sus valores originales anteriores a su modificación por los ajustes de «Rango dinámico y Exposición».\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Codificación logarítmica a sus valores originales anteriores a su modificación por los ajustes de Codificación logarítmica.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Retinex (Sólo luminancia) a sus valores originales anteriores a su modificación por los ajustes de Retinex.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Sombras/Luces a sus valores originales anteriores a su modificación por los ajustes de Sombras/Luces.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Mapeo tonal a sus valores originales anteriores a su modificación por los ajustes de Mapeo tonal.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Vivacidad y Cálido/Frío a sus valores originales anteriores a su modificación por los ajustes de Vivacidad y Cálido/Frío.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Límite de tonos claros sobre el cual se restaurará Contraste local y Ondícula a sus valores originales anteriores a su modificación por los ajustes de Contraste local y Ondícula.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;El Filtro guiado se decrementa progresivamente, desde el 100% en el umbral hasta el 0% en el valor máximo de blanco (determinado por la máscara).\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Máscara de estructura», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLCTHR;Umbral de luminancia de zona clara +TP_LOCALLAB_MASKLCTHR2;Umbral de luminancia de zona clara +TP_LOCALLAB_MASKLCTHRLOW;Umbral de luminancia de zona oscura +TP_LOCALLAB_MASKLCTHRLOW2;Umbral de luminancia de zona oscura +TP_LOCALLAB_MASKLCTHRMID;Reducción de ruido de luminancia en áreas grises +TP_LOCALLAB_MASKLCTHRMIDCH;Reducción de ruido de cromaticidad en áreas grises +TP_LOCALLAB_MASKLC_TOOLTIP;Esto permite dirigir la reducción de ruido en función de la información de luminancia de la imagen contenida en la máscara L(L) o LC(H) (Máscara y Modificaciones).\n\nLa máscara L(L) o la máscara LC(H) debe estar activada para poder usar esta función.\n\n«Umbral de luminancia de área oscura». Si «Reforzar reducción de ruido en áreas oscuras y claras» > 1, la reducción de ruido aumenta progresivamente, desde 0% en el umbral hasta 100% en el valor máximo de negro (determinado por la máscara).\n\n«Umbral de luminancia de área clara». La reducción de ruido disminuye progresivamente, desde 100% en el umbral hasta 0% en el valor máximo de blanco (determinado por la máscara).\n\nEn el área entre ambos umbrales, los ajustes de reducción de ruido no se ven afectados por la máscara. +TP_LOCALLAB_MASKLNOISELOW;Reforzar reducción de ruido en áreas oscuras y claras +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Límite de tonos oscuros bajo el cual Contraste por niveles de detalle (Sólo luminancia) se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Contraste por niveles de detalle.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Límite de tonos oscuros bajo el cual Color y Luz se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Color y Luz.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «máscara de estructura», «máscara de difuminado», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;La Reducción de ruido se incrementa progresivamente desde el 0% en el umbral hasta el 100% en el valor máximo de negro (determinado por la máscara).\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Máscara de estructura», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Límite de tonos oscuros bajo el cual Rango dinámico y Exposición se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Rango dinámico y Exposición.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Límite de tonos oscuros bajo el cual Codificación logarítmica se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Codificación logarítmica.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Límite de tonos oscuros bajo el cual Retinex (Sólo luminancia) se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Retinex.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Límite de tonos oscuros bajo el cual Sombras/Luces se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Sombras/Luces.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Límite de tonos oscuros bajo el cual Mapeo tonal se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Mapeo tonal.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Límite de tonos oscuros bajo el cual Vivacidad y Cálido/Frío se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Vivacidad y Cálido/Frío.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Límite de tonos oscuros bajo el cual Contraste local y Ondícula se restaurará progresivamente a sus valores originales anteriores a su modificación por los ajustes de Contraste local y Ondícula.\n\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Radio suave», «Gamma y Pendiente», «Curva de contraste».\n\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;El Filtro guiado se incrementa progresivamente desde el 0% en el umbral hasta el 100% en el valor máximo de negro (determinado por la máscara).\nSe pueden usar ciertas herramientas en «Máscara y modificaciones» para cambiar los niveles de gris: «Máscara de estructura», «Radio suave», «Gamma y Pendiente», «Curva de contraste», «Ondícula de contraste local».\nPara ver qué áreas se verán afectadas, se puede usar un «muestreador de color bloqueable» en la máscara. Hay que tener cuidado de poner Máscara de color de fondo = 0 en «Ajustes». +TP_LOCALLAB_MASKRECOL_TOOLTIP;Usado para modular el efecto de los ajustes de Color y Luz en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral de oscuridad y sobre el umbral de claridad se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Color y Luz.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Color y Luz. +TP_LOCALLAB_MASKRECOTHRES;Umbral de recuperación +TP_LOCALLAB_MASKREEXP_TOOLTIP;Usado para modular el efecto de los ajustes de «Rango dinámico y Exposición» en función de la información de luminancia de la imagen contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) debe estar activada para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral de oscuridad y sobre el umbral de claridad se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de «Rango dinámico y Exposición».\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de «Rango dinámico y Exposición». +TP_LOCALLAB_MASKRELOG_TOOLTIP;Usado para modular el efecto de los ajustes de Codificación logarítmica en función de la información de luminancia de la imagen contenida en las máscaras L(L) o LC(H) (Máscaras y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral de oscuridad y sobre el umbral de claridad se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Codificación logarítmica. Puede usarse para restaurar luces reconstruidas por Propagación de color.\n\nEntre estas dos áreas se aplicará el valor íntegro de los ajustes de Codificación logarítmica. +TP_LOCALLAB_MASKRESCB_TOOLTIP;Usado para modular el efecto de los ajustes de Contraste por niveles de detalle (Sólo luminancia) en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral oscuro y sobre el umbral claro se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Contraste por niveles de detalle.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Contraste por niveles de detalle. +TP_LOCALLAB_MASKRESH_TOOLTIP;Usado para modular el efecto de los ajustes de Sombras/Luces en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral oscuro y sobre el umbral claro se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Sombras/Luces.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Sombras/Luces. +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Usado para modular el efecto de los ajustes de Retinex (Sólo luminancia) en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral oscuro y sobre el umbral claro se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Retinex.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Retinex. +TP_LOCALLAB_MASKRESTM_TOOLTIP;Usado para modular el efecto de los ajustes de Mapeo tonal en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral oscuro y sobre el umbral claro se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Mapeo tonal.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Mapeo tonal. +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Usado para modular el efecto de los ajustes de Vivacidad y Cálido/Frío en función de la información de luminancia de la imagen, contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) debe estar activada para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral de oscuridad y sobre el umbral de claridad se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Vivacidad y Cálido/Frío.\n\nEntre estas dos áreas se aplicará el valor íntegro de los ajustes de Vivacidad y Cálido/Frío. +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Usado para modular el efecto de los ajustes de Contraste local y Ondículas en función de la información de luminancia contenida en las máscaras L(L) o LC(H) (Máscara y modificaciones).\n\nLa máscara L(L) o la máscara LC(H) deben estar activadas para poder usar esta función.\n\nLas áreas «oscuras» y «claras» bajo el umbral oscuro y sobre el umbral claro se restaurarán progresivamente a sus valores originales anteriores a su modificación por los ajustes de Contraste local y Ondículas.\n\nEntre estas dos áreas, se aplicarán los valores íntegros de los ajustes de Contraste local y Ondículas. +TP_LOCALLAB_MASKUNUSABLE;Máscara desactivada (Máscara y modificaciones) +TP_LOCALLAB_MASKUSABLE;Máscara activada (Máscara y modificaciones) +TP_LOCALLAB_MASK_TOOLTIP;Se puede activar varias máscaras para una herramienta, activando otra herramienta y usando solamente la máscara (ajusta los deslizadores de la herramienta a 0 ).\n\nTambién es posible duplicar el punto RT y situarlo cerca del primer punto. Las pequeñas variaciones en las referencias del punto permiten hacer ajustes finos. +TP_LOCALLAB_MED;Medio +TP_LOCALLAB_MEDIAN;Mediana baja +TP_LOCALLAB_MEDIANITER_TOOLTIP;El número de iteraciones sucesivas llevadas a cabo por el filtro de mediana. +TP_LOCALLAB_MEDIAN_TOOLTIP;Se puede elegir un valor de mediana en el rango de 3x3 a 9x9 píxels. Los valores altos aumentan la reducción de ruido y el difuminado. +TP_LOCALLAB_MEDNONE;Ninguno +TP_LOCALLAB_MERCOL;Color +TP_LOCALLAB_MERDCOL;Fusión del fondo (ΔE) +TP_LOCALLAB_MERELE;Sólo aclarar +TP_LOCALLAB_MERFIV;Adición +TP_LOCALLAB_MERFOR;Aclarar color +TP_LOCALLAB_MERFOU;Multiplicar +TP_LOCALLAB_MERGE1COLFRA;Fusionar con Original o Anterior o Fondo +TP_LOCALLAB_MERGECOLFRA;Máscara: LCH y Estructura +TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Permite crear máscaras en función de las tres curvas LCH y/o un algoritmo de detección de estructura. +TP_LOCALLAB_MERGEMER_TOOLTIP;Tiene en cuenta ΔE al fusionar archivos (equivale al ámbito en este caso). +TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacidad = % del punto actual a fusionar con el punto original o el anterior.\nUmbral de contraste: ajusta el resultado en función del contraste en la imagen original. +TP_LOCALLAB_MERHEI;Superposición +TP_LOCALLAB_MERHUE;Matiz +TP_LOCALLAB_MERLUCOL;Luminancia +TP_LOCALLAB_MERLUM;Luminosidad +TP_LOCALLAB_MERNIN;Pantalla +TP_LOCALLAB_MERONE;Normal +TP_LOCALLAB_MERSAT;Saturación +TP_LOCALLAB_MERSEV;Luz suave (anterior) +TP_LOCALLAB_MERSEV0;Ilusión de Luz suave +TP_LOCALLAB_MERSEV1;Luz suave W3C +TP_LOCALLAB_MERSEV2;Luz dura +TP_LOCALLAB_MERSIX;Dividir +TP_LOCALLAB_MERTEN;Sólo oscurecer +TP_LOCALLAB_MERTHI;Quemar color +TP_LOCALLAB_MERTHR;Diferencia +TP_LOCALLAB_MERTWE;Exclusión +TP_LOCALLAB_MERTWO;Substraer +TP_LOCALLAB_METHOD_TOOLTIP;«Mejorado + reducción de ruido de cromaticidad» aumenta significativamente los tiempos de procesamiento.\nPero reduce los artefactos. +TP_LOCALLAB_MLABEL;Datos restaurados Min=%1 Max=%2 (Recorte - Desplazamiento) +TP_LOCALLAB_MLABEL_TOOLTIP;Los valores deberían estar cerca de Min=0 Max=32768 (modo logarítmico), pero son posibles otros valores. Se puede ajustar «Recortar datos restaurados (ganancia)» y «Desplazamiento» para normalizar.\nRecupera los datos de la imagen sin mezclado. +TP_LOCALLAB_MODE_EXPERT;Avanzado +TP_LOCALLAB_MODE_NORMAL;Estándar +TP_LOCALLAB_MODE_SIMPLE;Básico +TP_LOCALLAB_MRFIV;Fondo +TP_LOCALLAB_MRFOU;Punto anterior +TP_LOCALLAB_MRONE;Ninguno +TP_LOCALLAB_MRTHR;Imagen original +TP_LOCALLAB_MRTWO;Máscara Curvas «L» corto +TP_LOCALLAB_MULTIPL_TOOLTIP;Ajuste de tono de rango extenso: de -18EV a +4EV. El primer deslizador actúa sobre tonos muy oscuros, entre -18EV y -6EV. El último deslizador actúa sobre tonos claros, hasta 4EV. +TP_LOCALLAB_NEIGH;Radio +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Los valores bajos preservan detalles y textura, los altos aumentan la reducción de ruido.\nSi gamma = 3.0, se usa Luminancia "lineal". +TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Este deslizador se usa para adaptar la cantidad de reducción de ruido al tamaño de los objetos a procesar. +TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Los valores altos aumentan la reducción de ruido a cambio de un mayor tiempo de procesamiento. +TP_LOCALLAB_NLDENOISE_TOOLTIP;“Recuperación de detalle” actúa sobre una transformación Laplaciana, a fin de dirigirse a las áreas uniformes en lugar de a áreas con detalle. +TP_LOCALLAB_NLDET;Recuperación de detalle +TP_LOCALLAB_NLFRA;Medias no locales - Luminancia +TP_LOCALLAB_NLFRAME_TOOLTIP;La reducción de ruido por medias no locales toma una media de todos los píxels de la imagen, ponderada por la similitud de los píxels al píxel objetivo.\n\nReduce la pérdida de detalle en comparación con los algoritmos de medias locales.\n\nSólo se tiene en cuenta el ruido de luminancia. El ruido de cromaticidad se procesa mejor usando ondículas y transformadas de Fourier (DCT).\n\nPuede usarse junto con «Reducción de ruido de luminancia por niveles» o solo.\n\nEl tamaño del punto RT debe ser mayor que 150x150 píxels (Salida). +TP_LOCALLAB_NLGAM;Gamma +TP_LOCALLAB_NLLUM;Intensidad +TP_LOCALLAB_NLPAT;Tamaño máximo de parcela +TP_LOCALLAB_NLRAD;Tamaño máximo del radio +TP_LOCALLAB_NOISECHROCOARSE;Cromaticidad gruesa (Ondíc.) +TP_LOCALLAB_NOISECHROC_TOOLTIP;Si es mayor que cero, se activa el algoritmo de alta calidad.\nEl grueso es para un valor del deslizador >=0.02. +TP_LOCALLAB_NOISECHRODETAIL;Recuperación de detalle de cromaticidad (DCT ƒ) +TP_LOCALLAB_NOISECHROFINE;Cromaticidad fina (Ondíc.) +TP_LOCALLAB_NOISEGAM;Gamma +TP_LOCALLAB_NOISEGAM_TOOLTIP;Si gamma = 1, se usa la luminosidad L*a*b*. Si gamma = 3.0, se usa una luminosidad «lineal».\nLos valores bajos preservan los detalles y la textura, mientras que los valores altos aumentan la reducción de ruido. +TP_LOCALLAB_NOISELEQUAL;Ecualizador blanco-negro +TP_LOCALLAB_NOISELUMCOARSE;Luminancia grueso (Ondíc.) +TP_LOCALLAB_NOISELUMDETAIL;Recuperación de detalle de luminancia (DCT ƒ) +TP_LOCALLAB_NOISELUMFINE;Luminancia fino 1 (Ondíc.) +TP_LOCALLAB_NOISELUMFINETWO;Luminancia fino 2 (Ondíc.) +TP_LOCALLAB_NOISELUMFINEZERO;Luminancia fino 0 (Ondíc.) +TP_LOCALLAB_NOISEMETH;Reducción de ruido +TP_LOCALLAB_NOISE_TOOLTIP;Añade ruido de luminancia. +TP_LOCALLAB_NONENOISE;Ninguno +TP_LOCALLAB_NUL_TOOLTIP;. +TP_LOCALLAB_OFFS;Desplazamiento +TP_LOCALLAB_OFFSETWAV;Desplazamiento +TP_LOCALLAB_OPACOL;Opacidad +TP_LOCALLAB_ORIGLC;Fusionar sólo con la imagen original +TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifica ΔE antes de cualquier cambio realizado por «Ámbito». Esto permite diferenciar la acción para diferentes partes de la imagen (por ejemplo, respecto al fondo). +TP_LOCALLAB_ORRETISTREN_TOOLTIP;Actúa sobre el umbral de Laplaciana. Cuanto mayor sea la acción, más se reducirán las diferencias de contraste. +TP_LOCALLAB_PASTELS2;Vivacidad +TP_LOCALLAB_PDE;Atenuador de contraste - Compresión de rango dinámico +TP_LOCALLAB_PDEFRA;Atenuador de contraste ƒ +TP_LOCALLAB_PDEFRAME_TOOLTIP;Algoritmo PDE IPOL adaptado para Rawtherapee: produce diferentes resultados y necesita ajustes diferentes en comparación con la «Exposición» del menú principal.\nPuede ser útil para imágenes subexpuestas o de alto rango dinámico. +TP_LOCALLAB_PREVHIDE;Ocultar ajustes adicionales +TP_LOCALLAB_PREVIEW;Vista previa ΔE +TP_LOCALLAB_PREVSHOW;Mostrar ajustes adicionales +TP_LOCALLAB_PROXI;Decaimiento ΔE +TP_LOCALLAB_QUAAGRES;Agresivo +TP_LOCALLAB_QUACONSER;Conservador +TP_LOCALLAB_QUALCURV_METHOD;Tipo de curva +TP_LOCALLAB_QUAL_METHOD;Calidad global +TP_LOCALLAB_QUANONEALL;Desactivado +TP_LOCALLAB_QUANONEWAV;Sólo medias no locales +TP_LOCALLAB_RADIUS;Radio +TP_LOCALLAB_RADIUS_TOOLTIP;Usa una Transformada Rápida de Fourier para radio > 30. +TP_LOCALLAB_RADMASKCOL;Radio suave +TP_LOCALLAB_RECOTHRES02_TOOLTIP;Si el valor del «Umbral de recuperación» es mayor que 1, la máscara en Máscara y modificaciones tiene en cuenta cualquier modificación previa realizada a la imagen, pero no las realizadas con la herramienta actual (por ejemplo, Color y luz, Ondícula, CAM16, etc.)\n\nSi el valor del «Umbral de recuperación» es menor que 1, la máscara en Máscara y modificaciones no tiene en cuenta ninguna modificación previa realizada a la imagen.\n\nEn ambos casos, el «Umbral de recuperación» actúa sobre la imagen enmascarada modificada por la herramienta actual (Color y luz, Ondícula, CAM16, etc.). +TP_LOCALLAB_RECT;Rectángulo +TP_LOCALLAB_RECURS;Referencias recursivas +TP_LOCALLAB_RECURS_TOOLTIP;Fuerza al algoritmo a recalcular las referencias después de la aplicación de cada herramienta.\nTambién es útil para trabajar con máscaras. +TP_LOCALLAB_REN_DIALOG_LAB;Introduce el nombre del nuevo Punto de Control +TP_LOCALLAB_REN_DIALOG_NAME;Cambio de nombre de Punto de Control +TP_LOCALLAB_REPARCOL_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Color y Luz respecto a la imagen original. +TP_LOCALLAB_REPARDEN_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Reducción de ruido respecto a la imagen original. +TP_LOCALLAB_REPAREXP_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Rango dinámico y Exposición respecto a la imagen original. +TP_LOCALLAB_REPARSH_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Sombras/Luces y Ecualizador de tono respecto a la imagen original. +TP_LOCALLAB_REPARTM_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Mapeo tonal respecto a la imagen original. +TP_LOCALLAB_REPARW_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Contraste local y Ondículas respecto a la imagen original. +TP_LOCALLAB_RESETSHOW;Reiniciar todo Mostrar modificaciones +TP_LOCALLAB_RESID;Imagen residual +TP_LOCALLAB_RESIDBLUR;Difuminar imagen residual +TP_LOCALLAB_RESIDCHRO;Cromaticidad Imagen residual +TP_LOCALLAB_RESIDCOMP;Comprimir Imagen residual +TP_LOCALLAB_RESIDCONT;Contraste Imagen residual +TP_LOCALLAB_RESIDHI;Luces +TP_LOCALLAB_RESIDHITHR;Umbral de luces +TP_LOCALLAB_RESIDSHA;Sombras +TP_LOCALLAB_RESIDSHATHR;Umbral de sombras +TP_LOCALLAB_RETI;Eliminación de neblina y Retinex +TP_LOCALLAB_RETIFRA;Retinex +TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex puede ser útil para procesar imágenes:\n\n- difuminadas, neblinosas o brumosas (además de la Eliminación de neblina).\n- que contienen grandes diferencias en luminancia.\n\nTambién puede usarse para efectos especiales (mapeo tonal). +TP_LOCALLAB_RETIM;Retinex original +TP_LOCALLAB_RETITOOLFRA;Herramientas Retinex +TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;No tiene efectos cuando «Claridad» = 1 u «Oscuridad» = 2.\nPara otros valores, se aplica el último paso del algoritmo «Retinex de escala múltiple» (similar al «contraste local»). Estos 2 cursores, asociados con «Intensidad», permiten hacer ajustes «aguas arriba» del contraste local. +TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Ajusta los parámetros internos para optimizar la respuesta.\nEs preferible mantener los valores de los «Datos restaurados» cerca de Min=0 y Max=32768 (modo logarítmico), pero es posible usar otros valores. +TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;El modo Logarítmico introduce más contraste, pero también generará más halos. +TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;Los deslizadores de radio y varianza permiten ajustar la neblina y dirigir los efectos, ya sea al primer plano o al fondo. +TP_LOCALLAB_RETI_SCALE_TOOLTIP;Si Escala=1, Retinex se comporta como el contraste local con posibilidades adicionales.\nEl aumento del valor de Escala aumenta a su vez la intensidad de la acción recursiva, al precio de un mayor tiempo de procesamiento. +TP_LOCALLAB_RET_TOOLNAME;Eliminación de neblina y Retinex - 9 +TP_LOCALLAB_REWEI;Iteraciones de reponderación +TP_LOCALLAB_RGB;Curva tonal RGB +TP_LOCALLAB_RGBCURVE_TOOLTIP;En modo RGB se dispone de 4 valores posibles: Estándar, Estándar ponderado, Luminancia y Similar a película. +TP_LOCALLAB_ROW_NVIS;No visible +TP_LOCALLAB_ROW_VIS;Visible +TP_LOCALLAB_RSTPROTECT_TOOLTIP;La protección de rojo y tonos de piel afecta a los deslizadores de Saturación, Cromaticidad y Colorido. +TP_LOCALLAB_SATUR;Saturación +TP_LOCALLAB_SATURV;Saturación (s) +TP_LOCALLAB_SAVREST;Guardar/Restaurar la imagen actual +TP_LOCALLAB_SCALEGR;Escala +TP_LOCALLAB_SCALERETI;Escala +TP_LOCALLAB_SCALTM;Escala +TP_LOCALLAB_SCOPEMASK;Ámbito (ΔE máscara de imagen) +TP_LOCALLAB_SCOPEMASK_TOOLTIP;Activado si ΔE Máscara de imagen está activado.\nLos valores bajos evitan el retoque del área seleccionada. +TP_LOCALLAB_SENSI;Ámbito +TP_LOCALLAB_SENSIEXCLU;Ámbito +TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Ajusta los colores a excluir. +TP_LOCALLAB_SENSIMASK_TOOLTIP;Ajuste de ámbito específico de la herramienta de Máscara común.\nActúa sobre la diferencia entre la imagen original y la máscara.\nUsa las referencias de luminancia, cromaticidad y matiz desde el centro del punto RT.\n\nTambién se puede ajustar la ΔE de la propia máscara, usando «Ámbito (ΔE máscara de imagen)» en «Ajustes» > «Máscara y Fusión». +TP_LOCALLAB_SENSI_TOOLTIP;Ajusta el ámbito de la acción:\nLos valores pequeños limitan la acción a colores similares a los del centro del punto.\nLos valores altos permiten a la herramienta actuar sobre un rango más amplio de colores. +TP_LOCALLAB_SETTINGS;Ajustes +TP_LOCALLAB_SH1;Sombras/Luces +TP_LOCALLAB_SH2;Ecualizador +TP_LOCALLAB_SHADEX;Sombras +TP_LOCALLAB_SHADEXCOMP;Compresión de sombras y Ancho tonal +TP_LOCALLAB_SHADHIGH;Sombras/Luces-Ecualizador +TP_LOCALLAB_SHADHMASK_TOOLTIP;Disminuye las luces de la máscara del mismo modo que el algoritmo de sombras/luces. +TP_LOCALLAB_SHADMASK_TOOLTIP;Aumenta las sombras de la máscara del mismo modo que el algoritmo de sombras/luces. +TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Ajusta las sombras y luces, ya sea con deslizadores o con un ecualizador de tono.\nSe puede usar junto con el módulo Exposición o en su lugar.\nTambién se puede usar como un filtro graduado. +TP_LOCALLAB_SHAMASKCOL;Sombras +TP_LOCALLAB_SHAPETYPE;Forma del punto RT +TP_LOCALLAB_SHAPE_TOOLTIP;Elipse es el modo normal.\n\nRectángulo puede usarse en ciertos casos, por ejemplo para trabajar en modo de imagen completa, situando los delimitadores fuera del área de vista previa. En este caso, se debe ajustar Transición = 100.\n\nFuturos desarrollos incluirán polígonos y curvas de Bézier. +TP_LOCALLAB_SHARAMOUNT;Cantidad +TP_LOCALLAB_SHARBLUR;Radio de difuminado +TP_LOCALLAB_SHARDAMPING;Amortiguación +TP_LOCALLAB_SHARFRAME;Modificaciones +TP_LOCALLAB_SHARITER;Iteraciones +TP_LOCALLAB_SHARP;Nitidez +TP_LOCALLAB_SHARP_TOOLNAME;Nitidez - 8 +TP_LOCALLAB_SHARRADIUS;Radio +TP_LOCALLAB_SHORTC;Máscara Curvas «L» corto +TP_LOCALLAB_SHORTCMASK_TOOLTIP;Circuito corto de las 2 curvas L(L) y L(H).\nPermite mezclar la imagen actual con la original modificada por la máscara.\nUtilizable con las máscaras 2, 3, 4, 6, 7. +TP_LOCALLAB_SHOWC;Máscara y modificaciones +TP_LOCALLAB_SHOWC1;Fusión de archivos +TP_LOCALLAB_SHOWCB;Máscara y modificaciones +TP_LOCALLAB_SHOWDCT;Mostrar proceso de Fourier (ƒ) +TP_LOCALLAB_SHOWE;Máscara y modificaciones +TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +TP_LOCALLAB_SHOWLAPLACE;∆ Laplaciana (primero) +TP_LOCALLAB_SHOWLC;Máscara y modificaciones +TP_LOCALLAB_SHOWMASK;Mostrar máscara +TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Muestra las máscaras y modificaciones.\nCuidado, sólo se puede ver la máscara de una herramienta a la vez.\n\nMostrar imagen modificada: muestra la imagen modificada incluyendo el efecto de cualesquiera ajustes y máscaras.\n\nMostrar áreas modificadas sin máscara: muestra las modificaciones antes de que se aplique cualquier máscara.\n\nMostrar áreas modificadas con máscara: muestra las modificaciones después de que se ha aplicado una máscara.\n\nMostrar máscara: muestra el aspecto de la máscara incluyendo el efecto de cualquier curva y filtro.\n\nMostrar estructura del punto: permite ver la máscara de detección de estructura cuando el cursor «Estructura del punto» está activo (si está disponible).\n\nNota: La máscara se aplica antes del algoritmo de detección de forma. +TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Permite visualizar las diferentes etapas del proceso de Fourier:\n\n- Laplace: calcula la segunda derivada de la transformada de Laplace como función del umbral.\n- Fourier: muestra la transformada Laplaciana con DCT.\n- Poisson: muestra la solución de la DCE de Poisson.\n- Sin normalización de luminancia: muestra el resultado sin ninguna normalización de la luminancia. +TP_LOCALLAB_SHOWMASKTYP1;Difuminado y Ruido +TP_LOCALLAB_SHOWMASKTYP2;Reducción de ruido +TP_LOCALLAB_SHOWMASKTYP3;Difuminado y Ruido + Reducción de ruido +TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Se puede escoger Máscara y modificaciones.\nDifuminado y ruido: en este caso no se usa para la «Reducción de ruido».\nReducción de ruido: en este caso no se usa para «Difuminado y ruido».\n\nDifuminado y ruido + Reducción de ruido: la máscara se comparte, hay que tener cuidado con «Mostrar modificaciones» y «Ámbito». +TP_LOCALLAB_SHOWMNONE;Mostrar imagen modificada +TP_LOCALLAB_SHOWMODIF;Mostrar áreas modificadas sin máscara +TP_LOCALLAB_SHOWMODIF2;Mostrar áreas modificadas +TP_LOCALLAB_SHOWMODIFMASK;Mostrar áreas modificadas con máscara +TP_LOCALLAB_SHOWNORMAL;Sin normalización de luminancia +TP_LOCALLAB_SHOWPLUS;Máscara y modificaciones (Difuminado y Reducción de ruido) +TP_LOCALLAB_SHOWPOISSON;Poisson (PDE ƒ) +TP_LOCALLAB_SHOWR;Máscara y modificaciones +TP_LOCALLAB_SHOWREF;Vista previa ΔE +TP_LOCALLAB_SHOWS;Máscara y modificaciones +TP_LOCALLAB_SHOWSTRUC;Mostrar estructura del punto (avanzado) +TP_LOCALLAB_SHOWSTRUCEX;Mostrar estructura del punto (avanzado) +TP_LOCALLAB_SHOWT;Máscara y modificaciones +TP_LOCALLAB_SHOWVI;Máscara y modificaciones +TP_LOCALLAB_SHRESFRA;Sombras/Luces y TRC +TP_LOCALLAB_SHTRC_TOOLTIP;Basado en el «perfil de trabajo» (sólo los suministrados), modifica los tonos de la imagen, actuando en una TRC (Curva de respuesta tonal).\n\nLa Gamma actúa principalmente en tonos claros.\n\nLa Pendiente actúa principalmente en tonos oscuros.\n\nSe recomienda que la TRC de los dos dispositivos (monitor y perfil de salida) sea sRGB (predeterminado). +TP_LOCALLAB_SH_TOOLNAME;Sombras/Luces y Ecualizador de tono - 5 +TP_LOCALLAB_SIGFRA;Sigmoide J y Q +TP_LOCALLAB_SIGJZFRA;Sigmoide Jz +TP_LOCALLAB_SIGMAWAV;Respuesta de atenuación +TP_LOCALLAB_SIGMOIDBL;Fusionar +TP_LOCALLAB_SIGMOIDLAMBDA;Contraste +TP_LOCALLAB_SIGMOIDQJ;Usar Q en lugar de J +TP_LOCALLAB_SIGMOIDTH;Umbral (Punto gris) +TP_LOCALLAB_SIGMOID_TOOLTIP;Permite simular una apariencia de mapeo tonal mediante el uso de las dos funciones, «Ciecam» y «Sigmoide».\nSe dispone de tres deslizadores: a) Intensidad acúa en la forma de la curva sigmoide, y en consecuencia en la intensidad; b) Umbral distribute la acción en función de la luminancia; c)Fusionar actúa en el aspecto final de la imagen, el contraste y la luminancia. +TP_LOCALLAB_SIM;Simple +TP_LOCALLAB_SLOMASKCOL;Pendiente +TP_LOCALLAB_SLOMASK_TOOLTIP;La Gamma y la Pendiente permiten una transformación de la máscara suave y libre de artefactos, modificando progresivamente «L» para evitar cualquier discontinuidad. +TP_LOCALLAB_SLOSH;Pendiente +TP_LOCALLAB_SOFT;Luz suave y Retinex original +TP_LOCALLAB_SOFTM;Luz suave +TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Aplica una mezcla de Luz suave (idéntica al ajuste global). Realiza el «aclarado y quemado» («dodge and burn») usando el algoritmo Retinex original. +TP_LOCALLAB_SOFTRADIUSCOL;Radio suave +TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Aplica un filtro guiado a la imagen de salida para reducir posibles artefactos. +TP_LOCALLAB_SOFTRETI;Reducir artefactos ΔE +TP_LOCALLAB_SOFT_TOOLNAME;Luz suave y Retinex original - 6 +TP_LOCALLAB_SOURCE_ABS;Luminancia absoluta +TP_LOCALLAB_SOURCE_GRAY;Luminancia media (Yb%) +TP_LOCALLAB_SPECCASE;Casos específicos +TP_LOCALLAB_SPECIAL;Uso especial de las curvas RGB +TP_LOCALLAB_SPECIAL_TOOLTIP;La casilla de verificación permite quitar todas las demás acciones, como «Ámbito», máscaras, deslizadores, etc. (excepto transiciones), y usar sólo el efecto de la curva tonal RGB. +TP_LOCALLAB_SPOTNAME;Punto nuevo +TP_LOCALLAB_STD;Estándar +TP_LOCALLAB_STR;Intensidad +TP_LOCALLAB_STRBL;Intensidad +TP_LOCALLAB_STREN;Intensidad de compresión +TP_LOCALLAB_STRENG;Intensidad +TP_LOCALLAB_STRENGR;Intensidad +TP_LOCALLAB_STRENGRID_TOOLTIP;Se puede ajustar el efecto deseado con «Intensidad», pero también es posible usar la función de «ámbito», que permite delimitar la acción (por ejemplo, aislar un color particular). +TP_LOCALLAB_STRENGTH;Ruido +TP_LOCALLAB_STRGRID;Intensidad +TP_LOCALLAB_STRUC;Estructura +TP_LOCALLAB_STRUCCOL;Estructura del punto +TP_LOCALLAB_STRUCCOL1;Estructura del punto +TP_LOCALLAB_STRUCT_TOOLTIP;Usa el algoritmo de Sobel para tener en cuenta la estructura en la detección de forma.\n\nPara ver una vista previa de la máscara (sin modificaciones), se debe activar «Máscara y modificaciones» > «Mostrar estructura del punto» (modo avanzado) .\n\nPuede usarse junto con la Máscara de estructura, Máscara de difuminado y «Contraste local (por niveles de ondículas)» para mejorar la detección de bordes.\n\nLos efectos de los ajustes al usar Claridad, Contraste, Cromaticidad, Exposición u otras herramientas no relacionadas con máscaras son visibles usando, ya sea «Mostrar imagen modificada», o «Mostrar áreas modificadas con máscara». +TP_LOCALLAB_STRUMASKCOL;Intensidad de máscara de estructura +TP_LOCALLAB_STRUMASK_TOOLTIP;Máscara de estructura (deslizador) con la casilla «Máscara de estructura como herramienta» desactivada: En este caso se generará una máscara que muestra la estructura, incluso si ninguna de las tres curvas está activada. Las máscaras de estructura están disponibles para la máscara 1 (Difuminado y reducción de ruido) y máscara 7 (Color y Luz). +TP_LOCALLAB_STRUSTRMASK_TOOLTIP;¡Se recomienda el uso moderado de este deslizador! +TP_LOCALLAB_STYPE;Método de forma +TP_LOCALLAB_STYPE_TOOLTIP;Se puede elegir entre:\n\nSimétrico - punto de ajuste izquierdo enlazado con el derecho, punto de ajuste superior enlazado con el inferior.\n\nIndependiente - todos los puntos de ajuste son independientes. +TP_LOCALLAB_SYM;Simétrico (ratón) +TP_LOCALLAB_SYMSL;Simétrico (ratón + deslizadores) +TP_LOCALLAB_TARGET_GRAY;Luminancia media (Yb%) +TP_LOCALLAB_THRES;Umbral de estructura +TP_LOCALLAB_THRESDELTAE;Umbral de ámbito ΔE +TP_LOCALLAB_THRESRETI;Umbral +TP_LOCALLAB_THRESWAV;Umbral de balance +TP_LOCALLAB_TLABEL;Datos TM Min=%1 Max=%2 Media=%3 Sigma=%4 (Umbral) +TP_LOCALLAB_TLABEL_TOOLTIP;Resultado del Mapa de transmisión.\nLa Varianza usa Min y Max.\nTm=Min TM=Max del Mapa de transmisión.\nSe pueden normalizar los resultados con el deslizador de umbral. +TP_LOCALLAB_TM;Mapeo tonal +TP_LOCALLAB_TM_MASK;Usar el mapa de transmisión +TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;Este deslizador afecta a la sensibilidad a bordes.\nCuanto mayor sea el valor, con mayor probabilidad se interpretará un cambio en el contraste como un «borde».\nSi se pone a cero, el mapeo tonal tendrá un efecto similar a la Máscara de nitidez. +TP_LOCALLAB_TONEMAPGAM_TOOLTIP;El deslizador Gamma desplaza el efecto del mapeo tonal, ya sea hacia las sombras o hacia las luces. +TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;En algunos casos, el mapeo tonal puede producir una apariencia caricaturesca, y en algunos casos raros, pueden aparecer halos suaves pero amplios.\nEl incremento del número de iteraciones de reponderación ayudará a contrarrestar algunos de estos problemas. +TP_LOCALLAB_TONEMAP_TOOLTIP;Igual que la herramienta Mapeo tonal del menú principal.\nLa herramienta del menú principal debe estar desactivada si se usa esta herramienta. +TP_LOCALLAB_TONEMASCALE_TOOLTIP;Este deslizador permite ajustar la transición entre el contraste «local» y «global».\nCuanto mayor sea el valor, mayor tendrá que ser un detalle para que sea amplificado. +TP_LOCALLAB_TONE_TOOLNAME;Mapeo tonal - 4 +TP_LOCALLAB_TOOLCOL;Máscara de estructura como herramienta +TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Permite modificar la máscara, si existe. +TP_LOCALLAB_TOOLMASK;Herramientas con máscara +TP_LOCALLAB_TOOLMASK_2;Ondículas +TP_LOCALLAB_TOOLMASK_TOOLTIP;Máscara de estructura (deslizador) con la casilla «Máscara de estructura como herramienta» marcada: en este caso se generará una máscara que muestra la estructura, después de que se hayan modificado una o ambas curvas L(L) o LC(H).\nAquí, la «Máscara de estructura» se comporta como las demás herramientas con máscara: Gamma, Pendiente, etc.\nPermite variar la acción sobre la máscara en función de la estructura de la imagen. +TP_LOCALLAB_TRANSIT;Gradiente de transición +TP_LOCALLAB_TRANSITGRAD;Diferenciación de la transición XY +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Permite variar la transición en el eje y. +TP_LOCALLAB_TRANSITVALUE;Valor de transición +TP_LOCALLAB_TRANSITWEAK;Decaimiento de la transición (lineal-log) +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Ajusta la función de decaimiento de la transición: 1 lineal , 2 parabólica, 3 cúbica hasta ^25.\nPuede usarse junto con valores muy bajos de transición para reducir defectos (Contraste por niveles de detalles, Ondículas, Color y Luz). +TP_LOCALLAB_TRANSIT_TOOLTIP;Ajusta la suavidad de la transición entre zonas afectadas y no afectadas como un porcentaje del «radio». +TP_LOCALLAB_TRANSMISSIONGAIN;Ganancia de transmisión +TP_LOCALLAB_TRANSMISSIONMAP;Mapa de transmisión +TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmisión en función de la transmisión.\nAbscisa: transmisión desde valores negativos (mín.), media, y valores positivos (máx.).\nOrdenada: amplificación o reducción.\nSe puede ajustar esta curva para cambiar la Transmisión y reducir artefactos. +TP_LOCALLAB_USEMASK;Laplaciana +TP_LOCALLAB_VART;Varianza (contraste) +TP_LOCALLAB_VIBRANCE;Vivacidad y Cálido/Frío +TP_LOCALLAB_VIBRA_TOOLTIP;Ajusta la vivacidad (esencialmente igual que el ajuste global).\nRealiza el equivalente a un ajuste de balance de blancos usando un algoritmo CIECAM. +TP_LOCALLAB_VIB_TOOLNAME;Vivacidad y Cálido/Frío - 3 +TP_LOCALLAB_VIS_TOOLTIP;Clic para mostrar/ocultar el punto de control seleccionado.\nCtrl+clic para mostrar/ocultar todos los puntos de control. +TP_LOCALLAB_WARM;Cálido/Frío y Artefactos de color +TP_LOCALLAB_WARM_TOOLTIP;Este deslizador usa el algoritmo CIECAM y actúa como un control de Balance de blancos para hacer que la temperatura de color del área seleccionada sea más cálida o más fría.\nEn algunos casos también puede reducir los artefactos de color. +TP_LOCALLAB_WASDEN_TOOLTIP;Reducción de ruido de luminancia: el lado izquierdo de la curva, incluyendo la frontera gris oscuro/gris claro, corresponde a los tres primeros niveles 0, 1, 2 (detalle fino). El lado derecho de la curva corresponde a los detalles más gruesos (niveles 3, 4, 5, 6). +TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Equilibra la acción dentro de cada nivel. +TP_LOCALLAB_WAT_BLURLC_TOOLTIP;El ajuste predeterminado de difuminado afecta a los tres componentes de L*a*b* (luminancia y color).\nSi se activa, sólo se difuminará la luminancia. +TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;«Fusionar cromaticidad» se usa para seleccionar la intensidad del efecto deseado en la cromaticidad.\nSólo se tiene en cuenta el máximo valor de los niveles de ondícula (abajo a la derecha. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;«Fusionar cromaticidad» se usa para seleccionar la intensidad del efecto deseado sobre la cromaticidad. +TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;«Fusionar luminancia» se usa para seleccionar la intensidad del efecto deseado en la luminancia.\nSólo se tiene en cuenta el máximo valor de los niveles de ondícula (abajo a la derecha. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;«Fusionar luminancia» se usa para seleccionar la intensidad del efecto deseado sobre la luminancia. +TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;«Niveles de cromaticidad»: ajusta los componentes «a» y «b» de L*a*b* como una proporción del valor de la luminancia. +TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;El desplazamiento modifica el balance entre detalles de bajo y alto contraste.\n\nLos valores altos amplificarán cambios de contraste hacia detalles de mayor contraste, mientras que los valores bajos amplificarán cambios de contraste hacia detalles de bajo contraste.\n\nEl uso de “Respuesta de atenuación” permite seleccionar qué valores de contraste se intensificarán. +TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;Moviendo el deslizador hacia la izquierda, se acentúan los valores bajos. Hacia la derecha, los valores bajos se reducen y los altos se acentúan. +TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;La imagen residual se comporta de la misma manera que la imagen principal al hacer ajustes de contraste, cromaticidad, etc. +TP_LOCALLAB_WAT_GRADW_TOOLTIP;Cuanto más se mueva el deslizador hacia la derecha, más efectivo será el algoritmo de detección, y menos se notarán los efectos del contraste local. +TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Contraste local de bajo a alto de izquierda a derecha en el eje «x».\nAumenta o disminuye el contraste local en el eje «y». +TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;Se puede ajustar la distribución del Contraste local por niveles de ondícula en función de la intensidad inicial del contraste. Esto modificará los efectos de perspectiva y relieve en la imagen, y/o reducirá los valores de contraste para valores iniciales de contraste muy bajos. +TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;«Fusionar sólo con la imagen original» evita que los ajustes de «Pirámide de ondículas» interfieran con «Claridad» y «Máscara de nitidez». +TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Difumina la imagen residual, independientemente de los niveles. +TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Comprime la imagen residual para aumentar o reducir el contraste. +TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;El efecto del ajuste de contraste local es más intenso en detalles de contraste medio, y más débil en detalles de alto y bajo contraste.\n\nEste deslizador controla la rapidez de amortiguación del efecto hacia contrastes extremos.\n\nCuanto mayor sea el valor del deslizador, más amplio será el rango de contrastes que recibirán el efecto íntegro del ajuste de contraste local, y mayor será el riesgo de generar artefactos.\n\nCuanto menor sea el valor, más se dirigirá el efecto hacia un rango estrecho de valores de contraste. +TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensidad de detección de efecto de bordes. +TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Permite variar el contraste local en función de un gradiente y ángulo seleccionados. Se tiene en cuenta la variación de la señal de luminancia, y no la luminancia en sí. +TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Rango de niveles de ondículas usado en todo el módulo «Ondículas». +TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Permite difuminar cada nivel de descomposición.\nLos niveles del más fino al más grueso están dispuestos de izquierda a derecha. +TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar a Contraste por niveles de detalle. Niveles de detalle de fino a grueso de izquierda a derecha en el eje «x». +TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Actúa sobre el balance de las tres direcciones (horizontal, vertical y diagonal) en función de la luminancia de la imagen.\nDe forma predeterminada, las sombras y las luces se reducen para evitar artefactos. +TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Muestra todas las herramientas de «Nitidez en bordes». Es aconsejable leer la documentación de Niveles de ondículas. +TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Permite ajustar el efecto máximo de difuminado en los niveles. +TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Contraste de bajo a alto de izquierda a derecha en el eje «x».\nAumenta o disminuye el contraste local en el eje «y». +TP_LOCALLAB_WAT_WAVTM_TOOLTIP;La parte baja (negativa) comprime cada nivel de descomposición, creando un efecto de mapeo tonal.\nLa parte superior (positiva) atenúa el contraste por nivel.\nLos niveles de descomposición de más fino a más grueso están dispuestos de izquierda a derecha en el eje «x». +TP_LOCALLAB_WAV;Contraste local +TP_LOCALLAB_WAVBLUR_TOOLTIP;Permite difuminar cada nivel de la descomposición, así como la imagen residual. +TP_LOCALLAB_WAVCOMP;Compresión por nivel +TP_LOCALLAB_WAVCOMPRE;Compresión por nivel +TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Permite aplicar mapeo tonal o reducir el contraste local en niveles individuales.\nLos niveles de detalle de más fino a más grueso están dispuestos de izquierda a derecha en el eje «x». +TP_LOCALLAB_WAVCOMP_TOOLTIP;Permite aplicar contraste local en función de la dirección de la descomposición de ondículas: horizontal, vertical, diagonal. +TP_LOCALLAB_WAVCON;Contraste por nivel +TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar a Contraste por niveles de detalle. Niveles de detalle de fino a grueso de izquierda a derecha del eje X. +TP_LOCALLAB_WAVDEN;Reducción de ruido de luminancia por nivel +TP_LOCALLAB_WAVE;Ψ Ondículas +TP_LOCALLAB_WAVEDG;Contraste local +TP_LOCALLAB_WAVEEDG_TOOLTIP;Mejora la nitidez dirigiendo la acción del contraste local a los bordes. Tiene las mismas funciones que el módulo correspondiente en Niveles de ondículas, y usa los mismos ajustes. +TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Rango de niveles de ondículas usado en «Contraste local (por niveles de ondículas)». +TP_LOCALLAB_WAVGRAD_TOOLTIP;Permite variar el contraste local en función de un gradiente y ángulo seleccionados. Se tiene en cuenta la variación de la señal de luminancia, y no la luminancia en sí. +TP_LOCALLAB_WAVHUE_TOOLTIP;Permite reducir o aumentar la reducción de ruido en función del matiz. +TP_LOCALLAB_WAVLEV;Difuminado por nivel +TP_LOCALLAB_WAVMASK;Ψ Contraste local (por niveles de ondículas) +TP_LOCALLAB_WAVMASK_TOOLTIP;Utiliza ondículas para modificar el contraste local de la máscara y reforzar o reducir la estructura (piel, edificios...). +TP_LOCALLAB_WEDIANHI;Mediana alta +TP_LOCALLAB_WHITE_EV;Ev Blanco +TP_LOCALLAB_ZCAMFRA;Ajustes de imagen ZCAM +TP_LOCALLAB_ZCAMTHRES;Recuperar datos altos +TP_LOCAL_HEIGHT;Abajo +TP_LOCAL_HEIGHT_T;Arriba +TP_LOCAL_WIDTH;Derecha +TP_LOCAL_WIDTH_L;Izquierda +TP_LOCRETI_METHOD_TOOLTIP;Bajo = Refuerza la luz baja.\nUniforme = Distribuido uniformemente.\nAlto = Refuerza la luz fuerte. +TP_METADATA_EDIT;Aplicar modificaciones +TP_METADATA_MODE;Modo de copia de metadatos +TP_METADATA_STRIP;Eliminar todos los metadatos +TP_METADATA_TUNNEL;Copiar sin cambios +TP_NEUTRAL;Reiniciar +TP_NEUTRAL_TIP;Reinicia los deslizadores de exposición a valores neutros.\nActúa sobre los mismos controles que Niveles automáticos, independientemente de si se ha usado Niveles automáticos o no. +TP_PCVIGNETTE_FEATHER;Anchura de gradiente +TP_PCVIGNETTE_FEATHER_TOOLTIP;Anchura de gradiente:\n0 = sólo en las esquinas,\n50 = hasta mitad de camino al centro,\n100 = hasta el centro. +TP_PCVIGNETTE_LABEL;Filtro de viñeteado +TP_PCVIGNETTE_ROUNDNESS;Redondez +TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Redondez:\n0 = rectángulo,\n50 = elipse encajada,\n100 = círculo. +TP_PCVIGNETTE_STRENGTH;Intensidad +TP_PCVIGNETTE_STRENGTH_TOOLTIP;Intensidad del filtro en pasos (alcanzados en las esquinas). +TP_PDSHARPENING_LABEL;Nitidez en captura +TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Factor de recorte de sensor +TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Longitud focal +TP_PERSPECTIVE_CAMERA_FRAME;Corrección +TP_PERSPECTIVE_CAMERA_PITCH;Vertical +TP_PERSPECTIVE_CAMERA_ROLL;Rotación +TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Desplazamiento horizontal +TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Desplazamiento vertical +TP_PERSPECTIVE_CAMERA_YAW;Horizontal +TP_PERSPECTIVE_CONTROL_LINES;Líneas de control +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+arrastrar: Dibuja una nueva línea\nClic derecho: Borra línea +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Se necesitan al menos dos líneas horizontales o dos verticales. +TP_PERSPECTIVE_HORIZONTAL;Horizontal +TP_PERSPECTIVE_LABEL;Perspectiva +TP_PERSPECTIVE_METHOD;Método +TP_PERSPECTIVE_METHOD_CAMERA_BASED;Basado en cámara +TP_PERSPECTIVE_METHOD_SIMPLE;Simple +TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Ajuste post-corrección +TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +TP_PERSPECTIVE_PROJECTION_ROTATE;Rotación +TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Desplazamiento horizontal +TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Desplazamiento vertical +TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +TP_PERSPECTIVE_RECOVERY_FRAME;Recuperación +TP_PERSPECTIVE_VERTICAL;Vertical +TP_PFCURVE_CURVEEDITOR_CH;Matiz +TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Controla la intensidad de eliminación de borde púrpura por colores.\nMás alto = más,\nMás bajo = menos. +TP_PREPROCESS_DEADPIXFILT;Filtro de píxel muerto +TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Trata de suprimir los píxels muertos. +TP_PREPROCESS_GREENEQUIL;Equilibrado de verdes +TP_PREPROCESS_HOTPIXFILT;Filtro de píxel caliente +TP_PREPROCESS_HOTPIXFILT_TOOLTIP;Trata de suprimir los píxels calientes. +TP_PREPROCESS_LABEL;Preprocesado +TP_PREPROCESS_LINEDENOISE;Filtro de ruido de línea +TP_PREPROCESS_LINEDENOISE_DIRECTION;Dirección +TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Ambas +TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Horizontal +TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal sólo en líneas de autofoco por diferencia de fase +TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical +TP_PREPROCESS_NO_FOUND;No encontrado +TP_PREPROCESS_PDAFLINESFILTER;Filtro de líneas de autofoco por diferencia de fase +TP_PREPROCWB_LABEL;Preprocesado de balance de blancos +TP_PREPROCWB_MODE;Modo +TP_PREPROCWB_MODE_AUTO;Automático +TP_PREPROCWB_MODE_CAMERA;Cámara +TP_PRSHARPENING_LABEL;Nitidez tras cambio de tamaño +TP_PRSHARPENING_TOOLTIP;Aumenta la nitidez de la imagen tras un cambio de tamaño. Sólo funciona cuando se usa el método de cambio de tamaño «Lanczos». No es posible ver los efectos de esta herramienta en la vista previa. Consúltese RawPedia para ver las instrucciones de uso. +TP_RAWCACORR_AUTO;Auto-corrección +TP_RAWCACORR_AUTOIT;Iteraciones +TP_RAWCACORR_AUTOIT_TOOLTIP;Este ajuste está disponible si está marcada la casilla «Auto-corrección».\n\nLa Auto-corrección es conservadora, en el sentido de que a menudo no corrige toda la aberración cromática.\n\nPara corregir la aberración cromática residual, se pueden usar hasta cinco iteraciones de corrección automática de aberración cromática.\n\nCada iteración reducirá la aberración cromática residual de la iteración anterior, al coste de un mayor tiempo de procesamiento. +TP_RAWCACORR_AVOIDCOLORSHIFT;Evitar la deriva de colores +TP_RAWCACORR_CABLUE;Azul +TP_RAWCACORR_CARED;Rojo +TP_RAWCACORR_LABEL;Corrección de aberración cromática +TP_RAWEXPOS_BLACK_0;Verde 1 (principal) +TP_RAWEXPOS_BLACK_1;Rojo +TP_RAWEXPOS_BLACK_2;Azul +TP_RAWEXPOS_BLACK_3;Verde 2 +TP_RAWEXPOS_BLACK_BLUE;Azul +TP_RAWEXPOS_BLACK_GREEN;Verde +TP_RAWEXPOS_BLACK_RED;Rojo +TP_RAWEXPOS_LINEAR;Corrección de punto blanco +TP_RAWEXPOS_PRESER;Preservación de luces +TP_RAWEXPOS_RGB;Rojo, Verde, Azul +TP_RAWEXPOS_TWOGREEN;Vincular verdes +TP_RAW_1PASSMEDIUM;1 paso (Markesteijn) +TP_RAW_2PASS;1 paso + fast +TP_RAW_3PASSBEST;3 pasos (Markesteijn) +TP_RAW_4PASS;3 pasos + fast +TP_RAW_AHD;AHD +TP_RAW_AMAZE;AMaZE +TP_RAW_AMAZEBILINEAR;AMaZE+Bilineal +TP_RAW_AMAZEVNG4;AMaZE + VNG4 +TP_RAW_BORDER;Borde +TP_RAW_DCB;DCB +TP_RAW_DCBBILINEAR;DCB+Bilineal +TP_RAW_DCBENHANCE;Mejora de DCB +TP_RAW_DCBITERATIONS;Número de iteraciones de DCB +TP_RAW_DCBVNG4;DCB + VNG4 +TP_RAW_DMETHOD;Método +TP_RAW_DMETHOD_PROGRESSBAR;%1 desentramando... +TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Refinado de desentramado... +TP_RAW_DMETHOD_TOOLTIP;Nota: IGV y LMMSE están dedicados a imágenes de ISO alta para ayudar a la reducción de ruido sin generar patrones en laberinto, posterización o un aspecto descolorido.\nPixel Shift es para archivos Pixel Shift de cámaras Pentax/Sony. El método de desentramado se cambia a AMaZE para archivos no Pixel Shift. +TP_RAW_DUALDEMOSAICAUTOCONTRAST;Umbral automático +TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Si la casilla está activada (recomendado), RawTherapee calcula un valor óptimo basándose en regiones planas de la imagen.\nSi no hay regiones planas en la imagen, o ésta es muy ruidosa, el valor se pondrá a cero.\nPara ajustar el valor manualmente, debe desmarcarse primero la casilla (los valores razonables dependen de la imagen). +TP_RAW_DUALDEMOSAICCONTRAST;Umbral de contraste +TP_RAW_EAHD;EAHD +TP_RAW_FALSECOLOR;Pasos de supresión de falso color +TP_RAW_FAST;Fast +TP_RAW_HD;Umbral +TP_RAW_HD_TOOLTIP;Los valores bajos hacen más agresiva la detección de píxels muertos/calientes, pero los falsos positivos pueden dar lugar a artefactos. Si se observa la aparición de cualquier artefacto al activar el filtro de píxel muerto/caliente, debe incrementarse gradualmente el umbral hasta que desaparezcan. +TP_RAW_HPHD;HPHD +TP_RAW_IGV;IGV +TP_RAW_IMAGENUM;Sub-imagen +TP_RAW_IMAGENUM_SN;Modo SN +TP_RAW_IMAGENUM_TOOLTIP;Ciertos archivos raw constan de varias sub-imágenes (Pixel Shift de Pentax/Sony, 3 en 1 HDR de Pentax, Dual Pixel de Canon).\n\nSi se usa cualquier método de desentramado distinto de Pixel Shift, esto selecciona qué sub-imagen se usará.\n\nSi se usa el método de desentramado Pixel Shift en un raw Pixel Shift, se usarán todas las sub-imágenes, y esto selecciona qué sub-imagen deberá usarse para objetos móviles. +TP_RAW_LABEL;Desentramado +TP_RAW_LMMSE;LMMSE +TP_RAW_LMMSEITERATIONS;Pasos de mejora LMMSE +TP_RAW_LMMSE_TOOLTIP;Añade gamma (paso 1), mediana (pasos 2-4) y refinado (pasos 5-6) para reducir los artefactos y mejorar la relación señal-ruido. +TP_RAW_MONO;Mono +TP_RAW_NONE;Ninguno (muestra el patrón del sensor) +TP_RAW_PIXELSHIFT;Pixel Shift +TP_RAW_PIXELSHIFTAVERAGE;Usar promedio para objetos en movimiento +TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Se usa el promedio de todas las tomas en lugar de la toma seleccionada para regiones con movimiento.\nCrea un efecto de movimiento en objetos que se mueven lentamente (se superponen). +TP_RAW_PIXELSHIFTBLUR;Difuminar máscara de movimiento +TP_RAW_PIXELSHIFTDMETHOD;Método de desentramado para el movimiento +TP_RAW_PIXELSHIFTEPERISO;Sensibilidad +TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;El valor predeterminado de 0 debería funcionar bien para la ISO base.\nLos valores mayores aumentan la sensibilidad de detección de movimiento.\nEl valor debe cambiarse en pasos pequeños mientras se observan los cambios en la máscara de movimiento.\nPara imágenes subexpuestas o de ISO alta se debe aumentar la sensibilidad. +TP_RAW_PIXELSHIFTEQUALBRIGHT;Ecualizar brillo de las tomas +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Ecualizar por canal +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Activado: Ecualiza los canales RGB individualmente.\nDesactivado: Usa el mismo factor de ecualización para todos los canales. +TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Ecualiza el brillo de las tomas al brillo de la toma seleccionada.\nSi hay áreas sobreexpuestas en las tomas, se debe seleccionar la toma más brillante para evitar una dominante magenta en las áreas sobreexpuestas, o bien activar la corrección de movimiento. +TP_RAW_PIXELSHIFTGREEN;Comprobar si hay movimiento en el canal verde +TP_RAW_PIXELSHIFTHOLEFILL;Rellenar huecos en la máscara de movimiento +TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Rellena huecos en la máscara de movimiento. +TP_RAW_PIXELSHIFTMEDIAN;Usar mediana para zonas con movimiento +TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Usa la mediana de todas las tomas en lugar de la toma seleccionada para regiones con movimiento.\nElimina objetos situados en lugares diferentes en las diversas tomas.\nGenera efecto de movimiento en objetos de movimiento lento (superpuestos). +TP_RAW_PIXELSHIFTMM_AUTO;Automático +TP_RAW_PIXELSHIFTMM_CUSTOM;Personalizado +TP_RAW_PIXELSHIFTMM_OFF;Desactivado +TP_RAW_PIXELSHIFTMOTIONMETHOD;Corrección de movimiento +TP_RAW_PIXELSHIFTNONGREENCROSS;Comprobar si hay movimiento en los canales rojo/azul +TP_RAW_PIXELSHIFTSHOWMOTION;Mostrar la máscara de movimiento +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;Mostrar sólo la máscara de movimiento +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;Muestra la máscara de movimiento sin la imagen. +TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Superpone una máscara verde a la imagen, que muestra las regiones con movimiento. +TP_RAW_PIXELSHIFTSIGMA;Radio de difuminado +TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;El radio predeterminado de 1.0 normalmente se adapta bien a la ISO base.\nPara tomas con ISO alta debe aumentarse el valor. 5.0 es un buen punto de partida.\nDebe observarse la máscara de movimiento mientras se cambia el valor. +TP_RAW_PIXELSHIFTSMOOTH;Suavizar las transiciones +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Suaviza las transiciones entre áreas con y sin movimiento.\nPara desactivar el suavizado de las transiciones, el valor se ajusta a 0.\nPara obtener, o bien el resultado de AMaZE/LMMSE de la toma seleccionada (en función de si «Usar LMMSE» está seleccionado o no), o bien la mediana de las cuatro tomas si está seleccionado «Usar mediana», el valor se ajusta a 1. +TP_RAW_RCD;RCD +TP_RAW_RCDBILINEAR;RCD+Bilineal +TP_RAW_RCDVNG4;RCD+VNG4 +TP_RAW_SENSOR_BAYER_LABEL;Sensor con matriz Bayer +TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;El método de 3 pasos da los mejores resultados (recomendado para imágenes de ISO baja).\nEl método de 1 paso es casi indistinguible del de 3 pasos para imágenes de ISO alta y es más rápido.\n+fast genera menos artefactos en zonas planas. +TP_RAW_SENSOR_XTRANS_LABEL;Sensor con matriz X-Trans +TP_RAW_VNG4;VNG4 +TP_RAW_XTRANS;X-Trans +TP_RAW_XTRANSFAST;Fast X-Trans +TP_RESIZE_ALLOW_UPSCALING;Permitir aumento de tamaño +TP_RESIZE_APPLIESTO;Se aplica a: +TP_RESIZE_CROPPEDAREA;Área recortada +TP_RESIZE_FITBOX;Rectángulo límite +TP_RESIZE_FULLIMAGE;Imagen completa +TP_RESIZE_H;Altura: +TP_RESIZE_HEIGHT;Altura +TP_RESIZE_LABEL;Cambio de tamaño +TP_RESIZE_LANCZOS;Lanczos +TP_RESIZE_LE;Lado largo: +TP_RESIZE_LONG;Lado largo +TP_RESIZE_METHOD;Método: +TP_RESIZE_NEAREST;El más cercano +TP_RESIZE_SCALE;Escala +TP_RESIZE_SE;Lado corto: +TP_RESIZE_SHORT;Lado corto +TP_RESIZE_SPECIFY;Especificar: +TP_RESIZE_W;Anchura: +TP_RESIZE_WIDTH;Anchura +TP_RETINEX_CONTEDIT_HSL;Histograma HSL +TP_RETINEX_CONTEDIT_LAB;Histograma L*a*b* +TP_RETINEX_CONTEDIT_LH;Matiz +TP_RETINEX_CONTEDIT_MAP;Ecualizador +TP_RETINEX_CURVEEDITOR_CD;L=f(L) +TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminancia en función de la luminancia L=f(L)\nCorrige datos raw para reducir halos y artefactos. +TP_RETINEX_CURVEEDITOR_LH;Intensidad=f(H) +TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Intensidad en función del matiz Intensidad=f(H)\nEsta curva también actúa en la cromaticidad cuando se usa el método de retinex «Luces». +TP_RETINEX_CURVEEDITOR_MAP;L=f(L) +TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;Esta curva se puede aplicar sola o con una máscara gaussiana o máscara de ondículas.\n¡Cuidado con los artefactos! +TP_RETINEX_EQUAL;Ecualizador +TP_RETINEX_FREEGAMMA;Gamma libre +TP_RETINEX_GAIN;Ganancia +TP_RETINEX_GAINOFFS;Ganancia y desplazamiento (brillo) +TP_RETINEX_GAINTRANSMISSION;Ganancia de transmisión +TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplifica o reduce el mapa de transmisión para conseguir la luminancia deseada.\nEl eje x es la transmisión.\nEl eje y es la ganancia. +TP_RETINEX_GAIN_TOOLTIP;Actúa en la imagen restaurada.\n\nEsto es muy diferente de los demás ajustes. Se usa para píxels negros o blancos, y para ayudar a equilibrar el histograma. +TP_RETINEX_GAMMA;Gamma +TP_RETINEX_GAMMA_FREE;Libre +TP_RETINEX_GAMMA_HIGH;Alta +TP_RETINEX_GAMMA_LOW;Baja +TP_RETINEX_GAMMA_MID;Media +TP_RETINEX_GAMMA_NONE;Ninguna +TP_RETINEX_GAMMA_TOOLTIP;Restaura tonos aplicando la gamma antes y después de Retinex. Es diferente de las curvas Retinex u otras (L*a*b*, Exposición, etc.). +TP_RETINEX_GRAD;Gradiente de transmisión +TP_RETINEX_GRADS;Gradiente de intensidad +TP_RETINEX_GRADS_TOOLTIP;Si el deslizador está a 0, todas las iteraciones son idénticas.\nSi es > 0, la Intensidad se reduce al incrementarse las iteraciones, y viceversa. +TP_RETINEX_GRAD_TOOLTIP;Si el deslizador está a 0, todas las iteraciones son idénticas.\nSi es > 0, la Varianza y el Umbral se reducen al incrementarse las iteraciones, y viceversa. +TP_RETINEX_HIGH;Alto +TP_RETINEX_HIGHLIG;Luces +TP_RETINEX_HIGHLIGHT;Umbral de luces +TP_RETINEX_HIGHLIGHT_TOOLTIP;Aumenta la acción del algoritmo Alto.\nPuede ser necesario reajustar «Píxels vecinos» e incrementar la «Corrección de punto blanco» en la pestaña Raw -> herramienta Puntos de blanco Raw. +TP_RETINEX_HSLSPACE_LIN;HSL-Lineal +TP_RETINEX_HSLSPACE_LOG;HSL-Logarítmico +TP_RETINEX_ITER;Iteraciones (Mapeo tonal) +TP_RETINEX_ITERF;Mapeo tonal +TP_RETINEX_ITER_TOOLTIP;Simula un operador de mapeo tonal.\nLos valores altos aumentan el tiempo de procesamiento. +TP_RETINEX_LABEL;Retinex +TP_RETINEX_LABEL_MASK;Máscara +TP_RETINEX_LABSPACE;L*a*b* +TP_RETINEX_LOW;Bajo +TP_RETINEX_MAP;Método +TP_RETINEX_MAP_GAUS;Máscara gaussiana +TP_RETINEX_MAP_MAPP;Máscara de nitidez (ondícula parcial) +TP_RETINEX_MAP_MAPT;Máscara de nitidez (ondícula total) +TP_RETINEX_MAP_METHOD_TOOLTIP;Usa la máscara generada por la función Gaussiana (Radio, Método) para reducir halos y artefactos.\n\nSólo curva: aplica una curva de contraste diagonal a la máscara. ¡Cuidado con los artefactos!\n\nMáscara gaussiana: genera y usa un difuminado Gaussiano sobre la máscara original. Es un método rápido.\n\nMáscara de nitidez: genera y usa una ondícula sobre la máscara original. Es un método lento. +TP_RETINEX_MAP_NONE;Ninguno +TP_RETINEX_MEDIAN;Filtro de mediana de transmisión +TP_RETINEX_METHOD;Método +TP_RETINEX_METHOD_TOOLTIP;Bajo = Refuerza la luz baja.\nUniforme = Ecualiza la acción.\nAlto = Refuerza la luz intensa.\nLuces = Elimina el magenta en las luces. +TP_RETINEX_MLABEL;Datos restaurados Min=%1 Max=%2 +TP_RETINEX_MLABEL_TOOLTIP;Los valores deberían estar cerca de min=0 max=32768 (modo logarítmico), pero son posibles otros valores. Se puede ajustar «Recortar datos restaurados (ganancia)» y «Desplazamiento» para normalizar.\nRecupera los datos de la imagen sin mezclar. +TP_RETINEX_NEIGHBOR;Radio +TP_RETINEX_NEUTRAL;Reiniciar +TP_RETINEX_NEUTRAL_TIP;Reinicia todos los deslizadores y curvas a sus valores predeterminados. +TP_RETINEX_OFFSET;Desplazamiento (brillo) +TP_RETINEX_SCALES;Gradiente gaussiano +TP_RETINEX_SCALES_TOOLTIP;Si el deslizador está a 0, todas las iteraciones son idénticas.\nSi es > 0, la Escala y el Radio se reducen al incrementarse las iteraciones, y viceversa. +TP_RETINEX_SETTINGS;Ajustes +TP_RETINEX_SKAL;Escala +TP_RETINEX_SLOPE;Pendiente libre de gamma +TP_RETINEX_STRENGTH;Intensidad +TP_RETINEX_THRESHOLD;Umbral +TP_RETINEX_THRESHOLD_TOOLTIP;Limita la entrada/salida.\nEntrada = imagen origen,\nSalida = imagen gaussiana. +TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Media=%3 Sigma=%4 +TP_RETINEX_TLABEL2;TM Efectiva Tm=%1 TM=%2 +TP_RETINEX_TLABEL_TOOLTIP;Resultado del mapa de transmisión.\nMin y Max son utilizados por la Varianza.\nTm=Min TM=Max del mapa de transmisión.\nSe pueden normalizar los resultados con el deslizador de umbral. +TP_RETINEX_TRANF;Transmisión +TP_RETINEX_TRANSMISSION;Mapa de transmisión +TP_RETINEX_TRANSMISSION_TOOLTIP;Transmisión en función de la transmisión.\nAbscisas: transmisión desde valores negativos (min), media, y valores positivos (max).\nOrdenadas: amplificación o reducción. +TP_RETINEX_UNIFORM;Uniforme +TP_RETINEX_VARIANCE;Contraste +TP_RETINEX_VARIANCE_TOOLTIP;Una varianza baja aumenta el contraste local y la saturación, pero puede producir artefactos. +TP_RETINEX_VIEW;Proceso +TP_RETINEX_VIEW_MASK;Máscara +TP_RETINEX_VIEW_METHOD_TOOLTIP;Estándar - Vista normal.\nMáscara - Muestra la máscara.\nMáscara de nitidez - Muestra la imagen con una máscara de nitidez de radio alto.\nTransmisión - Auto/Fija - Muestra el archivo de mapa de transmisión, antes de cualquier acción sobre el contraste y el brillo.\n\nAtención: la máscara no corresponde a la realidad, pero se amplifica para hacerla más visible. +TP_RETINEX_VIEW_NONE;Estándar +TP_RETINEX_VIEW_TRAN;Transmisión - Auto +TP_RETINEX_VIEW_TRAN2;Transmisión - Fijo +TP_RETINEX_VIEW_UNSHARP;Máscara de nitidez +TP_RGBCURVES_BLUE;B +TP_RGBCURVES_CHANNEL;Canal +TP_RGBCURVES_GREEN;G +TP_RGBCURVES_LABEL;Curvas RGB +TP_RGBCURVES_LUMAMODE;Modo de luminosidad +TP_RGBCURVES_LUMAMODE_TOOLTIP;Modo de luminosidad permite variar la contribución de los canales R, G y B a la luminosidad de la imagen, sin alterar el color de la imagen. +TP_RGBCURVES_RED;R +TP_ROTATE_DEGREE;Grados +TP_ROTATE_LABEL;Rotación +TP_ROTATE_SELECTLINE;Seleccionar línea recta +TP_SAVEDIALOG_OK_TIP;Atajo de teclado: Ctrl-Intro +TP_SHADOWSHLIGHTS_HIGHLIGHTS;Luces +TP_SHADOWSHLIGHTS_HLTONALW;Anchura tonal de las luces +TP_SHADOWSHLIGHTS_LABEL;Sombras/Luces +TP_SHADOWSHLIGHTS_LOCALCONTR;Contraste local +TP_SHADOWSHLIGHTS_RADIUS;Radio +TP_SHADOWSHLIGHTS_SHADOWS;Sombras +TP_SHADOWSHLIGHTS_SHTONALW;Anchura tonal de las sombras +TP_SHARPENEDGE_AMOUNT;Cantidad +TP_SHARPENEDGE_LABEL;Bordes +TP_SHARPENEDGE_PASSES;Iteraciones +TP_SHARPENEDGE_THREE;Sólo luminancia +TP_SHARPENING_AMOUNT;Cantidad +TP_SHARPENING_BLUR;Radio de difuminado +TP_SHARPENING_CONTRAST;Umbral de contraste +TP_SHARPENING_EDRADIUS;Radio +TP_SHARPENING_EDTOLERANCE;Tolerancia a bordes +TP_SHARPENING_HALOCONTROL;Control de halo +TP_SHARPENING_HCAMOUNT;Cantidad +TP_SHARPENING_ITERCHECK;Auto limitar iteraciones +TP_SHARPENING_LABEL;Nitidez +TP_SHARPENING_METHOD;Método +TP_SHARPENING_ONLYEDGES;Nitidez sólo en bordes +TP_SHARPENING_RADIUS;Radio +TP_SHARPENING_RADIUS_BOOST;Aumento del Radio en las esquinas +TP_SHARPENING_RLD;Deconvolución RL +TP_SHARPENING_RLD_AMOUNT;Cantidad +TP_SHARPENING_RLD_DAMPING;Amortiguación +TP_SHARPENING_RLD_ITERATIONS;Iteraciones +TP_SHARPENING_THRESHOLD;Umbral +TP_SHARPENING_USM;Máscara de nitidez +TP_SHARPENMICRO_AMOUNT;Cantidad +TP_SHARPENMICRO_CONTRAST;Umbral de contraste +TP_SHARPENMICRO_LABEL;Microcontraste +TP_SHARPENMICRO_MATRIX;Matriz 3x3 en lugar de 5x5 +TP_SHARPENMICRO_UNIFORMITY;Uniformidad +TP_SOFTLIGHT_LABEL;Luz suave +TP_SOFTLIGHT_STRENGTH;Intensidad +TP_SPOT_COUNTLABEL;%1 punto(s) +TP_SPOT_DEFAULT_SIZE;Tamaño predeterminado del punto +TP_SPOT_ENTRYCHANGED;Punto cambiado +TP_SPOT_HINT;Púlsese este botón para operar en la vista previa.\n\nPara editar un punto, se acerca el cursor del ratón a la marca blanca que localiza un área editada, lo que hace aparecer la geometría de edición.\n\nPara añadir un punto, se pulsa Ctrl y clic izquierdo, se arrastra el círculo (se puede soltar la tecla Ctrl) a una ubicación de origen, y a continuación se suelta el botón del ratón.\n\nPara mover el punto origen o destino, se acerca el cursor del ratón a su centro y se arrastra.\n\nEl tamaño del círculo interior (área de máximo efecto) y del círculo de «degradado» puede cambiarse acercando el cursor del ratón (el círculo cambia a naranja) y arrastrándolo (el círculo cambia a rojo).\n\nTras finalizar los cambios, el modo de Edición de puntos se termina haciendo clic derecho fuera de cualquier punto, o haciendo clic de nuevo en este botón. +TP_SPOT_LABEL;Eliminación de manchas +TP_TM_FATTAL_AMOUNT;Cantidad +TP_TM_FATTAL_ANCHOR;Anclaje +TP_TM_FATTAL_LABEL;Compresión de rango dinámico +TP_TM_FATTAL_THRESHOLD;Detalle +TP_VIBRANCE_AVOIDCOLORSHIFT;Evitar la deriva de colores +TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH +TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Tonos de piel +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Rojo/Púrpura +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Rojo +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Rojo/Amarillo +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Amarillo +TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Matiz en función del matiz H=f(H) +TP_VIBRANCE_LABEL;Vivacidad +TP_VIBRANCE_PASTELS;Tonos pastel +TP_VIBRANCE_PASTSATTOG;Vincular tonos pastel y saturados +TP_VIBRANCE_PROTECTSKINS;Proteger tonos de piel +TP_VIBRANCE_PSTHRESHOLD;Umbral entre tonos pastel/saturados +TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;Umbral de saturación +TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;El eje vertical representa los tonos pastel en la parte inferior y los tonos saturados en la superior.\nEl eje horizontal representa el rango de saturación. +TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Ponderación de la transición entre pastel y saturado +TP_VIBRANCE_SATURATED;Tonos saturados +TP_VIGNETTING_AMOUNT;Cantidad +TP_VIGNETTING_CENTER;Centro +TP_VIGNETTING_CENTER_X;Centro X +TP_VIGNETTING_CENTER_Y;Centro Y +TP_VIGNETTING_LABEL;Corrección de viñeteo +TP_VIGNETTING_RADIUS;Radio +TP_VIGNETTING_STRENGTH;Intensidad +TP_WAVELET_1;Nivel 1 +TP_WAVELET_2;Nivel 2 +TP_WAVELET_3;Nivel 3 +TP_WAVELET_4;Nivel 4 +TP_WAVELET_5;Nivel 5 +TP_WAVELET_6;Nivel 6 +TP_WAVELET_7;Nivel 7 +TP_WAVELET_8;Nivel 8 +TP_WAVELET_9;Nivel 9 +TP_WAVELET_APPLYTO;Se aplica a +TP_WAVELET_AVOID;Evitar la deriva de colores +TP_WAVELET_B0;Negro +TP_WAVELET_B1;Gris +TP_WAVELET_B2;Residual +TP_WAVELET_BACKGROUND;Fondo +TP_WAVELET_BACUR;Curva +TP_WAVELET_BALANCE;Balance de contraste diag./vert.-horiz. +TP_WAVELET_BALANCE_TOOLTIP;Altera el balance entre las direcciones de las ondículas: vertical-horizontal y diagonal.\nSi están activados el contraste, la cromaticidad o el mapeo tonal residual, el efecto del balance se amplifica. +TP_WAVELET_BALCHRO;Balance de cromaticidad +TP_WAVELET_BALCHROM;Ecualizador reducc. ruido Azul-amarillo/Rojo-verde +TP_WAVELET_BALCHRO_TOOLTIP;Si está activado, la curva o el deslizador de «Balance de contraste» también modifica el balance de cromaticidad. +TP_WAVELET_BALLUM;Ecualizador reducc. ruido Blanco-Negro +TP_WAVELET_BANONE;Ninguno +TP_WAVELET_BASLI;Deslizador +TP_WAVELET_BATYPE;Método de balance de contraste +TP_WAVELET_BL;Difuminar niveles +TP_WAVELET_BLCURVE;Difuminar por niveles +TP_WAVELET_BLURFRAME;Difuminado +TP_WAVELET_BLUWAV;Respuesta de atenuación +TP_WAVELET_CBENAB;Virado y balance de color +TP_WAVELET_CB_TOOLTIP;Con valores grandes se pueden crear efectos especiales, similares a los que se consiguen con el módulo de Cromaticidad, pero centrados en la imagen residual.\nCon valores moderados se puede corregir el balance de blancos. +TP_WAVELET_CCURVE;Contraste local +TP_WAVELET_CH1;Todo el rango de cromaticidad +TP_WAVELET_CH2;Saturado/pastel +TP_WAVELET_CH3;Vincular niveles de contraste +TP_WAVELET_CHCU;Curva +TP_WAVELET_CHR;Intensidad del vínculo cromaticidad-contraste +TP_WAVELET_CHRO;Umbral saturado/pastel +TP_WAVELET_CHROFRAME;Reducc. ruido cromaticidad +TP_WAVELET_CHROMAFRAME;Cromaticidad +TP_WAVELET_CHROMCO;Cromaticidad gruesa +TP_WAVELET_CHROMFI;Cromaticidad fina +TP_WAVELET_CHRO_TOOLTIP;Ajusta el nivel de ondículas que será el umbral entre colores saturados y pastel.\n1-x: saturados\nx-9: pastel\n\nSi el valor excede el número de niveles de ondículas en uso, se ignorará. +TP_WAVELET_CHRWAV;Difuminar cromaticidad +TP_WAVELET_CHR_TOOLTIP;Ajusta la cromaticidad como una función de los «niveles de contraste» y la «intensidad del vínculo entre cromaticidad y contraste». +TP_WAVELET_CHSL;Deslizadores +TP_WAVELET_CHTYPE;Método de cromaticidad +TP_WAVELET_CLA;Claridad +TP_WAVELET_CLARI;Máscara de nitidez y Claridad +TP_WAVELET_COLORT;Opacidad rojo-verde +TP_WAVELET_COMPCONT;Contraste +TP_WAVELET_COMPEXPERT;Avanzado +TP_WAVELET_COMPGAMMA;Gamma de compresión +TP_WAVELET_COMPGAMMA_TOOLTIP;El ajuste de gamma de la imagen residual permite equilibrar los datos y el histograma. +TP_WAVELET_COMPLEXLAB;Complejidad +TP_WAVELET_COMPLEX_TOOLTIP;Estándar: muestra un conjunto reducido de herramientas, apropiado para la mayoría de operaciones de procesado.\n\nAvanzado: muestra el conjunto completo de herramientas para operaciones avanzadas de procesado. +TP_WAVELET_COMPNORMAL;Estándar +TP_WAVELET_COMPTM;Mapeo tonal +TP_WAVELET_CONTEDIT;Curva de contraste «Después» +TP_WAVELET_CONTFRAME;Contraste - Compresión +TP_WAVELET_CONTR;Rango de colores +TP_WAVELET_CONTRA;Contraste +TP_WAVELET_CONTRASTEDIT;Niveles más finos - más gruesos +TP_WAVELET_CONTRAST_MINUS;Contraste - +TP_WAVELET_CONTRAST_PLUS;Contraste + +TP_WAVELET_CONTRA_TOOLTIP;Cambia el contraste de la imagen residual. +TP_WAVELET_CTYPE;Control de cromaticidad +TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Desactivado si la ampliación de la vista previa > aprox. 300%. +TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Aumenta o disminuye el contraste local original (en el eje horizontal).\n\nLos valores bajos en el eje horizontal representan un contraste local bajo (valores reales alrededor de 10...20).\n\nUn valor en el 50% del eje horizontal representa un contraste local promedio (valor real alrededor de 100...300).\n\nUn valor del 66% representa la desviación estándar del contraste local (valor real alrededor de 300...800).\n\nEl valor del 100% representa el contraste local máximo (valor real alrededor de 3000...8000). +TP_WAVELET_CURVEEDITOR_CH;Niveles de contraste=f(Matiz) +TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifica el contraste de cada nivel en función del matiz.\n\nHay que tener cuidado de no sobreescribir cambios realizados con los controles de matiz de la sub-herramienta Rango de colores.\n\nLa curva sólo tendrá efectos cuando los valores de los deslizadores de contraste de nivel sean distintos de cero. +TP_WAVELET_CURVEEDITOR_CL;L +TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Aplica una curva final de contraste de luminancia al final del tratamiento de ondículas. +TP_WAVELET_CURVEEDITOR_HH;HH +TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifica el matiz de la imagen residual en función del matiz. +TP_WAVELET_DALL;Todas las direcciones +TP_WAVELET_DAUB;Rendimiento en bordes +TP_WAVELET_DAUB2;D2 - bajo +TP_WAVELET_DAUB4;D4 - estándar +TP_WAVELET_DAUB6;D6 - estándar plus +TP_WAVELET_DAUB10;D10 - medio +TP_WAVELET_DAUB14;D14 - alto +TP_WAVELET_DAUBLOCAL;Rendimiento de ondículas en bordes +TP_WAVELET_DAUB_TOOLTIP;Cambia los coeficientes de Daubechies:\nD4 = Estándar,\nD14 = A menudo ofrece el mejor rendimiento, con un 10% más de tiempo de ejecución.\n\nAfecta a la detección de bordes, así como a la calidad general de los primeros niveles. No obstante, la calidad no está estrictamente relacionada con este coeficiente, y puede variar de unas imágenes y usos a otros/as. +TP_WAVELET_DEN5THR;Umbral guiado +TP_WAVELET_DEN12LOW;1 2 Bajo +TP_WAVELET_DEN12PLUS;1 2 Alto +TP_WAVELET_DEN14LOW;1 4 Bajo +TP_WAVELET_DEN14PLUS;1 4 Alto +TP_WAVELET_DENCONTRAST;Ecualizador de contraste local +TP_WAVELET_DENCURV;Curva +TP_WAVELET_DENEQUAL;1 2 3 4 Ecual +TP_WAVELET_DENL;Corrección estructura +TP_WAVELET_DENLH;Umbral guiado por niveles de detalle 1-4 +TP_WAVELET_DENLOCAL_TOOLTIP;Usa una curva para guiar la reducción de ruido en función del contraste local.\nSe reduce el ruido de las zonas, manteniendo las estructuras. +TP_WAVELET_DENMIX_TOOLTIP;Equilibra la acción de la guía teniendo en cuenta la imagen original y la imagen con el ruido reducido. +TP_WAVELET_DENOISE;Curva guía basada en contraste local +TP_WAVELET_DENOISEGUID;Umbral guiado basado en el matiz +TP_WAVELET_DENOISEH;Curva de contraste local niveles altos +TP_WAVELET_DENOISEHUE;Ecualizador de reducc. de ruido de matiz +TP_WAVELET_DENQUA;Modo +TP_WAVELET_DENSIGMA_TOOLTIP;Adapta la forma de la guía. +TP_WAVELET_DENSLI;Deslizador +TP_WAVELET_DENSLILAB;Método +TP_WAVELET_DENWAVGUID_TOOLTIP;Usa el matiz para reducir o aumentar la acción del filtro guiado. +TP_WAVELET_DENWAVHUE_TOOLTIP;Amplifica o reduce la reducción de ruido en función del color. +TP_WAVELET_DETEND;Detalles +TP_WAVELET_DIRFRAME;Contraste direccional +TP_WAVELET_DONE;Vertical +TP_WAVELET_DTHR;Diagonal +TP_WAVELET_DTWO;Horizontal +TP_WAVELET_EDCU;Curva +TP_WAVELET_EDEFFECT;Respuesta de atenuación +TP_WAVELET_EDEFFECT_TOOLTIP;Este deslizador selecciona el rango de valores de contraste que recibirán el efecto íntegro de cualquier ajuste. +TP_WAVELET_EDGCONT;Contraste local +TP_WAVELET_EDGCONT_TOOLTIP;El ajuste de los puntos hacia la izquierda disminuye el contraste, y hacia la derecha lo aumenta.\nAbajo-izquierda, arriba-izquierda, arriba-derecha y abajo-derecha representan, respectivamente, el contraste local para valores bajos, la media, la media más la desviación estándar y el máximo. +TP_WAVELET_EDGE;Nitidez de bordes +TP_WAVELET_EDGEAMPLI;Amplificación base +TP_WAVELET_EDGEDETECT;Sensibilidad del gradiente +TP_WAVELET_EDGEDETECTTHR;Umbral bajo (ruido) +TP_WAVELET_EDGEDETECTTHR2;Mejora de bordes +TP_WAVELET_EDGEDETECTTHR_TOOLTIP;Este deslizador establece un umbral por debajo del cual los detalles más finos no se considerarán como un borde. +TP_WAVELET_EDGEDETECT_TOOLTIP;Si se mueve el deslizador hacia la derecha, se aumenta la sensibilidad a los bordes. Esto afecta al contraste local, a los ajustes de bordes y al ruido. +TP_WAVELET_EDGESENSI;Sensibilidad a los bordes +TP_WAVELET_EDGREINF_TOOLTIP;Refuerza o reduce la acción del primer nivel, hace lo contrario al segundo nivel, y deja intacto el resto. +TP_WAVELET_EDGTHRESH;Detalle +TP_WAVELET_EDGTHRESH_TOOLTIP;Cambia el reparto entre los primeros niveles y los demás. Cuanto mayor sea el umbral, más se centrará la acción en los primeros niveles. Hay que tener cuidado con los valores negativos, pues aumentan la acción de los niveles altos y pueden introducir artefactos. +TP_WAVELET_EDRAD;Radio +TP_WAVELET_EDRAD_TOOLTIP;Este ajuste controla la mejora local. Un valor de cero todavía tiene efectos. +TP_WAVELET_EDSL;Deslizadores de umbral +TP_WAVELET_EDTYPE;Método de contraste local +TP_WAVELET_EDVAL;Intensidad +TP_WAVELET_FINAL;Retoque final +TP_WAVELET_FINCFRAME;Contraste local final +TP_WAVELET_FINCOAR_TOOLTIP;La parte izquierda (positiva) de la curva actúa en los niveles más finos (aumento).\nLos 2 puntos en la abscisa representan los respectivos límites de acción de los niveles más finos y más gruesos 5 y 6 (predeterminado).\nLa parte derecha (negativa) de la curva actúa sobre los niveles más gruesos (aumento).\nSe debe evitar mover la parte izquierda de la curva con valores negativos. Se debe evitar mover la parte derecha de la curva con valores positivos. +TP_WAVELET_FINEST;El más fino +TP_WAVELET_FINTHR_TOOLTIP;Usa el contraste local para reducir o aumentar la acción del filtro guiado. +TP_WAVELET_GUIDFRAME;Suavizado final (filtro guiado) +TP_WAVELET_HIGHLIGHT;Rango de luminancia de niveles más finos +TP_WAVELET_HS1;Todo el rango de luminancia +TP_WAVELET_HS2;Rango selectivo de luminancia +TP_WAVELET_HUESKIN;Matiz de piel +TP_WAVELET_HUESKIN_TOOLTIP;Los puntos inferiores establecen el principio de la zona de transición, y los superiores el final, donde el efecto es máximo.\n\nSi se necesita mover el área de forma significativa, o si hay artefactos, significa que el balance de blancos es incorrecto. +TP_WAVELET_HUESKY;Matiz del cielo +TP_WAVELET_HUESKY_TOOLTIP;Los puntos inferiores establecen el principio de la zona de transición, y los superiores el final, donde el efecto es máximo.\n\nSi se necesita mover el área de forma significativa, o si hay artefactos, significa que el balance de blancos es incorrecto. +TP_WAVELET_ITER;Delta en equilibrio de niveles +TP_WAVELET_ITER_TOOLTIP;Izquierda: incrementa los niveles bajos y reduce los niveles altos,\nDerecha: reduce los niveles bajos e incrementa los niveles altos. +TP_WAVELET_LABEL;Niveles de ondículas +TP_WAVELET_LABGRID_VALUES;Alto(a)=%1 Alto(b)=%2\nBajo(a)=%3 Bajo(b)=%4 +TP_WAVELET_LARGEST;El más grueso +TP_WAVELET_LEVCH;Cromaticidad +TP_WAVELET_LEVDEN;Reducc. ruido niveles 5-6 +TP_WAVELET_LEVDIR_ALL;Todos los niveles en todas direcciones +TP_WAVELET_LEVDIR_INF;Niveles de detalle más fino, incluyendo el seleccionado +TP_WAVELET_LEVDIR_ONE;Un nivel +TP_WAVELET_LEVDIR_SUP;Niveles de detalle más grueso, excluyendo el seleccionado +TP_WAVELET_LEVELHIGH;Radio 5-6 +TP_WAVELET_LEVELLOW;Radio 1-4 +TP_WAVELET_LEVELS;Niveles de ondículas +TP_WAVELET_LEVELSIGM;Radio +TP_WAVELET_LEVELS_TOOLTIP;Elige el número de niveles de detalle en que se debe descomponer la imagen.\nEl uso de más niveles necesita más memoria RAM y más tiempo de procesamiento. +TP_WAVELET_LEVF;Contraste +TP_WAVELET_LEVFOUR;Reducc. ruido y umbral guiado niveles 5-6 +TP_WAVELET_LEVLABEL;Máximo de niveles posibles en vista previa = %1 +TP_WAVELET_LEVONE;Nivel 2 +TP_WAVELET_LEVTHRE;Nivel 4 +TP_WAVELET_LEVTWO;Nivel 3 +TP_WAVELET_LEVZERO;Nivel 1 +TP_WAVELET_LIMDEN;Interacción de niveles 5-6 en niveles 1-4 +TP_WAVELET_LINKEDG;Vincular con intensidad de nitidez de bordes +TP_WAVELET_LIPST;Algoritmo mejorado +TP_WAVELET_LOWLIGHT;Rango de luminancia de niveles más gruesos +TP_WAVELET_LOWTHR_TOOLTIP;Evita la amplificación de texturas finas y ruido. +TP_WAVELET_MEDGREINF;Primer nivel +TP_WAVELET_MEDI;Reducir artefactos en el cielo azul +TP_WAVELET_MEDILEV;Detección de bordes +TP_WAVELET_MEDILEV_TOOLTIP;Al activar Detección de bordes, se recomienda:\n- desactivar los niveles de bajo contraste para evitar artefactos,\n- usar valores altos de sensibilidad de gradiente.\n\nSe puede modular la intensidad con «Refinar», en Reducción de ruido y refinado. +TP_WAVELET_MERGEC;Fusionar cromaticidad +TP_WAVELET_MERGEL;Fusionar luminancia +TP_WAVELET_MIXCONTRAST;Contraste local de referencia +TP_WAVELET_MIXDENOISE;Reducción de ruido +TP_WAVELET_MIXMIX;Mezcla 50% ruido - 50% reducc. ruido +TP_WAVELET_MIXMIX70;Mezcla 30% ruido - 70% reducc. ruido +TP_WAVELET_MIXNOISE;Ruido +TP_WAVELET_NEUTRAL;Neutro +TP_WAVELET_NOIS;Reducción de ruido +TP_WAVELET_NOISE;Reducción de ruido y refinado +TP_WAVELET_NOISE_TOOLTIP;Si la reducción de ruido de luminancia del nivel 4 es superior a 50, se usa el modo Agresivo.\nSi la cromaticidad gruesa es superior a 20, se usa el modo Agresivo. +TP_WAVELET_NPHIGH;Alto +TP_WAVELET_NPLOW;Bajo +TP_WAVELET_NPNONE;Ninguno +TP_WAVELET_NPTYPE;Píxels vecinos +TP_WAVELET_NPTYPE_TOOLTIP;Este algoritmo usa la proximidad de un píxel y ocho de sus vecinos. Si hay menos diferencia, se refuerzan los bordes. +TP_WAVELET_OFFSET_TOOLTIP;El desplazamiento modifica el equilibrio entre detalles de contraste bajo y alto.\n\nLos valores altos amplifican los cambios de contraste hacia detalles de contraste más alto, mientras que los valores bajos amplifican cambios de contraste hacia detalles de contraste bajo.\n\nEl uso de una baja respuesta de atenuación permite seleccionar qué valores de contraste se mejorarán. +TP_WAVELET_OLDSH;Algoritmo que usa valores negativos +TP_WAVELET_OPACITY;Opacidad azul-amarillo +TP_WAVELET_OPACITYW;Curva de equilibrio de contraste diag./vert.-horiz. +TP_WAVELET_OPACITYWL;Contraste local final +TP_WAVELET_OPACITYWL_TOOLTIP;Modifica el contraste local final al final del tratamiento de ondículas.\n\nEl lado izquierdo representa el contraste local más bajo, progresando hacia el contraste local más alto, a la derecha. +TP_WAVELET_PASTEL;Cromaticidad de pastel +TP_WAVELET_PROC;Proceso +TP_WAVELET_PROTAB;Protección +TP_WAVELET_QUAAGRES;Agresivo +TP_WAVELET_QUACONSER;Conservador +TP_WAVELET_RADIUS;Radio sombras - luces +TP_WAVELET_RANGEAB;Rango a y b % +TP_WAVELET_RE1;Reforzado +TP_WAVELET_RE2;Sin cambios +TP_WAVELET_RE3;Reducido +TP_WAVELET_RESBLUR;Difuminar luminancia +TP_WAVELET_RESBLURC;Difuminar cromaticidad +TP_WAVELET_RESBLUR_TOOLTIP;Desactivado si ampliación > alrededor de 500%. +TP_WAVELET_RESCHRO;Intensidad +TP_WAVELET_RESCON;Sombras +TP_WAVELET_RESCONH;Luces +TP_WAVELET_RESID;Imagen residual +TP_WAVELET_SAT;Cromaticidad de saturados +TP_WAVELET_SETTINGS;Ajustes de ondículas +TP_WAVELET_SHA;Máscara de nitidez +TP_WAVELET_SHFRAME;Sombras/Luces +TP_WAVELET_SHOWMASK;Mostrar «máscara» de ondículas +TP_WAVELET_SIGM;Radio +TP_WAVELET_SIGMA;Respuesta de atenuación +TP_WAVELET_SIGMAFIN;Respuesta de atenuación +TP_WAVELET_SIGMA_TOOLTIP;El efecto de los deslizadores de contraste es más fuerte en detalles de contraste medio, y más débil en detalles de alto y bajo contraste.\n\nCon este deslizador se puede controlar la rapidez de amortiguación del efecto hacia los contrastes extremos.\n\nCuanto más alto se ajusta el deslizador, más amplio es el rango de contrastes que recibirán cambios intensos, y también es mayor el riesgo de generar artefactos.\n\nCuanto más bajo, más se dirigirá el efecto a un rango estrecho de valores de contraste. +TP_WAVELET_SKIN;Focalización/protección de piel +TP_WAVELET_SKIN_TOOLTIP;Al valor -100, se focaliza en los tonos de piel.\nAl valor 0, todos los tonos se tratan por igual.\nAl valor +100, los tonos de piel se protegen, mientras que todos los demás se ven afectados. +TP_WAVELET_SKY;Focalización/protección del cielo +TP_WAVELET_SKY_TOOLTIP;Al valor -100, se focaliza en los tonos del cielo.\nAl valor 0, todos los tonos se tratan por igual.\nAl valor +100, los tonos del cielo se protegen, mientras que todos los demás se ven afectados. +TP_WAVELET_SOFTRAD;Radio suave +TP_WAVELET_STREN;Refinar +TP_WAVELET_STREND;Intensidad +TP_WAVELET_STRENGTH;Intensidad +TP_WAVELET_SUPE;Extra +TP_WAVELET_THR;Umbral de sombras +TP_WAVELET_THRDEN_TOOLTIP;Genera una curva escalonada para guiar la reducción de ruido en función del contraste local.\nSe reduce el ruido de las zonas y se mantienen las estructuras. +TP_WAVELET_THREND;Umbral de contraste local +TP_WAVELET_THRESHOLD;Niveles más finos +TP_WAVELET_THRESHOLD2;Niveles más gruesos +TP_WAVELET_THRESHOLD2_TOOLTIP;Sólo se verán afectados por el rango de luminancia de sombras los niveles entre el valor elegido y el número de niveles de ondículas seleccionado. +TP_WAVELET_THRESHOLD_TOOLTIP;Sólo se verán afectados por el rango de luminancia de luces los niveles por debajo o igual al valor elegido. +TP_WAVELET_THRH;Umbral de luces +TP_WAVELET_TILESBIG;Teselas grandes +TP_WAVELET_TILESFULL;Imagen entera +TP_WAVELET_TILESIZE;Método de teselado +TP_WAVELET_TILESLIT;Teselas pequeñas +TP_WAVELET_TILES_TOOLTIP;El procesado de la imagen entera proporciona mejor calidad y es la opción recomendada, mientras que el uso de teselas es una solución alternativa para usuarios con poca memoria RAM. Consúltese RawPedia para averiguar los requisitos de memoria. +TP_WAVELET_TMEDGS;Parada en bordes +TP_WAVELET_TMSCALE;Escala +TP_WAVELET_TMSTRENGTH;Intensidad de compresión +TP_WAVELET_TMSTRENGTH_TOOLTIP;Controla la intensidad del mapeo tonal o la compresión de contraste de la imagen residual. +TP_WAVELET_TMTYPE;Método de compresión +TP_WAVELET_TON;Virado +TP_WAVELET_TONFRAME;Colores excluidos +TP_WAVELET_USH;Ninguno +TP_WAVELET_USHARP;Método de claridad +TP_WAVELET_USH_TOOLTIP;Si se selecciona Máscara de nitidez, se puede escoger cualquier nivel (en Ajustes) desde 1 hasta 4 para el procesado.\nSi se selecciona Claridad, se puede escoger cualquier nivel (en Ajustes) entre 5 y Extra. +TP_WAVELET_WAVLOWTHR;Umbral de bajo contraste +TP_WAVELET_WAVOFFSET;Desplazamiento +TP_WBALANCE_AUTO;Automático +TP_WBALANCE_AUTOITCGREEN;Correlación de temperatura +TP_WBALANCE_AUTOOLD;RGB gris +TP_WBALANCE_AUTO_HEADER;Automático +TP_WBALANCE_CAMERA;Cámara +TP_WBALANCE_CLOUDY;Nublado +TP_WBALANCE_CUSTOM;Personalizado +TP_WBALANCE_DAYLIGHT;Luz de día (soleado) +TP_WBALANCE_EQBLUERED;Ecualizador Azul/Rojo +TP_WBALANCE_EQBLUERED_TOOLTIP;Permite desviarse del comportamiento normal del balance de blancos, mediante la modulación del balance azul/rojo.\n\nEsto puede ser útil cuando las condiciones de toma son tales que:\n\na) están alejadas del iluminante estándar (por ejemplo, bajo el agua),\nb) están alejadas de las condiciones en las que se hicieron las calibraciones,\nc) las matrices o los perfiles ICC no son adecuados. +TP_WBALANCE_FLASH55;Leica +TP_WBALANCE_FLASH60;Estándar, Canon, Pentax, Olympus +TP_WBALANCE_FLASH65;Nikon, Panasonic, Sony, Minolta +TP_WBALANCE_FLASH_HEADER;Flash +TP_WBALANCE_FLUO1;F1 - Luz de día +TP_WBALANCE_FLUO2;F2 - Blanco frío +TP_WBALANCE_FLUO3;F3 - Blanco +TP_WBALANCE_FLUO4;F4 - Blanco cálido +TP_WBALANCE_FLUO5;F5 - Luz de día +TP_WBALANCE_FLUO6;F6 - Blanco ligero +TP_WBALANCE_FLUO7;F7 - D65 Emulador de luz de día +TP_WBALANCE_FLUO8;F8 - D50 / Sylvania F40 Design +TP_WBALANCE_FLUO9;F9 - Blanco frío Deluxe +TP_WBALANCE_FLUO10;F10 - Philips TL85 +TP_WBALANCE_FLUO11;F11 - Philips TL84 +TP_WBALANCE_FLUO12;F12 - Philips TL83 +TP_WBALANCE_FLUO_HEADER;Fluorescente +TP_WBALANCE_GREEN;Tinte +TP_WBALANCE_GTI;GTI +TP_WBALANCE_HMI;HMI +TP_WBALANCE_JUDGEIII;JudgeIII +TP_WBALANCE_LABEL;Balance de blancos +TP_WBALANCE_LAMP_HEADER;Lámpara +TP_WBALANCE_LED_CRS;CRS SP12 WWMR16 +TP_WBALANCE_LED_HEADER;LED +TP_WBALANCE_LED_LSI;LSI Lumelex 2040 +TP_WBALANCE_METHOD;Método +TP_WBALANCE_PICKER;Muestreo balance de blancos +TP_WBALANCE_SHADE;Sombra +TP_WBALANCE_SIZE;Tamaño: +TP_WBALANCE_SOLUX35;Solux 3500K +TP_WBALANCE_SOLUX41;Solux 4100K +TP_WBALANCE_SOLUX47;Solux 4700K (proveedor) +TP_WBALANCE_SOLUX47_NG;Solux 4700K (Nat. Gallery) +TP_WBALANCE_SPOTWB;El cuentagotas se usa para muestrear el balance de blancos a partir de una región neutra en la vista previa. +TP_WBALANCE_STUDLABEL;Factor de correlación: %1 +TP_WBALANCE_STUDLABEL_TOOLTIP;Muestra la correlación de Student calculada.\nLos valores bajos son mejores, donde <0.005 es excelente,\n<0.01 es bueno, y >0.5 es malo.\nLos valores bajos no significan que el balance de blancos sea bueno:\nsi el iluminante no es estándar, los resultados pueden ser erráticos.\nUn valor de 1000 significa que se usan cálculos previos y\nprobablemente los resultados son buenos. +TP_WBALANCE_TEMPBIAS;Sesgo de temperatura en AWB +TP_WBALANCE_TEMPBIAS_TOOLTIP;Permite alterar el cálculo del «balance de blancos automático»\ndirigiéndolo hacia temperaturas más cálidas o más frías. El sesgo\nse expresa como porcentaje de la temperatura calculada,\npor lo que el resultado viene dado por «TempCalculada + TempCalculada * Sesgo». +TP_WBALANCE_TEMPERATURE;Temperatura +TP_WBALANCE_TUNGSTEN;Tungsteno +TP_WBALANCE_WATER1;Subacuático 1 +TP_WBALANCE_WATER2;Subacuático 2 +TP_WBALANCE_WATER_HEADER;Subacuático +ZOOMPANEL_100;(100%) +ZOOMPANEL_NEWCROPWINDOW;Abre (nueva) ventana de detalle +ZOOMPANEL_ZOOM100;Ampliar a 100%\nAtajo de teclado: z +ZOOMPANEL_ZOOMFITCROPSCREEN;Encajar recorte en la vista previa\nAtajo de teclado: f +ZOOMPANEL_ZOOMFITSCREEN;Encajar la imagen entera en la vista previa\nAtajo de teclado: Alt-f +ZOOMPANEL_ZOOMIN;Acercar\nAtajo de teclado: + +ZOOMPANEL_ZOOMOUT;Alejar\nAtajo de teclado: - +xTP_LOCALLAB_LOGSURSOUR_TOOLTIP;Cambia los tonos y colores para tener en cuenta las condiciones de la escena.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nTenue: Entorno tenue. La imagen aumentará su brillo ligeramente. +//HISTORY_MSG_1099;Local - Curva Hz(Hz) + +!!!!!!!!!!!!!!!!!!!!!!!!! +! Untranslated keys follow; remove the ! prefix after an entry is translated. +!!!!!!!!!!!!!!!!!!!!!!!!! + +!HISTORY_MSG_446;EvPixelShiftMotion +!HISTORY_MSG_447;EvPixelShiftMotionCorrection +!HISTORY_MSG_448;EvPixelShiftStddevFactorGreen +!HISTORY_MSG_450;EvPixelShiftNreadIso +!HISTORY_MSG_451;EvPixelShiftPrnu +!HISTORY_MSG_454;EvPixelShiftAutomatic +!HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal +!HISTORY_MSG_456;EvPixelShiftNonGreenVertical +!HISTORY_MSG_458;EvPixelShiftStddevFactorRed +!HISTORY_MSG_459;EvPixelShiftStddevFactorBlue +!HISTORY_MSG_460;EvPixelShiftGreenAmaze +!HISTORY_MSG_461;EvPixelShiftNonGreenAmaze +!HISTORY_MSG_463;EvPixelShiftRedBlueWeight +!HISTORY_MSG_466;EvPixelShiftSum +!HISTORY_MSG_467;EvPixelShiftExp0 +!HISTORY_MSG_470;EvPixelShiftMedian3 +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!PARTIALPASTE_SPOT;Spot removal +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' diff --git a/rtdata/languages/Espanol b/rtdata/languages/Espanol (Latin America) similarity index 100% rename from rtdata/languages/Espanol rename to rtdata/languages/Espanol (Latin America) diff --git a/rtgui/multilangmgr.cc b/rtgui/multilangmgr.cc index 57d1eff5f..13f2569c5 100644 --- a/rtgui/multilangmgr.cc +++ b/rtgui/multilangmgr.cc @@ -44,33 +44,34 @@ struct LocaleToLang : private std::map, emplace (key ("ca", "ES"), "Catala"); emplace (key ("cs", "CZ"), "Czech"); emplace (key ("da", "DK"), "Dansk"); - emplace (key ("de", "DE"), "Deutsch"); + emplace (key ("de", "" ), "Deutsch"); #ifdef __APPLE__ emplace (key ("en", "UK"), "English (UK)"); #else emplace (key ("en", "GB"), "English (UK)"); #endif emplace (key ("en", "US"), "English (US)"); - emplace (key ("es", "ES"), "Espanol"); + emplace (key ("es", "" ), "Espanol (Latin America)"); + emplace (key ("es", "ES"), "Espanol (Castellano)"); emplace (key ("eu", "ES"), "Euskara"); - emplace (key ("fr", "FR"), "Francais"); + emplace (key ("fr", "" ), "Francais"); emplace (key ("el", "GR"), "Greek"); emplace (key ("he", "IL"), "Hebrew"); - emplace (key ("it", "IT"), "Italiano"); + emplace (key ("it", "" ), "Italiano"); emplace (key ("ja", "JP"), "Japanese"); - emplace (key ("lv", "LV"), "Latvian"); - emplace (key ("hu", "HU"), "Magyar"); - emplace (key ("nl", "NL"), "Nederlands"); + emplace (key ("lv", "" ), "Latvian"); + emplace (key ("hu", "" ), "Magyar"); + emplace (key ("nl", "" ), "Nederlands"); emplace (key ("nn", "NO"), "Norsk BM"); emplace (key ("nb", "NO"), "Norsk BM"); - emplace (key ("pl", "PL"), "Polish"); - emplace (key ("pt", "PT"), "Portugues (Brasil)"); - emplace (key ("ru", "RU"), "Russian"); + emplace (key ("pl", "" ), "Polish"); + emplace (key ("pt", "" ), "Portugues (Brasil)"); + emplace (key ("ru", "" ), "Russian"); emplace (key ("sr", "RS"), "Serbian (Cyrilic Characters)"); - emplace (key ("sk", "SK"), "Slovak"); - emplace (key ("fi", "FI"), "Suomi"); + emplace (key ("sk", "" ), "Slovak"); + emplace (key ("fi", "" ), "Suomi"); emplace (key ("sv", "SE"), "Swedish"); - emplace (key ("tr", "TR"), "Turkish"); + emplace (key ("tr", "" ), "Turkish"); emplace (key ("zh", "CN"), "Chinese (Simplified)"); emplace (key ("zh", "SG"), "Chinese (Traditional)"); } @@ -79,12 +80,15 @@ struct LocaleToLang : private std::map, { Glib::ustring major, minor; + // TODO: Support 3 character language code when needed. if (locale.length () >= 2) { major = locale.substr (0, 2).lowercase (); } if (locale.length () >= 5) { - minor = locale.substr (3, 2).uppercase (); + const Glib::ustring::size_type length = + locale.length() > 5 && g_unichar_isalnum(locale[5]) ? 3 : 2; + minor = locale.substr (3, length).uppercase (); } // Look for matching language and country. @@ -95,7 +99,7 @@ struct LocaleToLang : private std::map, } // Look for matching language only. - iterator = find (key (major, major.uppercase())); + iterator = find (key (major, "")); if (iterator != end ()) { return iterator->second; diff --git a/rtgui/options.cc b/rtgui/options.cc index fc543709f..a1cc88c03 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -773,6 +773,9 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("General", "Language")) { language = keyFile.get_string("General", "Language"); + if (!language.compare("Espanol")) { + language = "Espanol (Latin America)"; + } } if (keyFile.has_key("General", "LanguageAutoDetect")) { From 200e2de86be1546963506ed0f83c94d31e6a5a63 Mon Sep 17 00:00:00 2001 From: Desmis Date: Sat, 27 Aug 2022 06:22:45 +0200 Subject: [PATCH 099/170] Add TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP to Espagnol(Castellano) --- rtdata/languages/Espanol (Castellano) | 1 + 1 file changed, 1 insertion(+) diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index cb8079042..1b056fd5f 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -2997,6 +2997,7 @@ TP_LOCALLAB_LOG1FRA;Ajustes de imagen CAM16 TP_LOCALLAB_LOG2FRA;Condiciones de visualización TP_LOCALLAB_LOGAUTO;Automático TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena cuando está pulsado el botón «Automático» en Niveles relativos de exposición. +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena. TP_LOCALLAB_LOGAUTO_TOOLTIP;Al pulsar este botón se calculará el «rango dinámico» y la «luminancia media» para las condiciones de la escena si está activada la casilla «Luminancia media automática (Yb%)».\nTambién se calcula la luminancia absoluta en el momento de la toma.\nPara ajustar los valores calculados automáticamente hay que volver a pulsar el botón. TP_LOCALLAB_LOGBASE_TOOLTIP;Valor predeterminado = 2.\nLos valores menores que 2 reducen la acción del algoritmo, haciendo las sombras más oscuras y las luces más brillantes.\nCon valores mayores que 2, las sombras son más grises y las luces son más desteñidas. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valores estimados del Rango dinámico, por ejemplo Ev negro y Ev blanco From 70fe0f46f6c0af9db89f49076f97d2344813f520 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 27 Aug 2022 16:38:03 -0700 Subject: [PATCH 100/170] Use hard-coded levels for Canon raws Closes #6559. --- rtengine/dcraw.cc | 17 +++++++++++++++-- 1 file changed, 15 insertions(+), 2 deletions(-) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index e4dbcbf94..bb8cafaf0 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -9082,8 +9082,21 @@ void CLASS adobe_coeff (const char *make, const char *model) for (i=0; i < sizeof table / sizeof *table; i++) if (!strncmp (name, table[i].prefix, strlen(table[i].prefix))) { - if (RT_blacklevel_from_constant == ThreeValBool::T && table[i].black) black = (ushort) table[i].black; - if (RT_whitelevel_from_constant == ThreeValBool::T && table[i].maximum) maximum = (ushort) table[i].maximum; + if (RT_blacklevel_from_constant == ThreeValBool::T && table[i].black) { + if (RT_canon_levels_data.black_ok) { + unsigned c; + FORC4 RT_canon_levels_data.cblack[c] = (ushort) table[i].black; + } else { + black = (ushort) table[i].black; + } + } + if (RT_whitelevel_from_constant == ThreeValBool::T && table[i].maximum) { + if (RT_canon_levels_data.white_ok) { + RT_canon_levels_data.white = (ushort) table[i].maximum; + } else { + maximum = (ushort) table[i].maximum; + } + } if (RT_matrix_from_constant == ThreeValBool::T && table[i].trans[0]) { for (raw_color = j=0; j < 12; j++) ((double *)cam_xyz)[j] = table[i].trans[j] / 10000.0; From d838ff352dd21c8ebe753d6fa46af607a4f66ced Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Tue, 30 Aug 2022 05:49:46 -0700 Subject: [PATCH 101/170] Remove last row from D5100 raws (#6571) Avoid decoding the last row which contains corrupt data and causes the image to become black. Closes #5654. --- rtengine/dcraw.cc | 2 ++ 1 file changed, 2 insertions(+) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index e4dbcbf94..c91a73f62 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -9763,6 +9763,8 @@ void CLASS identify() if(!dng_version) {top_margin = 18; height -= top_margin; } if (height == 3014 && width == 4096) /* Ricoh GX200 */ width = 4014; + if (height == 3280 && width == 4992 && !strncmp(model, "D5100", 5)) + { --height; } // Last row contains corrupt data. See issue #5654. if (dng_version) { if (filters == UINT_MAX) filters = 0; if (filters) is_raw *= tiff_samples; From 4d1d5d4539863bb38c33a353784f027ff97269aa Mon Sep 17 00:00:00 2001 From: luzpaz Date: Tue, 30 Aug 2022 09:17:43 -0400 Subject: [PATCH 102/170] Fix various typos (#6569) * Fix various typos * Fix previous commit + add follow-up grammatical fixes --- rtengine/improccoordinator.cc | 2 +- rtengine/iplocallab.cc | 10 +++++----- rtengine/ipwavelet.cc | 2 +- rtgui/adjuster.cc | 2 +- tools/osx/macosx_bundle.sh | 4 ++-- 5 files changed, 10 insertions(+), 10 deletions(-) diff --git a/rtengine/improccoordinator.cc b/rtengine/improccoordinator.cc index 33cce1842..9eb7043d1 100644 --- a/rtengine/improccoordinator.cc +++ b/rtengine/improccoordinator.cc @@ -2408,7 +2408,7 @@ bool ImProcCoordinator::getAutoWB(double& temp, double& green, double equal, dou if (lastAwbEqual != equal || lastAwbTempBias != tempBias || lastAwbauto != params->wb.method) { // Issue 2500 MyMutex::MyLock lock(minit); // Also used in crop window double rm, gm, bm; - params->wb.method = "autold";//same result as before muliple Auto WB + params->wb.method = "autold";//same result as before multiple Auto WB // imgsrc->getAutoWBMultipliers(rm, gm, bm); double tempitc = 5000.; diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index e3256d1ce..9272c2c69 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -3201,7 +3201,7 @@ void ImProcFunctions::ciecamloc_02float(const struct local_params& lp, int sp, L avgm + (1. - avgm) * (0.6 - contreal / 250.0), avgm + (1. - avgm) * (0.6 + contreal / 250.0), 1, 1 }); - //all calculs in double to best results...but slow + //all calculations in double for best results...but slow double lightreal = 0.2 * params->locallab.spots.at(sp).lightjzcie; double chromz = params->locallab.spots.at(sp).chromjzcie; double saturz = params->locallab.spots.at(sp).saturjzcie; @@ -4244,7 +4244,7 @@ if(mocam == 3) {//Zcam not use but keep in case off 1, 1 }); - //all calculs in double to best results...but slow + //all calculations in double for best results...but slow double lqz = 0.4 * params->locallab.spots.at(sp).lightqzcam; if(params->locallab.spots.at(sp).lightqzcam < 0) { lqz = 0.2 * params->locallab.spots.at(sp).lightqzcam; //0.4 less effect, no need 1. @@ -15565,7 +15565,7 @@ void ImProcFunctions::Lab_Local( //vibrance float vibg = params->locallab.spots.at(sp).vibgam; - if (lp.expvib && (lp.past != 0.f || lp.satur != 0.f || lp.strvib != 0.f || vibg != 1.f || lp.war != 0 || lp.strvibab != 0.f || lp.strvibh != 0.f || lp.showmaskvibmet == 2 || lp.enavibMask || lp.showmaskvibmet == 3 || lp.showmaskvibmet == 4 || lp.prevdE) && lp.vibena) { //interior ellipse renforced lightness and chroma //locallutili + if (lp.expvib && (lp.past != 0.f || lp.satur != 0.f || lp.strvib != 0.f || vibg != 1.f || lp.war != 0 || lp.strvibab != 0.f || lp.strvibh != 0.f || lp.showmaskvibmet == 2 || lp.enavibMask || lp.showmaskvibmet == 3 || lp.showmaskvibmet == 4 || lp.prevdE) && lp.vibena) { //interior ellipse reinforced lightness and chroma //locallutili if (call <= 3) { //simpleprocess, dcrop, improccoordinator const int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); const int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); @@ -17292,7 +17292,7 @@ void ImProcFunctions::Lab_Local( evnoise *= 0.4f; } - //soft denoise, user must use Local Denoise to best result + //soft denoise, user must use Local Denoise for best result Median med; if (evnoise < -18000.f) { med = Median::TYPE_5X5_STRONG; @@ -17545,7 +17545,7 @@ void ImProcFunctions::Lab_Local( const float a_scalemerg = (lp.highAmerg - lp.lowAmerg) / factor / scaling; const float b_scalemerg = (lp.highBmerg - lp.lowBmerg) / factor / scaling; - if (!lp.inv && (lp.chro != 0 || lp.ligh != 0.f || lp.cont != 0 || ctoning || lp.mergemet > 0 || lp.strcol != 0.f || lp.strcolab != 0.f || lp.qualcurvemet != 0 || lp.showmaskcolmet == 2 || lp.enaColorMask || lp.showmaskcolmet == 3 || lp.showmaskcolmet == 4 || lp.showmaskcolmet == 5 || lp.prevdE) && lp.colorena) { // || lllocalcurve)) { //interior ellipse renforced lightness and chroma //locallutili + if (!lp.inv && (lp.chro != 0 || lp.ligh != 0.f || lp.cont != 0 || ctoning || lp.mergemet > 0 || lp.strcol != 0.f || lp.strcolab != 0.f || lp.qualcurvemet != 0 || lp.showmaskcolmet == 2 || lp.enaColorMask || lp.showmaskcolmet == 3 || lp.showmaskcolmet == 4 || lp.showmaskcolmet == 5 || lp.prevdE) && lp.colorena) { // || lllocalcurve)) { //interior ellipse reinforced lightness and chroma //locallutili int ystart = rtengine::max(static_cast(lp.yc - lp.lyT) - cy, 0); int yend = rtengine::min(static_cast(lp.yc + lp.ly) - cy, original->H); int xstart = rtengine::max(static_cast(lp.xc - lp.lxL) - cx, 0); diff --git a/rtengine/ipwavelet.cc b/rtengine/ipwavelet.cc index 5ced9dbdd..18ee72b80 100644 --- a/rtengine/ipwavelet.cc +++ b/rtengine/ipwavelet.cc @@ -2032,7 +2032,7 @@ void ImProcFunctions::ip_wavelet(LabImage * lab, LabImage * dst, int kall, const } a = 327.68f * Chprov * sincosv.y; // apply Munsell - b = 327.68f * Chprov * sincosv.x; //aply Munsell + b = 327.68f * Chprov * sincosv.x; // apply Munsell } else {//general case L = labco->L[i1][j1]; const float Lin = std::max(0.f, L); diff --git a/rtgui/adjuster.cc b/rtgui/adjuster.cc index a2f96cac3..2beb429a8 100644 --- a/rtgui/adjuster.cc +++ b/rtgui/adjuster.cc @@ -198,7 +198,7 @@ void Adjuster::addAutoButton (const Glib::ustring &tooltip) autoChange = automatic->signal_toggled().connect( sigc::mem_fun(*this, &Adjuster::autoToggled) ); if (grid) { - // Hombre, adding the checbox next to the reset button because adding it next to the spin button (as before) + // Hombre, adding the checkbox next to the reset button because adding it next to the spin button (as before) // would diminish the available size for the label and would require a much heavier reorganization of the grid ! grid->attach_next_to(*automatic, *reset, Gtk::POS_RIGHT, 1, 1); } else { diff --git a/tools/osx/macosx_bundle.sh b/tools/osx/macosx_bundle.sh index 9b7042f1f..d0cbf4d6b 100644 --- a/tools/osx/macosx_bundle.sh +++ b/tools/osx/macosx_bundle.sh @@ -124,7 +124,7 @@ LOCAL_PREFIX="$(cmake .. -L -N | grep LOCAL_PREFIX)"; LOCAL_PREFIX="${LOCAL_PREF #Out: https:// etc. UNIVERSAL_URL="$(cmake .. -L -N | grep OSX_UNIVERSAL_URL)"; UNIVERSAL_URL="${UNIVERSAL_URL#*=}" if [[ -n $UNIVERSAL_URL ]]; then - echo "Univeral app is ON. The URL is ${UNIVERSAL_URL}" + echo "Universal app is ON. The URL is ${UNIVERSAL_URL}" fi #In: pkgcfg_lib_EXPAT_expat:FILEPATH=/opt/local/lib/libexpat.dylib @@ -313,7 +313,7 @@ install_name_tool -delete_rpath RawTherapee.app/Contents/Frameworks "${EXECUTABL install_name_tool -add_rpath /Applications/"${LIB}" "${EXECUTABLE}"-cli 2>/dev/null ditto "${EXECUTABLE}"-cli "${APP}"/.. -# Merge the app with the other archictecture to create the Universal app. +# Merge the app with the other architecture to create the Universal app. if [[ -n $UNIVERSAL_URL ]]; then msg "Getting Universal countercomponent." curl -L ${UNIVERSAL_URL} -o univ.zip From 8ad6cdaada292b561ac6a1208755e57eadc8770e Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Tue, 30 Aug 2022 15:18:06 +0200 Subject: [PATCH 103/170] Update Chinese (Simplified) (#6565) --- rtdata/languages/Chinese (Simplified) | 1467 +++++++++++++------------ 1 file changed, 734 insertions(+), 733 deletions(-) diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 187db8a39..9ed1e5709 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -6,6 +6,7 @@ #05 2017-09-18 Chongnuo Ji #06 2020-08-11 十一元人民币 #07 2021-09-24 十一元人民币 +#08 2022-07-26 十一元人民币 ABOUT_TAB_BUILD;版本 ABOUT_TAB_CREDITS;致谢名单 @@ -23,7 +24,7 @@ CURVEEDITOR_CURVE;曲线 CURVEEDITOR_CURVES;曲线 CURVEEDITOR_CUSTOM;自定义 CURVEEDITOR_DARKS;暗 -CURVEEDITOR_EDITPOINT_HINT;启用对于节点进/出值的编辑\n\n右击节点以选中\n右击空白处以取消选中节点 +CURVEEDITOR_EDITPOINT_HINT;启用对于节点进/出值的编辑\n\n右击选中节点\n右击空白处取消选中节点 CURVEEDITOR_HIGHLIGHTS;高光 CURVEEDITOR_LIGHTS;光 CURVEEDITOR_LINEAR;线性 @@ -55,8 +56,8 @@ DYNPROFILEEDITOR_NEW;新建 DYNPROFILEEDITOR_NEW_RULE;新建动态配置规则 DYNPROFILEEDITOR_PROFILE;处理配置规则 EDITWINDOW_TITLE;图片修改 -EDIT_OBJECT_TOOLTIP;在预览窗口中展示一个允许你调整本工具的可视窗口 -EDIT_PIPETTE_TOOLTIP;要向曲线添加调整点,点击此按钮,按住Ctrl键并用鼠标左键点击图像预览中你想调整的地方。\n要调整点的位置,按住Ctrl键并用鼠标左键点击图像预览中的对应位置,然后松开Ctrl(除非你希望精调)同时按住鼠标左键,将鼠标向上/下移动以上下调整曲线中的点 +EDIT_OBJECT_TOOLTIP;在预览窗口中显示一个允许你调整本工具的可视窗口 +EDIT_PIPETTE_TOOLTIP;若希望向曲线中添加一个调整点,请点击此按钮,按住Ctrl键并用鼠标左键点击图像预览中你想调整的地方。\n若要调整点的位置,请按住Ctrl键并用鼠标左键点击图像预览中的对应位置,然后松开Ctrl(除非你希望精调)同时按住鼠标左键,将鼠标向上/下移动以上下调整曲线中的点 EXIFFILTER_APERTURE;光圈 EXIFFILTER_CAMERA;相机 EXIFFILTER_EXPOSURECOMPENSATION;曝光补偿值 (EV) @@ -101,14 +102,14 @@ EXPORT_BYPASS_SHARPENEDGE;跳过边缘锐化 EXPORT_BYPASS_SHARPENING;跳过锐化 EXPORT_BYPASS_SHARPENMICRO;跳过微反差调节 EXPORT_FASTEXPORTOPTIONS;快速导出选项 -EXPORT_INSTRUCTIONS;快速导出选项提供跳过占用资源和时间的处理步骤的选项,并使用快速导出设定来进行队列处理。\n此方法推荐在优先追求速度,生成低分辨率图片时使用,或是调整尺寸的输出大小适合你想输出的图片,你又不想修改这些照片的后期处理设定时使用。 +EXPORT_INSTRUCTIONS;快速导出选项提供跳过占用资源和时间的处理步骤的选项,并使用快速导出设定来进行队列处理。\n此方法推荐在优先追求速度,生成低分辨率图片时使用;或是调整尺寸的图片大小适合你想得到的图片,并且又不想修改这些照片的后期处理参数时使用。 EXPORT_MAXHEIGHT;最大高度: EXPORT_MAXWIDTH;最大宽度: EXPORT_PIPELINE;输出流水线 -EXPORT_PUTTOQUEUEFAST; 放入快速导出队列 +EXPORT_PUTTOQUEUEFAST;放入快速导出队列 EXPORT_RAW_DMETHOD;去马赛克算法 EXPORT_USE_FAST_PIPELINE;专门(对缩放大小的图片应用全部处理) -EXPORT_USE_FAST_PIPELINE_TIP;使用专门的处理流水线来对图片进行处理,以牺牲质量来换取速度。对图片的缩放会尽早进行,而非在正常流水线中那样在最后进行。这能够大幅提升速度,但是用户可能会在输出的图片中看到杂点和较低的总体质量。 +EXPORT_USE_FAST_PIPELINE_TIP;使用专门的处理流水线来对图片进行处理,通过牺牲质量来换取速度。图片的缩小操作会提前,而非在正常流水线中那样在最后进行。这能够大幅提升速度,但是输出的图片中可能会杂点较多,画质较低。 EXPORT_USE_NORMAL_PIPELINE;标准(跳过某些步骤,并在最后缩放图片) EXTPROGTARGET_1;raw EXTPROGTARGET_2;队列已处理 @@ -117,7 +118,7 @@ FILEBROWSER_APPLYPROFILE_PARTIAL;部分应用配置 FILEBROWSER_AUTODARKFRAME;自动暗场 FILEBROWSER_AUTOFLATFIELD;自动平场 FILEBROWSER_BROWSEPATHBUTTONHINT;点击以打开路径,刷新文件夹并搜索“查找”框中的关键词 -FILEBROWSER_BROWSEPATHHINT;输入你想前往的路径。\n\n快捷键:\nCtrl-o 让文本框获得焦点\nEnter / Ctrl-Enter 前往输入的目录\nEsc 清除改动\nShift-Esc 让文本框失去焦点\n\n路径快捷键:\n~ - 用户的home/文档路径\n! - 用户的图片路径 +FILEBROWSER_BROWSEPATHHINT;输入你希望前往的路径。\n\n快捷键:\nCtrl-o 让文本框获得焦点\nEnter / Ctrl-Enter 前往输入的目录\nEsc 清除改动\nShift-Esc 让文本框失去焦点\n\n路径快捷键:\n~ - 用户的home/文档路径\n! - 用户的图片路径 FILEBROWSER_CACHE;缓存 FILEBROWSER_CACHECLEARFROMFULL;清除全部,包括缓存文件 FILEBROWSER_CACHECLEARFROMPARTIAL;清除全部,不包括缓存文件 @@ -241,16 +242,16 @@ GENERAL_PORTRAIT;纵向 GENERAL_RESET;重置 GENERAL_SAVE;保存 GENERAL_SLIDER;滑条 -GENERAL_UNCHANGED;(不改变) +GENERAL_UNCHANGED;(无改变) GENERAL_WARNING;警告 -GIMP_PLUGIN_INFO;欢迎使用RawTherapee的GIMP插件!\n当你完成编辑后,关闭RawTherapee主窗口,图片就会被自动导入到GIMP中 +GIMP_PLUGIN_INFO;欢迎使用RawTherapee的GIMP插件!\n完成编辑后,只要关闭RawTherapee主窗口,图片就会被自动导入到GIMP当中 HISTOGRAM_TOOLTIP_B;显示/隐藏 蓝色直方图 HISTOGRAM_TOOLTIP_BAR;显示/隐藏RGB指示条 HISTOGRAM_TOOLTIP_CHRO;显示/隐藏色度直方图 -HISTOGRAM_TOOLTIP_G;显示/隐藏 绿色直方图 -HISTOGRAM_TOOLTIP_L;显示/隐藏 CIELAB 亮度直方图 +HISTOGRAM_TOOLTIP_G;显示/隐藏绿色直方图 +HISTOGRAM_TOOLTIP_L;显示/隐藏CIELAB亮度直方图 HISTOGRAM_TOOLTIP_MODE;将直方图显示模式切换为线性/对数线性/双对数 -HISTOGRAM_TOOLTIP_R;显示/隐藏 红色直方图 +HISTOGRAM_TOOLTIP_R;显示/隐藏红色直方图 HISTORY_CHANGED;已更改 HISTORY_CUSTOMCURVE;自定义曲线 HISTORY_FROMCLIPBOARD;从剪贴板 @@ -406,43 +407,43 @@ HISTORY_MSG_166;曝光-重置 HISTORY_MSG_167;去马赛克方法 HISTORY_MSG_168;L*a*b*-CC曲线 HISTORY_MSG_169;L*a*b*-CH曲线 -HISTORY_MSG_170;Vibrance-HH曲线 +HISTORY_MSG_170;鲜明度-HH曲线 HISTORY_MSG_171;L*a*b*-LC曲线 HISTORY_MSG_172;L*a*b*-限制LC HISTORY_MSG_173;降噪-细节恢复 -HISTORY_MSG_174;CIECAM02 -HISTORY_MSG_175;CAM02-CAT02色适应 -HISTORY_MSG_176;CAM02-观察条件 -HISTORY_MSG_177;CAM02-场景亮度 -HISTORY_MSG_178;CAM02-观察亮度 -HISTORY_MSG_179;CAM02-白点模型 -HISTORY_MSG_180;CAM02-明度 (J) -HISTORY_MSG_181;CAM02-彩度 (C) -HISTORY_MSG_182;CAM02-自动CAT02 -HISTORY_MSG_183;CAM02-对比度 (J) -HISTORY_MSG_184;CAM02-场景环境 -HISTORY_MSG_185;CAM02-色域控制 -HISTORY_MSG_186;CAM02-算法 -HISTORY_MSG_187;CAM02-红色/肤色保护 -HISTORY_MSG_188;CAM02-视明度 (Q) -HISTORY_MSG_189;CAM02-对比度 (Q) -HISTORY_MSG_190;CAM02-饱和度 (S) -HISTORY_MSG_191;CAM02-视彩度 (M) -HISTORY_MSG_192;CAM02-色相 (h) -HISTORY_MSG_193;CAM02-色调曲线1 -HISTORY_MSG_194;CAM02-色调曲线2 -HISTORY_MSG_195;CAM02-色调曲线1 -HISTORY_MSG_196;CAM02-色调曲线2 -HISTORY_MSG_197;CAM02-色彩曲线 -HISTORY_MSG_198;CAM02-色彩曲线 -HISTORY_MSG_199;CAM02-输出直方图 -HISTORY_MSG_200;CAM02-色调映射 +HISTORY_MSG_174;CIECAM02/16 +HISTORY_MSG_175;CAM02/16-CAT02/16色适应 +HISTORY_MSG_176;CAM02/16-观察条件 +HISTORY_MSG_177;CAM02/16-场景亮度 +HISTORY_MSG_178;CAM02/16-观察亮度 +HISTORY_MSG_179;CAM02/16-白点模型 +HISTORY_MSG_180;CAM02/16-明度 (J) +HISTORY_MSG_181;CAM02/16-彩度 (C) +HISTORY_MSG_182;CAM02/16-自动CAT02/16 +HISTORY_MSG_183;CAM02/16-对比度 (J) +HISTORY_MSG_184;CAM02/16-场景条件 +HISTORY_MSG_185;CAM02/16-色域控制 +HISTORY_MSG_186;CAM02/16-算法 +HISTORY_MSG_187;CAM02/16-红色/肤色保护 +HISTORY_MSG_188;CAM02/16-视明度 (Q) +HISTORY_MSG_189;CAM02/16-对比度 (Q) +HISTORY_MSG_190;CAM02/16-饱和度 (S) +HISTORY_MSG_191;CAM02/16-视彩度 (M) +HISTORY_MSG_192;CAM02/16-色相 (h) +HISTORY_MSG_193;CAM02/16-色调曲线1 +HISTORY_MSG_194;CAM02/16-色调曲线2 +HISTORY_MSG_195;CAM02/16-色调曲线1 +HISTORY_MSG_196;CAM02/16-色调曲线2 +HISTORY_MSG_197;CAM02/16-色彩曲线 +HISTORY_MSG_198;CAM02/16-色彩曲线 +HISTORY_MSG_199;CAM02/16-输出直方图 +HISTORY_MSG_200;CAM02/16-色调映射 HISTORY_MSG_201;降噪-色度-红&绿 HISTORY_MSG_202;降噪-色度-蓝&黄 HISTORY_MSG_203;降噪-色彩空间 HISTORY_MSG_204;LMMSE优化步长 -HISTORY_MSG_205;CAM02-热像素/坏点过滤器 -HISTORY_MSG_206;CAT02-自动场景亮度 +HISTORY_MSG_205;CAM02/16-热像素/坏点过滤器 +HISTORY_MSG_206;CAT02/16-自动场景亮度 HISTORY_MSG_207;去除色边-色相曲线 HISTORY_MSG_208;白平衡-蓝红均衡器 HISTORY_MSG_210;渐变-角度 @@ -540,10 +541,10 @@ HISTORY_MSG_310;小波-残差图-肤色保护 HISTORY_MSG_311;小波-小波层级 HISTORY_MSG_312;小波-残差图-阴影阈值 HISTORY_MSG_315;小波-残差图-反差 -HISTORY_MSG_318;小波-反差-高光等级 -HISTORY_MSG_319;小波-反差-高光范围 -HISTORY_MSG_320;小波-反差-阴影范围 -HISTORY_MSG_321;小波-反差-阴影等级 +HISTORY_MSG_318;小波-反差-精细等级 +HISTORY_MSG_319;小波-反差-精细范围 +HISTORY_MSG_320;小波-反差-粗糙范围 +HISTORY_MSG_321;小波-反差-粗糙等级 HISTORY_MSG_338;小波-边缘锐度-半径 HISTORY_MSG_339;小波-边缘锐度-力度 HISTORY_MSG_340;小波-力度 @@ -585,15 +586,15 @@ HISTORY_MSG_472;像素偏移-顺滑过渡 HISTORY_MSG_473;像素偏移-使用LMMSE HISTORY_MSG_474;像素偏移-亮度均等 HISTORY_MSG_475;像素偏移-均等各通道 -HISTORY_MSG_476;CAM02-色温 -HISTORY_MSG_477;CAM02-绿色 -HISTORY_MSG_478;CAM02-平均亮度 -HISTORY_MSG_479;CAM02-CAT02色适应 -HISTORY_MSG_480;CAM02-自动CAT02 -HISTORY_MSG_481;CAM02-场景色温 -HISTORY_MSG_482;CAM02-场景绿色 -HISTORY_MSG_483;CAM02-场景平均亮度 -HISTORY_MSG_484;CAM02-自动场景亮度 +HISTORY_MSG_476;CAM02/16-输出色温 +HISTORY_MSG_477;CAM02/16-输出绿色 +HISTORY_MSG_478;CAM02/16-输出平均亮度 +HISTORY_MSG_479;CAM02/16-输出CAT02/16色适应 +HISTORY_MSG_480;CAM02/16-输出自动CAT02/16 +HISTORY_MSG_481;CAM02/16-场景色温 +HISTORY_MSG_482;CAM02/16-场景绿色 +HISTORY_MSG_483;CAM02/16-场景平均亮度 +HISTORY_MSG_484;CAM02/16-场景自动亮度 HISTORY_MSG_485;镜头矫正 HISTORY_MSG_486;镜头矫正-相机 HISTORY_MSG_487;镜头矫正-镜头 @@ -708,7 +709,7 @@ MAIN_MSG_CANNOTSAVE;文件保存中出错 MAIN_MSG_CANNOTSTARTEDITOR;无法启动编辑器 MAIN_MSG_CANNOTSTARTEDITOR_SECONDARY;请在“参数设置”中设置正确的路径 MAIN_MSG_EMPTYFILENAME;未指定文件名! -MAIN_MSG_NAVIGATOR;导航器 +MAIN_MSG_NAVIGATOR;导航窗 MAIN_MSG_OPERATIONCANCELLED;取消 MAIN_MSG_PATHDOESNTEXIST;路径\n\n%1\n\n不存在。请在参数设置中设定正确的路径 MAIN_MSG_QOVERWRITE;是否覆盖? @@ -745,7 +746,7 @@ MAIN_TOOLTIP_HIDEHP;显示/隐藏左面板(包含历史,快捷键:H) MAIN_TOOLTIP_INDCLIPPEDH;高光溢出提示 MAIN_TOOLTIP_INDCLIPPEDS;阴影不足提示 MAIN_TOOLTIP_PREVIEWB;预览蓝色通道\n快捷键:b -MAIN_TOOLTIP_PREVIEWFOCUSMASK;预览合焦蒙版\n快捷键:Shift-f\n\n在浅景深,噪点少,放大得大的图片中更加精准\n在噪点多的图像中,把图片缩放到10%-30%以提升检测精准度 +MAIN_TOOLTIP_PREVIEWFOCUSMASK;预览合焦蒙版\n快捷键:Shift-f\n\n在景深浅,噪点少,放大得大的图片中更加精准\n在噪点多的图像中,把图片缩放到10%-30%以提升检测精准度 MAIN_TOOLTIP_PREVIEWG;预览绿色通道\n快捷键:g MAIN_TOOLTIP_PREVIEWL;预览亮度\n快捷键:v\n\n0.299*R + 0.587*G + 0.114*B MAIN_TOOLTIP_PREVIEWR;预览红色通道\n快捷键:r @@ -778,7 +779,7 @@ PARTIALPASTE_CACORRECTION;色彩矫正 PARTIALPASTE_CHANNELMIXER;通道混合器 PARTIALPASTE_CHANNELMIXERBW;黑白 PARTIALPASTE_COARSETRANS;90°旋转/翻转 -PARTIALPASTE_COLORAPP;CIECAM02 +PARTIALPASTE_COLORAPP;CIECAM02/16 PARTIALPASTE_COLORGROUP;色彩相关设定 PARTIALPASTE_COLORTONING;色调 PARTIALPASTE_COMMONTRANSFORMPARAMS;自动填充 @@ -794,9 +795,9 @@ PARTIALPASTE_DIRPYRDENOISE;降噪 PARTIALPASTE_DIRPYREQUALIZER;分频反差调整 PARTIALPASTE_DISTORTION;畸变矫正 PARTIALPASTE_EPD;色调映射 -PARTIALPASTE_EQUALIZER;小波变换层级 +PARTIALPASTE_EQUALIZER;小波层级 PARTIALPASTE_EVERYTHING;全部 -PARTIALPASTE_EXIFCHANGES;对exif所做的修改 +PARTIALPASTE_EXIFCHANGES;Exif PARTIALPASTE_EXPOSURE;曝光 PARTIALPASTE_FILMNEGATIVE;胶片负片 PARTIALPASTE_FILMSIMULATION;胶片模拟 @@ -847,7 +848,7 @@ PARTIALPASTE_SHARPENING;锐化 PARTIALPASTE_SHARPENMICRO;微反差 PARTIALPASTE_SOFTLIGHT;柔光 PARTIALPASTE_TM_FATTAL;动态范围压缩 -PARTIALPASTE_VIBRANCE;鲜艳度 +PARTIALPASTE_鲜明度;鲜艳度 PARTIALPASTE_VIGNETTING;暗角矫正 PARTIALPASTE_WHITEBALANCE;白平衡 PREFERENCES_ADD;相加 @@ -855,7 +856,7 @@ PREFERENCES_APPEARANCE;外观 PREFERENCES_APPEARANCE_COLORPICKERFONT;拾色器字体 PREFERENCES_APPEARANCE_CROPMASKCOLOR;裁剪蒙版颜色 PREFERENCES_APPEARANCE_MAINFONT;主字体 -PREFERENCES_APPEARANCE_NAVGUIDECOLOR;导航器图框颜色 +PREFERENCES_APPEARANCE_NAVGUIDECOLOR;导航窗图框颜色 PREFERENCES_APPEARANCE_PSEUDOHIDPI;伪-高DPI模式 PREFERENCES_APPEARANCE_THEME;主题 PREFERENCES_APPLNEXTSTARTUP;下次启动生效 @@ -938,11 +939,11 @@ PREFERENCES_INTERNALTHUMBIFUNTOUCHED;如果RAW文件没有被修改,显示内 PREFERENCES_LANG;语言 PREFERENCES_LANGAUTODETECT;使用系统语言 PREFERENCES_MAXRECENTFOLDERS;最近访问路径历史记录数 -PREFERENCES_MENUGROUPEXTPROGS;组合“打开方式” -PREFERENCES_MENUGROUPFILEOPERATIONS;组合“文件操作” -PREFERENCES_MENUGROUPLABEL;组合“色彩标签” -PREFERENCES_MENUGROUPPROFILEOPERATIONS;组合“后期档案操作” -PREFERENCES_MENUGROUPRANK;组合“评级” +PREFERENCES_MENUGROUPEXTPROGS;合并“打开方式” +PREFERENCES_MENUGROUPFILEOPERATIONS;合并“文件操作” +PREFERENCES_MENUGROUPLABEL;合并“色彩标签” +PREFERENCES_MENUGROUPPROFILEOPERATIONS;合并“后期档案操作” +PREFERENCES_MENUGROUPRANK;合并“评级” PREFERENCES_MENUOPTIONS;右键子菜单选项 PREFERENCES_MONINTENT;默认渲染意图 PREFERENCES_MONITOR;显示器 @@ -950,7 +951,7 @@ PREFERENCES_MONPROFILE;默认色彩配置文件 PREFERENCES_MONPROFILE_WARNOSX;受MacOS限制, 仅支持sRGB PREFERENCES_MULTITAB;多编辑器标签模式 PREFERENCES_MULTITABDUALMON;多编辑器标签,标签独立模式 -PREFERENCES_NAVIGATIONFRAME;导航器 +PREFERENCES_NAVIGATIONFRAME;导航窗 PREFERENCES_OVERLAY_FILENAMES;在文件浏览器的缩略图上显示文件名 PREFERENCES_OVERLAY_FILENAMES_FILMSTRIP;在编辑器的缩略图上显示文件名 PREFERENCES_OVERWRITEOUTPUTFILE;覆盖已存在的输出文件 @@ -984,7 +985,7 @@ PREFERENCES_PRTINTENT;渲染意图 PREFERENCES_PRTPROFILE;色彩配置文件 PREFERENCES_PSPATH;Adobe Photoshop安装路径 PREFERENCES_REMEMBERZOOMPAN;记忆图片的缩放和拖动位置 -PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;当打开新图片时,记忆上一张图片放大的百分比和被拖动到的位置。\n\n这个选项仅在使用“单编辑器模式”且“小于100%缩放查看时使用的去马赛克方法”被设为“与PP3相同”时才有效 +PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;当打开新图片时,记忆上一张图片的放大百分比和拖移位置。\n\n此选项仅在使用“单编辑器模式”且“小于100%缩放查看时使用的去马赛克方法”被设为“与PP3相同”时才有效 PREFERENCES_SAVE_TP_OPEN_NOW;保存工具的展开/折叠状态 PREFERENCES_SELECTLANG;选择语言 PREFERENCES_SERIALIZE_TIFF_READ;TIFF读取设定 @@ -1017,7 +1018,7 @@ PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;若内嵌JPEG为全尺 PREFERENCES_TP_LABEL;工具栏 PREFERENCES_TP_VSCROLLBAR;隐藏垂直滚动条 PREFERENCES_USEBUNDLEDPROFILES;启用内置预设 -PREFERENCES_WORKFLOW;排版 +PREFERENCES_WORKFLOW;软件界面 PROFILEPANEL_COPYPPASTE;要复制的参数 PROFILEPANEL_GLOBALPROFILES;附带档案 PROFILEPANEL_LABEL;处理参数配置 @@ -1171,41 +1172,41 @@ TP_COLORAPP_ALGO_TOOLTIP;你可以选择子项参数或全部参数 TP_COLORAPP_BADPIXSL;热像素/坏点过滤器 TP_COLORAPP_BADPIXSL_TOOLTIP;对热像素/坏点(非常亮的色彩)的抑制\n0 = 没有效果\n1 = 中值\n2 = 高斯\n也可以调整图像以避免有极暗的阴影。\n\n这些杂点是CIECAM02的局限性而导致的 TP_COLORAPP_BRIGHT;视明度 (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM的视明度考虑了白色的明度,且与Lab和RGB的亮度不同 -TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;当手动设置时,推荐设置大于65的值 +TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM的视明度指的是人对于刺激物的感知亮度,与Lab和RGB的亮度不同 +TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;当手动设置时,推荐使用大于65的值 TP_COLORAPP_CHROMA;彩度 (C) TP_COLORAPP_CHROMA_M;视彩度 (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM的视彩度与Lab和RGB的视彩度(Colorfulness)不同 +TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM的视彩度是相对灰色而言,人所感知到的色彩量,是一个指示某个刺激物在感官上的色彩强弱的参数。 TP_COLORAPP_CHROMA_S;饱和度 (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM的饱和度与Lab和RGB的饱和度不同 -TP_COLORAPP_CHROMA_TOOLTIP;CIECAM的彩度与Lab和RGB的彩度(Chroma)不同 -TP_COLORAPP_CIECAT_DEGREE;CAT02 色适应 +TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM的饱和度对应着某个刺激物的视彩度与其自身视明度之比,与Lab和RGB的饱和度不同 +TP_COLORAPP_CHROMA_TOOLTIP;CIECAM的彩度对应着刺激物的视彩度与相同条件下的白色刺激物的亮度之比,与Lab和RGB的彩度(Chroma)不同 +TP_COLORAPP_CIECAT_DEGREE;CAT02/16色适应 TP_COLORAPP_CONTRAST;对比度 (J) TP_COLORAPP_CONTRAST_Q;对比度 (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;与Lab和RGB的对比度不同 -TP_COLORAPP_CONTRAST_TOOLTIP;与Lab和RGB的对比度不同 +TP_COLORAPP_CONTRAST_Q_TOOLTIP;CIECAM的对比度 (Q)以视明度为基准,与Lab和RGB的对比度不同 +TP_COLORAPP_CONTRAST_TOOLTIP;与CIECAM的对比度 (J)以明度为基准,Lab和RGB的对比度不同 TP_COLORAPP_CURVEEDITOR1;色调曲线1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;显示在CIECAM02应用前的L*(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02输出直方图”,则显示CIECAM02应用后的J或Q直方图。\n\n主直方图面板不会显示J和Q的直方图\n\n最终的输出结果请参考主直方图面板 +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;显示在CIECAM02/16应用前的L*(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02/16输出直方图”,则显示CIECAM02/16应用后的J直方图。\n\n主直方图面板不会显示J的直方图\n\n最终的输出结果请参考主直方图面板 TP_COLORAPP_CURVEEDITOR2;色调曲线2 -TP_COLORAPP_CURVEEDITOR2_TOOLTIP;与第二条曝光色调曲线的使用方法相同 +TP_COLORAPP_CURVEEDITOR2_TOOLTIP;与第一条J(J)色调曲线的使用方法相同 TP_COLORAPP_CURVEEDITOR3;色彩曲线 -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;调整彩度,饱和度或视彩度。\n\n显示在CIECAM02应用前的色度(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02输出直方图”,则显示CIECAM02应用后的C,s或M直方图。\n\n主直方图面板不会显示C,s和M的直方图\n最终的输出结果请参考主直方图面板 -TP_COLORAPP_DATACIE;在曲线中显示CIECAM02输出直方图 -TP_COLORAPP_DATACIE_TOOLTIP;启用后,CIECAM02直方图中会显示CIECAM02应用后的J或Q,以及C,s或M的大概值/范围。\n勾选此选项不会影响主直方图\n\n关闭选项后,CIECAM02直方图中会显示CIECAM02应用前的L*a*b*值 -TP_COLORAPP_FREE;自由色温+绿色+CAT02+[输出] +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;调整彩度,饱和度或视彩度。\n\n显示在CIECAM02/16应用前的色度(L*a*b*)通道直方图。\n若勾选“在曲线中显示CIECAM02/16输出直方图”,则显示CIECAM02/16应用后的C,S或M直方图。\n\n主直方图面板不会显示C,s和M的直方图\n最终的输出结果请参考主直方图面板 +TP_COLORAPP_DATACIE;在曲线中显示CIECAM02/16输出直方图 +TP_COLORAPP_DATACIE_TOOLTIP;启用后,CIECAM02/16直方图中会显示CIECAM02/16应用后的J,以及C,S或M的大概值/范围。\n勾选此选项不会影响主直方图\n\n关闭选项后,CIECAM02/16直方图中会显示CIECAM02/16应用前的L*a*b*值 +TP_COLORAPP_FREE;自由色温+色调+CAT02/16+[输出] TP_COLORAPP_GAMUT;色域控制(L*a*b*) TP_COLORAPP_GAMUT_TOOLTIP;允许在L*a*b*模式下进行色域控制 TP_COLORAPP_HUE;色相(h) -TP_COLORAPP_HUE_TOOLTIP;色相(h)-0°至360°之间的一个角度 -TP_COLORAPP_LABEL;CIE色貌模型02 +TP_COLORAPP_HUE_TOOLTIP;色相(h)是一个刺激物可以被描述为接近于红,绿,蓝,黄色的一个角度 +TP_COLORAPP_LABEL;CIE色貌模型02/16 TP_COLORAPP_LABEL_CAM02;图像调整 TP_COLORAPP_LABEL_SCENE;场景条件 TP_COLORAPP_LABEL_VIEWING;观察条件 TP_COLORAPP_LIGHT;明度 (J) -TP_COLORAPP_LIGHT_TOOLTIP; CIECAM02,Lab与RGB中的“明度”意义是不同的 +TP_COLORAPP_LIGHT_TOOLTIP; CIECAM02/16中的“明度”指一个刺激物的清晰度与相似观察条件下的白色物体清晰度之相对值,与Lab和RGB的“明度”意义不同 TP_COLORAPP_MEANLUMINANCE;平均亮度(Yb%) TP_COLORAPP_MODEL;白点模型 -TP_COLORAPP_MODEL_TOOLTIP;白平衡[RT]+[输出]:RT的白平衡被应用到场景,CIECAM02被设为D50,输出设备的白平衡被设置为观察条件\n\n白平衡[RT+CAT02]+[输出]:CAT02使用RT的白平衡设置,输出设备的白平衡被设置为观察条件\n\n自由色温+绿色+CAT02+[输出]:用户指定色温和绿色,输出设备的白平衡被设置为观察条件 +TP_COLORAPP_MODEL_TOOLTIP;白平衡[RT]+[输出]:RT的白平衡被应用到场景,CIECAM02/16被设为D50,输出设备的白平衡被设置为观察条件\n\n白平衡[RT+CAT02/16]+[输出]:CAT02/16使用RT的白平衡设置,输出设备的白平衡被设置为观察条件\n\n自由色温+色调+CAT02/16+[输出]:用户指定色温和色调,输出设备的白平衡被设置为观察条件 TP_COLORAPP_NEUTRAL;重置 TP_COLORAPP_NEUTRAL_TIP;将所有复选框、滑条和曲线还原到默认状态 TP_COLORAPP_RSTPRO;红色与肤色保护 @@ -1224,10 +1225,10 @@ TP_COLORAPP_TCMODE_LABEL2;曲线模式2 TP_COLORAPP_TCMODE_LABEL3;曲线彩度模式 TP_COLORAPP_TCMODE_LIGHTNESS;明度 TP_COLORAPP_TCMODE_SATUR;饱和度 -TP_COLORAPP_TONECIE;使用CIECAM02进行色调映射 +TP_COLORAPP_TONECIE;使用CIECAM02/16进行色调映射 TP_COLORAPP_TONECIE_TOOLTIP;禁用此选项,色调映射会在L*a*b*色彩空间中进行。\n启用此选项,色调映射会使用CIECAM进行。\n你需要启用色调映射工具来令此选项生效 TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;观察环境的绝对亮度(一般为16 cd/m²) -TP_COLORAPP_WBCAM;白平衡[RT+CAT02]+[输出] +TP_COLORAPP_WBCAM;白平衡[RT+CAT02/16]+[输出] TP_COLORAPP_WBRT;白平衡[RT]+[输出] TP_COLORTONING_AUTOSAT;自动 TP_COLORTONING_BALANCE;平衡 @@ -1238,7 +1239,7 @@ TP_COLORTONING_HIGHLIGHT;高光 TP_COLORTONING_HUE;色相 TP_COLORTONING_LAB;L*a*b*混合 TP_COLORTONING_LABEL;色调分离 -TP_COLORTONING_LABGRID;L*a*b*色彩矫正矩阵 +TP_COLORTONING_LABGRID;L*a*b*色彩矫正网格 TP_COLORTONING_LABREGIONS;色彩矫正区域 TP_COLORTONING_LABREGION_CHANNEL;通道 TP_COLORTONING_LABREGION_CHANNEL_ALL;全部 @@ -1351,7 +1352,7 @@ TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;权重L* (小) + a*b* (正常) TP_DIRPYRDENOISE_MEDIAN_PASSES;中值迭代 TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;使用3x3窗口进行三次中值迭代通常比使用7x7窗口进行一次迭代的效果更好 TP_DIRPYRDENOISE_MEDIAN_TYPE;中值类型 -TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;使用你想要的窗口大小的中值滤波器。窗口大小越大,处理用时越长。\n3×3柔和:处理3x3窗口中的5个像素。\n3x3:处理3x3窗口里面的9个像素。\n5x5柔和:处理5x5窗口中的13个像素。\n5x5:处理5x5窗口中的25个像素。\n7x7:处理7x7窗口中的49个像素。\n9x9:处理9x9窗口中的81个像素。\n\n有时使用小窗口进行多次迭代的效果会优于使用大窗口进行一次迭代的效果 +TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;使用你想要的窗口大小的中值滤波器。窗口大小越大,处理用时越长。\n3×3柔和:处理3x3窗口中的5个像素。\n3x3:处理3x3窗口中的9个像素。\n5x5柔和:处理5x5窗口中的13个像素。\n5x5:处理5x5窗口中的25个像素。\n7x7:处理7x7窗口中的49个像素。\n9x9:处理9x9窗口中的81个像素。\n\n有时使用小窗口进行多次迭代的效果会优于使用大窗口进行一次迭代的效果 TP_DIRPYRDENOISE_TYPE_3X3;3×3 TP_DIRPYRDENOISE_TYPE_3X3SOFT;3×3柔和 TP_DIRPYRDENOISE_TYPE_5X5;5×5 @@ -1410,7 +1411,7 @@ TP_EXPOS_BLACKPOINT_LABEL;Raw黑点 TP_EXPOS_WHITEPOINT_LABEL;Raw白点 TP_FILMNEGATIVE_BLUE;蓝色比例 TP_FILMNEGATIVE_GREEN;参照指数(反差) -TP_FILMNEGATIVE_GUESS_TOOLTIP;通过选取原图中的两个中性色(没有色彩)色块来自动确定红与蓝色的比例。两个色块的亮度应该有差别。在此之后再设置白平衡 +TP_FILMNEGATIVE_GUESS_TOOLTIP;通过选取原图中的两个中性色(没有色彩)色块来自动确定红与蓝色的比例。两个色块的亮度应当有所差别。 TP_FILMNEGATIVE_LABEL;胶片负片 TP_FILMNEGATIVE_PICK;选择(两个)中灰点 TP_FILMNEGATIVE_RED;红色比例 @@ -1591,7 +1592,7 @@ TP_RAW_HPHD;HPHD TP_RAW_IGV;IGV TP_RAW_IMAGENUM;子图像 TP_RAW_IMAGENUM_SN;SN模式 -TP_RAW_IMAGENUM_TOOLTIP;某些Raw文件包含多张子图像(宾得/索尼的像素偏移,宾得的3张合并HDR,佳能的双像素,富士的EXR)。\n\n当使用除像素偏移外的任意一个去马赛克算法时,本栏用来选择哪帧子图像被处理。\n\n当在像素偏移的Raw文件上使用像素偏移去马赛克算法时,所有子图像都会被应用,此时本栏用来选择哪帧子图像被用来处理动体 +TP_RAW_IMAGENUM_TOOLTIP;某些Raw文件包含多张子图像(宾得/索尼的像素偏移,宾得的3张合并HDR,佳能的双像素,富士的EXR)。\n\n当使用除像素偏移外的任意一个去马赛克算法时,本栏用来选择哪帧子图像被处理。\n\n当在像素偏移Raw文件上使用像素偏移去马赛克算法时,所有子图像都会被使用,此时本栏用来选择哪帧子图像被用来处理动体 TP_RAW_LABEL;去马赛克 TP_RAW_LMMSE;LMMSE TP_RAW_LMMSEITERATIONS;LMMSE优化步长 @@ -1772,20 +1773,20 @@ TP_WAVELET_EDSL;阈值滑条 TP_WAVELET_EDTYPE;局部反差调整方法 TP_WAVELET_EDVAL;力度 TP_WAVELET_FINEST;最精细 -TP_WAVELET_HIGHLIGHT;高光亮度范围 +TP_WAVELET_HIGHLIGHT;精细层级范围 TP_WAVELET_HS1;全部亮度范围 -TP_WAVELET_HS2;阴影/高光 +TP_WAVELET_HS2;选择性亮度范围 TP_WAVELET_HUESKIN;肤色和其它色彩 -TP_WAVELET_HUESKY;天空色 +TP_WAVELET_HUESKY;色相范围 TP_WAVELET_LABEL;小波层级 TP_WAVELET_LARGEST;最粗糙 TP_WAVELET_LEVCH;色度 TP_WAVELET_LEVDIR_ALL;所有方向的全部层级 -TP_WAVELET_LEVDIR_INF;小于等于此层级 +TP_WAVELET_LEVDIR_INF;更精细的细节层级(包括此层级) TP_WAVELET_LEVDIR_ONE;一个层级 -TP_WAVELET_LEVDIR_SUP;高于此层级 +TP_WAVELET_LEVDIR_SUP;更粗糙的细节层级(不包括此层级) TP_WAVELET_LEVELS;小波层级数 -TP_WAVELET_LEVELS_TOOLTIP;选择将图像分解为几个层级的细节。更多的层级需要使用更多的内存和更长的处理时间 +TP_WAVELET_LEVELS_TOOLTIP;选择将图像进行小波分解后生成的层级数量。\n更多的层级需要使用更多的内存和更长的处理时间 TP_WAVELET_LEVF;反差 TP_WAVELET_LEVLABEL;当前预览中可见的层级数 = %1 TP_WAVELET_LEVONE;第2级 @@ -1814,8 +1815,8 @@ TP_WAVELET_RESID;残差图像 TP_WAVELET_SETTINGS;小波设定 TP_WAVELET_SKIN;肤色针对/保护 TP_WAVELET_SKIN_TOOLTIP;值为-100时,肤色受针对\n值为0时,所有色彩被平等针对\n值为+100时,肤色受保护,所有其他颜色会被调整 -TP_WAVELET_SKY;天空色针对/保护 -TP_WAVELET_SKY_TOOLTIP;值为-100时,天空色受针对\n值为0时,所有色彩被平等针对\n值为+100时,天空色受保护,所有其他颜色会被调整 +TP_WAVELET_SKY;色相针对/保护 +TP_WAVELET_SKY_TOOLTIP;允许你针对或保护某个范围的色相。\n值为-100时,被选中的色相受针对\n值为0时,所有色相会被平等针对\n值为+100时,被选中色相受保护,其他所有色相受到针对 TP_WAVELET_STREN;力度 TP_WAVELET_STRENGTH;力度 TP_WAVELET_SUPE;额外级 @@ -1867,19 +1868,19 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!FILEBROWSER_POPUPINSPECT;Inspect -!GENERAL_DELETE_ALL;Delete all -!GENERAL_EDIT;Edit -!GENERAL_SAVE_AS;Save as... -!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. -!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. -!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. -!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram -!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram -!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade -!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope -!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope -!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +FILEBROWSER_POPUPINSPECT;检视 +GENERAL_DELETE_ALL;删除全部 +GENERAL_EDIT;编辑 +GENERAL_SAVE_AS;保存为... +HISTOGRAM_TOOLTIP_CROSSHAIR;显示/隐藏指示光标 +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;显示/隐藏示波器选项 +HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;调整示波器亮度 +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;直方图 +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw直方图 +HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB示波器 +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;色相-色度矢量示波器 +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;色相-饱和度矢量示波器 +HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;波形图 !HISTORY_MSG_112;--unused-- !HISTORY_MSG_133;Output gamma !HISTORY_MSG_134;Free gamma @@ -1890,13 +1891,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_139;Black level - Blue !HISTORY_MSG_140;Black level - Green 2 !HISTORY_MSG_141;Black level - Link greens -!HISTORY_MSG_150;Post-demosaic artifact/noise red. -!HISTORY_MSG_151;Vibrance -!HISTORY_MSG_152;Vib - Pastel tones -!HISTORY_MSG_153;Vib - Saturated tones -!HISTORY_MSG_154;Vib - Protect skin-tones -!HISTORY_MSG_156;Vib - Link pastel/saturated -!HISTORY_MSG_157;Vib - P/S threshold +HISTORY_MSG_150;去马赛克后降噪/去杂点 +HISTORY_MSG_151;鲜明度 +HISTORY_MSG_152;鲜明-欠饱和色 +HISTORY_MSG_153;鲜明-饱和色 +HISTORY_MSG_154;鲜明-肤色保护 +HISTORY_MSG_156;鲜明-饱和/欠饱和挂钩 +HISTORY_MSG_157;鲜明-饱/欠阈值 !HISTORY_MSG_236;--unused-- !HISTORY_MSG_250;NR - Enhanced !HISTORY_MSG_274;CT - Sat. Shadows @@ -1906,50 +1907,50 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_291;Black Level - Green !HISTORY_MSG_292;Black Level - Blue !HISTORY_MSG_300;- -!HISTORY_MSG_313;W - Chroma - Sat/past -!HISTORY_MSG_314;W - Gamut - Reduce artifacts -!HISTORY_MSG_316;W - Gamut - Skin tar/prot -!HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_322;W - Gamut - Avoid color shift -!HISTORY_MSG_323;W - ES - Local contrast -!HISTORY_MSG_324;W - Chroma - Pastel -!HISTORY_MSG_325;W - Chroma - Saturated -!HISTORY_MSG_326;W - Chroma - Method -!HISTORY_MSG_327;W - Contrast - Apply to -!HISTORY_MSG_328;W - Chroma - Link strength -!HISTORY_MSG_329;W - Toning - Opacity RG -!HISTORY_MSG_330;W - Toning - Opacity BY -!HISTORY_MSG_331;W - Contrast levels - Extra -!HISTORY_MSG_332;W - Tiling method -!HISTORY_MSG_333;W - Residual - Shadows -!HISTORY_MSG_334;W - Residual - Chroma -!HISTORY_MSG_335;W - Residual - Highlights -!HISTORY_MSG_336;W - Residual - Highlights threshold -!HISTORY_MSG_337;W - Residual - Sky hue -!HISTORY_MSG_342;W - ES - First level -!HISTORY_MSG_343;W - Chroma levels +HISTORY_MSG_313;小波-色度-饱和/欠饱和 +HISTORY_MSG_314;小波-色域-减少杂点 +HISTORY_MSG_316;小波-色域-肤色针对 +HISTORY_MSG_317;小波-色域-肤色色相 +HISTORY_MSG_322;小波-色域-避免偏色 +HISTORY_MSG_323;小波-边缘-局部反差 +HISTORY_MSG_324;小波-色度-欠饱和 +HISTORY_MSG_325;小波-色度-饱和 +HISTORY_MSG_326;小波-色度-方法 +HISTORY_MSG_327;小波-反差-应用到 +HISTORY_MSG_328;小波-色度-力度挂钩 +HISTORY_MSG_329;小波-调色-红绿不透明度 +HISTORY_MSG_330;小波-调色-蓝黄不透明度 +HISTORY_MSG_331;小波-反差等级-额外 +HISTORY_MSG_332;小波-切片方法 +HISTORY_MSG_333;小波-残差图-阴影 +HISTORY_MSG_334;小波-残差图-色度 +HISTORY_MSG_335;小波-残差图-高光 +HISTORY_MSG_336;小波-残差图-高光阈值 +HISTORY_MSG_337;小波-残差图-天空色相 +HISTORY_MSG_342;小波-边缘-第一级 +HISTORY_MSG_343;小波-色度等级 !HISTORY_MSG_344;W - Meth chroma sl/cur -!HISTORY_MSG_345;W - ES - Local contrast -!HISTORY_MSG_346;W - ES - Local contrast method -!HISTORY_MSG_350;W - ES - Edge detection -!HISTORY_MSG_351;W - Residual - HH curve +HISTORY_MSG_345;小波-边缘-局部反差 +HISTORY_MSG_346;小波-边缘-局部反差方法 +HISTORY_MSG_350;小波-边缘-边缘检测 +HISTORY_MSG_351;小波-残差图-HH曲线 !HISTORY_MSG_352;W - Background -!HISTORY_MSG_353;W - ES - Gradient sensitivity -!HISTORY_MSG_354;W - ES - Enhanced -!HISTORY_MSG_355;W - ES - Threshold low -!HISTORY_MSG_356;W - ES - Threshold high +HISTORY_MSG_353;小波-边缘-渐变敏感度 +HISTORY_MSG_354;小波-边缘-增强 +HISTORY_MSG_355;小波-边缘-阈值低 +HISTORY_MSG_356;小波-边缘-阈值高 !HISTORY_MSG_358;W - Gamut - CH -!HISTORY_MSG_361;W - Final - Chroma balance -!HISTORY_MSG_362;W - Residual - Compression method -!HISTORY_MSG_363;W - Residual - Compression strength -!HISTORY_MSG_364;W - Final - Contrast balance +HISTORY_MSG_361;小波-最终-色度平衡 +HISTORY_MSG_362;小波-残差图-压缩方法 +HISTORY_MSG_363;小波-残差图-压缩力度 +HISTORY_MSG_364;小波-最终-反差平衡 !HISTORY_MSG_365;W - Final - Delta balance !HISTORY_MSG_366;W - Residual - Compression gamma !HISTORY_MSG_367;W - Final - 'After' contrast curve -!HISTORY_MSG_368;W - Final - Contrast balance -!HISTORY_MSG_369;W - Final - Balance method -!HISTORY_MSG_370;W - Final - Local contrast curve -!HISTORY_MSG_385;W - Residual - Color balance +HISTORY_MSG_368;小波-最终-反差平衡 +HISTORY_MSG_369;小波-最终-平衡方法 +HISTORY_MSG_370;小波-最终-局部反差曲线 +HISTORY_MSG_385;小波-残差图-色彩平衡 !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid @@ -1967,9 +1968,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_400;W - Final sub-tool !HISTORY_MSG_401;W - Toning sub-tool !HISTORY_MSG_402;W - Denoise sub-tool -!HISTORY_MSG_403;W - ES - Edge sensitivity -!HISTORY_MSG_404;W - ES - Base amplification -!HISTORY_MSG_406;W - ES - Neighboring pixels +HISTORY_MSG_403;小波-边缘-敏感度 +HISTORY_MSG_404;小波-边缘-放大基数 +HISTORY_MSG_406;小波-边缘-边缘像素 !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius !HISTORY_MSG_409;Retinex - Contrast @@ -2023,13 +2024,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_466;EvPixelShiftSum !HISTORY_MSG_467;EvPixelShiftExp0 !HISTORY_MSG_470;EvPixelShiftMedian3 -!HISTORY_MSG_496;Local Spot deleted -!HISTORY_MSG_497;Local Spot selected -!HISTORY_MSG_498;Local Spot name -!HISTORY_MSG_499;Local Spot visibility -!HISTORY_MSG_500;Local Spot shape -!HISTORY_MSG_501;Local Spot method -!HISTORY_MSG_502;Local Spot shape method +HISTORY_MSG_496;删除局部调整点 +HISTORY_MSG_497;选中局部调整点 +HISTORY_MSG_498;局部调整点名称 +HISTORY_MSG_499;局部调整点可见性 +HISTORY_MSG_500;局部调整点形状 +HISTORY_MSG_501;局部调整点模式 +HISTORY_MSG_502;局部调整点形状模式 !HISTORY_MSG_503;Local Spot locX !HISTORY_MSG_504;Local Spot locXL !HISTORY_MSG_505;Local Spot locY @@ -2039,52 +2040,52 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_509;Local Spot quality method !HISTORY_MSG_510;Local Spot transition !HISTORY_MSG_511;Local Spot thresh -!HISTORY_MSG_512;Local Spot ΔE -decay +HISTORY_MSG_512;局部调整点ΔE -衰减 !HISTORY_MSG_513;Local Spot scope !HISTORY_MSG_514;Local Spot structure -!HISTORY_MSG_515;Local Adjustments -!HISTORY_MSG_516;Local - Color and light +HISTORY_MSG_515;局部调整 +HISTORY_MSG_516;局部-色彩与亮度 !HISTORY_MSG_517;Local - Enable super -!HISTORY_MSG_518;Local - Lightness -!HISTORY_MSG_519;Local - Contrast -!HISTORY_MSG_520;Local - Chrominance -!HISTORY_MSG_521;Local - Scope -!HISTORY_MSG_522;Local - curve method -!HISTORY_MSG_523;Local - LL Curve -!HISTORY_MSG_524;Local - CC curve -!HISTORY_MSG_525;Local - LH Curve -!HISTORY_MSG_526;Local - H curve +HISTORY_MSG_518;局部-亮度 +HISTORY_MSG_519;局部-反差 +HISTORY_MSG_520;局部-色度 +HISTORY_MSG_521;局部-范围 +HISTORY_MSG_522;局部-曲线模式 +HISTORY_MSG_523;局部-LL曲线 +HISTORY_MSG_524;局部-CC曲线 +HISTORY_MSG_525;局部-LH曲线 +HISTORY_MSG_526;局部-H曲线 !HISTORY_MSG_527;Local - Color Inverse -!HISTORY_MSG_528;Local - Exposure -!HISTORY_MSG_529;Local - Exp Compensation -!HISTORY_MSG_530;Local - Exp Hlcompr -!HISTORY_MSG_531;Local - Exp hlcomprthresh +HISTORY_MSG_528;局部-曝光 +HISTORY_MSG_529;局部-曝光补偿 +HISTORY_MSG_530;局部-曝补 高光补偿 +HISTORY_MSG_531;局部-曝补 高光补偿阈值 !HISTORY_MSG_532;Local - Exp black -!HISTORY_MSG_533;Local - Exp Shcompr -!HISTORY_MSG_534;Local - Warm Cool -!HISTORY_MSG_535;Local - Exp Scope -!HISTORY_MSG_536;Local - Exp Contrast curve -!HISTORY_MSG_537;Local - Vibrance -!HISTORY_MSG_538;Local - Vib Saturated -!HISTORY_MSG_539;Local - Vib Pastel -!HISTORY_MSG_540;Local - Vib Threshold -!HISTORY_MSG_541;Local - Vib Protect skin tones -!HISTORY_MSG_542;Local - Vib avoid colorshift -!HISTORY_MSG_543;Local - Vib link -!HISTORY_MSG_544;Local - Vib Scope -!HISTORY_MSG_545;Local - Vib H curve -!HISTORY_MSG_546;Local - Blur and noise -!HISTORY_MSG_547;Local - Radius -!HISTORY_MSG_548;Local - Noise +HISTORY_MSG_533;局部-曝补 阴影补偿 +HISTORY_MSG_534;局部-冷暖 +HISTORY_MSG_535;局部-曝补 范围 +HISTORY_MSG_536;局部-曝光对比度曲线 +HISTORY_MSG_537;局部-鲜明度 +HISTORY_MSG_538;局部-鲜明 饱和色 +HISTORY_MSG_539;局部-鲜明 欠饱和色 +HISTORY_MSG_540;局部-鲜明 阈值 +HISTORY_MSG_541;局部-鲜明 肤色保护 +HISTORY_MSG_542;局部-鲜明 避免偏色 +HISTORY_MSG_543;局部-鲜明 挂钩 +HISTORY_MSG_544;局部-鲜明 范围 +HISTORY_MSG_545;局部-鲜明 H曲线 +HISTORY_MSG_546;局部-模糊与噪点 +HISTORY_MSG_547;局部-半径 +HISTORY_MSG_548;局部-噪点 !HISTORY_MSG_549;Local - Blur scope -!HISTORY_MSG_550;Local - Blur method +HISTORY_MSG_550;局部-模糊方法 !HISTORY_MSG_551;Local - Blur Luminance only -!HISTORY_MSG_552;Local - Tone mapping -!HISTORY_MSG_553;Local - TM compression strength -!HISTORY_MSG_554;Local - TM gamma -!HISTORY_MSG_555;Local - TM edge stopping +HISTORY_MSG_552;局部-色调映射 +HISTORY_MSG_553;局部-色映 压缩力度 +HISTORY_MSG_554;局部-色映 伽马 +HISTORY_MSG_555;局部-色映 边缘力度 !HISTORY_MSG_556;Local - TM scale -!HISTORY_MSG_557;Local - TM Reweighting +HISTORY_MSG_557;局部-色映 再加权 !HISTORY_MSG_558;Local - TM scope !HISTORY_MSG_559;Local - Retinex !HISTORY_MSG_560;Local - Retinex method @@ -2095,19 +2096,19 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_565;Local - scope !HISTORY_MSG_566;Local - Retinex Gain curve !HISTORY_MSG_567;Local - Retinex Inverse -!HISTORY_MSG_568;Local - Sharpening -!HISTORY_MSG_569;Local - Sh Radius -!HISTORY_MSG_570;Local - Sh Amount -!HISTORY_MSG_571;Local - Sh Damping -!HISTORY_MSG_572;Local - Sh Iterations -!HISTORY_MSG_573;Local - Sh Scope -!HISTORY_MSG_574;Local - Sh Inverse -!HISTORY_MSG_575;Local - CBDL +HISTORY_MSG_568;局部-锐化 +HISTORY_MSG_569;局部-锐化 半径 +HISTORY_MSG_570;局部-锐化 数量 +HISTORY_MSG_571;局部-锐化 抑制 +HISTORY_MSG_572;局部-锐化 迭代 +HISTORY_MSG_573;局部-锐化 范围 +HISTORY_MSG_574;局部-锐化 反转 +HISTORY_MSG_575;局部-分频反差 !HISTORY_MSG_576;Local - cbdl mult !HISTORY_MSG_577;Local - cbdl chroma !HISTORY_MSG_578;Local - cbdl threshold !HISTORY_MSG_579;Local - cbdl scope -!HISTORY_MSG_580;Local - Denoise +HISTORY_MSG_580;局部-去噪 !HISTORY_MSG_581;Local - deNoise lum f 1 !HISTORY_MSG_582;Local - deNoise lum c !HISTORY_MSG_583;Local - deNoise lum detail @@ -2117,14 +2118,14 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_587;Local - deNoise chro detail !HISTORY_MSG_588;Local - deNoise equalizer Blue-Red !HISTORY_MSG_589;Local - deNoise bilateral -!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_590;Local - deNoise 范围 !HISTORY_MSG_591;Local - Avoid color shift !HISTORY_MSG_592;Local - Sh Contrast -!HISTORY_MSG_593;Local - Local contrast -!HISTORY_MSG_594;Local - Local contrast radius -!HISTORY_MSG_595;Local - Local contrast amount -!HISTORY_MSG_596;Local - Local contrast darkness -!HISTORY_MSG_597;Local - Local contrast lightness +HISTORY_MSG_593;局部-局部反差 +HISTORY_MSG_594;局部-局部反差半径 +HISTORY_MSG_595;局部-局部反差数量 +HISTORY_MSG_596;局部-局部反差暗部 +HISTORY_MSG_597;局部-局部反差亮部 !HISTORY_MSG_598;Local - Local contrast scope !HISTORY_MSG_599;Local - Retinex dehaze !HISTORY_MSG_600;Local - Soft Light enable @@ -2132,7 +2133,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_602;Local - Soft Light scope !HISTORY_MSG_603;Local - Sh Blur radius !HISTORY_MSG_605;Local - Mask preview choice -!HISTORY_MSG_606;Local Spot selected +HISTORY_MSG_606;选中局部调整点 !HISTORY_MSG_607;Local - Color Mask C !HISTORY_MSG_608;Local - Color Mask L !HISTORY_MSG_609;Local - Exp Mask C @@ -2150,16 +2151,16 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_621;Local - Exp inverse !HISTORY_MSG_622;Local - Exclude structure !HISTORY_MSG_623;Local - Exp Chroma compensation -!HISTORY_MSG_624;Local - Color correction grid -!HISTORY_MSG_625;Local - Color correction strength -!HISTORY_MSG_626;Local - Color correction Method -!HISTORY_MSG_627;Local - Shadow Highlight -!HISTORY_MSG_628;Local - SH Highlight -!HISTORY_MSG_629;Local - SH H tonalwidth -!HISTORY_MSG_630;Local - SH Shadows -!HISTORY_MSG_631;Local - SH S tonalwidth -!HISTORY_MSG_632;Local - SH radius -!HISTORY_MSG_633;Local - SH Scope +HISTORY_MSG_624;局部-色彩矫正网格 +HISTORY_MSG_625;局部-色彩矫正力度 +HISTORY_MSG_626;局部-色彩矫正方法 +HISTORY_MSG_627;局部-阴影高光 +HISTORY_MSG_628;局部-阴影高光 高光 +HISTORY_MSG_629;局部-阴影高光 高光范围 +HISTORY_MSG_630;局部-阴影高光 阴影 +HISTORY_MSG_631;局部-阴影高光 阴影范围 +HISTORY_MSG_632;局部-阴影高光 半径 +HISTORY_MSG_633;局部-阴影高光 范围 !HISTORY_MSG_634;Local - radius color !HISTORY_MSG_635;Local - radius Exp !HISTORY_MSG_636;Local - Tool added @@ -2171,7 +2172,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_642;Local - radius SH !HISTORY_MSG_643;Local - Blur SH !HISTORY_MSG_644;Local - inverse SH -!HISTORY_MSG_645;Local - balance ΔE ab-L +HISTORY_MSG_645;局部-ΔE ab-L平衡 !HISTORY_MSG_646;Local - Exp mask chroma !HISTORY_MSG_647;Local - Exp mask gamma !HISTORY_MSG_648;Local - Exp mask slope @@ -2200,7 +2201,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_671;Local - cbdl mask L !HISTORY_MSG_672;Local - cbdl mask CL !HISTORY_MSG_673;Local - Use cbdl mask -!HISTORY_MSG_674;Local - Tool removed +HISTORY_MSG_674;局部-工具移除 !HISTORY_MSG_675;Local - TM soft radius !HISTORY_MSG_676;Local Spot transition-differentiation !HISTORY_MSG_677;Local - TM amount @@ -2214,7 +2215,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_685;Local - Retinex mask chroma !HISTORY_MSG_686;Local - Retinex mask gamma !HISTORY_MSG_687;Local - Retinex mask slope -!HISTORY_MSG_688;Local - Tool removed +HISTORY_MSG_688;局部-工具移除 !HISTORY_MSG_689;Local - Retinex mask transmission map !HISTORY_MSG_690;Local - Retinex scale !HISTORY_MSG_691;Local - Retinex darkness @@ -2287,8 +2288,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_764;Local - Solve PDE Laplacian mask !HISTORY_MSG_765;Local - deNoise Detail threshold !HISTORY_MSG_766;Local - Blur Fast Fourier -!HISTORY_MSG_767;Local - Grain Iso -!HISTORY_MSG_768;Local - Grain Strength +HISTORY_MSG_767;局部-颗粒ISO +HISTORY_MSG_768;局部-颗粒力度 !HISTORY_MSG_769;Local - Grain Scale !HISTORY_MSG_770;Local - Color Mask contrast curve !HISTORY_MSG_771;Local - Exp Mask contrast curve @@ -2305,20 +2306,20 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels !HISTORY_MSG_783;Local - Color Wavelet levels !HISTORY_MSG_784;Local - Mask ΔE -!HISTORY_MSG_785;Local - Mask Scope ΔE -!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_785;Local - Mask 范围 ΔE +HISTORY_MSG_786;局部-阴影高光 方法 !HISTORY_MSG_787;Local - Equalizer multiplier !HISTORY_MSG_788;Local - Equalizer detail !HISTORY_MSG_789;Local - SH mask amount !HISTORY_MSG_790;Local - SH mask anchor !HISTORY_MSG_791;Local - Mask Short L curves !HISTORY_MSG_792;Local - Mask Luminance Background -!HISTORY_MSG_793;Local - SH TRC gamma +HISTORY_MSG_793;局部-阴影高光 TRC伽马 !HISTORY_MSG_794;Local - SH TRC slope !HISTORY_MSG_795;Local - Mask save restore image !HISTORY_MSG_796;Local - Recursive references !HISTORY_MSG_797;Local - Merge Original method -!HISTORY_MSG_798;Local - Opacity +HISTORY_MSG_798;局部-不透明度 !HISTORY_MSG_799;Local - Color RGB ToneCurve !HISTORY_MSG_800;Local - Color ToneCurve Method !HISTORY_MSG_801;Local - Color ToneCurve Special @@ -2358,13 +2359,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_836;Local - Vib gradient angle !HISTORY_MSG_837;Local - Vib gradient strength C !HISTORY_MSG_838;Local - Vib gradient strength H -!HISTORY_MSG_839;Local - Software complexity +HISTORY_MSG_839;局部-软件复杂度 !HISTORY_MSG_840;Local - CL Curve !HISTORY_MSG_841;Local - LC curve !HISTORY_MSG_842;Local - Blur mask Radius !HISTORY_MSG_843;Local - Blur mask Contrast Threshold !HISTORY_MSG_844;Local - Blur mask FFTW -!HISTORY_MSG_845;Local - Log encoding +HISTORY_MSG_845;局部-Log编码 !HISTORY_MSG_846;Local - Log encoding auto !HISTORY_MSG_847;Local - Log encoding Source !HISTORY_MSG_849;Local - Log encoding Source auto @@ -2372,7 +2373,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_851;Local - Log encoding W_Ev !HISTORY_MSG_852;Local - Log encoding Target !HISTORY_MSG_853;Local - Log encodind loc contrast -!HISTORY_MSG_854;Local - Log encodind Scope +HISTORY_MSG_854;局部-Log编码 范围 !HISTORY_MSG_855;Local - Log encoding Whole image !HISTORY_MSG_856;Local - Log encoding Shadows range !HISTORY_MSG_857;Local - Wavelet blur residual @@ -2439,9 +2440,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_922;Local - changes In Black and White !HISTORY_MSG_923;Local - Tool complexity mode !HISTORY_MSG_924;Local - Tool complexity mode -!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_925;Local - 范围 color tools !HISTORY_MSG_926;Local - Show mask type -!HISTORY_MSG_927;Local - Shadow +HISTORY_MSG_927;局部-阴影 !HISTORY_MSG_928;Local - Common color mask !HISTORY_MSG_929;Local - Mask common scope !HISTORY_MSG_930;Local - Mask Common blend luma @@ -2468,14 +2469,14 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_951;Local - Mask Common GF angle !HISTORY_MSG_952;Local - Mask Common soft radius !HISTORY_MSG_953;Local - Mask Common blend chroma -!HISTORY_MSG_954;Local - Show-hide tools +HISTORY_MSG_954;局部-显示/隐藏工具 !HISTORY_MSG_955;Local - Enable Spot !HISTORY_MSG_956;Local - CH Curve !HISTORY_MSG_957;Local - Denoise mode -!HISTORY_MSG_958;Local - Show/hide settings +HISTORY_MSG_958;局部-显示/隐藏设置 !HISTORY_MSG_959;Local - Inverse blur -!HISTORY_MSG_960;Local - Log encoding - cat16 -!HISTORY_MSG_961;Local - Log encoding Ciecam +HISTORY_MSG_960;局部-Log编码 cat16 +HISTORY_MSG_961;局部-Log编码 Ciecam !HISTORY_MSG_962;Local - Log encoding Absolute luminance source !HISTORY_MSG_963;Local - Log encoding Absolute luminance target !HISTORY_MSG_964;Local - Log encoding Surround @@ -2570,35 +2571,35 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_1054;Local - Wavelet gamma !HISTORY_MSG_1055;Local - Color and Light gamma !HISTORY_MSG_1056;Local - DR and Exposure gamma -!HISTORY_MSG_1057;Local - CIECAM Enabled -!HISTORY_MSG_1058;Local - CIECAM Overall strength -!HISTORY_MSG_1059;Local - CIECAM Autogray -!HISTORY_MSG_1060;Local - CIECAM Mean luminance source -!HISTORY_MSG_1061;Local - CIECAM Source absolute -!HISTORY_MSG_1062;Local - CIECAM Surround Source -!HISTORY_MSG_1063;Local - CIECAM Saturation -!HISTORY_MSG_1064;Local - CIECAM Chroma -!HISTORY_MSG_1065;Local - CIECAM lightness J -!HISTORY_MSG_1066;Local - CIECAM brightness -!HISTORY_MSG_1067;Local - CIECAM Contrast J -!HISTORY_MSG_1068;Local - CIECAM threshold -!HISTORY_MSG_1069;Local - CIECAM contrast Q -!HISTORY_MSG_1070;Local - CIECAM colorfullness -!HISTORY_MSG_1071;Local - CIECAM Absolute luminance -!HISTORY_MSG_1072;Local - CIECAM Mean luminance -!HISTORY_MSG_1073;Local - CIECAM Cat16 -!HISTORY_MSG_1074;Local - CIECAM Local contrast +HISTORY_MSG_1057;局部-启用CIECAM +HISTORY_MSG_1058;局部-CIECAM 总体力度 +!HISTORY_MSG_1059;局部-CIECAM Autogray +!HISTORY_MSG_1060;局部-CIECAM Mean luminance source +!HISTORY_MSG_1061;局部-CIECAM Source absolute +!HISTORY_MSG_1062;局部-CIECAM Surround Source +HISTORY_MSG_1063;局部-CIECAM 饱和度 +HISTORY_MSG_1064;局部-CIECAM 彩度 +HISTORY_MSG_1065;局部-CIECAM 明度 J +HISTORY_MSG_1066;局部-CIECAM 视明度 +HISTORY_MSG_1067;局部-CIECAM 对比度J +HISTORY_MSG_1068;局部-CIECAM 阈值 +HISTORY_MSG_1069;局部-CIECAM 对比度Q +HISTORY_MSG_1070;局部-CIECAM 视彩度 +HISTORY_MSG_1071;局部-CIECAM 绝对亮度 +HISTORY_MSG_1072;局部-CIECAM 平均亮度 +HISTORY_MSG_1073;局部-CIECAM Cat16 +HISTORY_MSG_1074;局部-CIECAM 局部反差 !HISTORY_MSG_1075;Local - CIECAM Surround viewing -!HISTORY_MSG_1076;Local - CIECAM Scope -!HISTORY_MSG_1077;Local - CIECAM Mode -!HISTORY_MSG_1078;Local - Red and skin protection +HISTORY_MSG_1076;局部-CIECAM 范围 +HISTORY_MSG_1077;局部-CIECAM 模式 +HISTORY_MSG_1078;局部-红色与肤色保护 !HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J !HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold !HISTORY_MSG_1081;Local - CIECAM Sigmoid blend !HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv !HISTORY_MSG_1083;Local - CIECAM Hue !HISTORY_MSG_1084;Local - Uses Black Ev - White Ev -!HISTORY_MSG_1085;Local - Jz lightness +HISTORY_MSG_1085;Local - Jz 明度 !HISTORY_MSG_1086;Local - Jz contrast !HISTORY_MSG_1087;Local - Jz chroma !HISTORY_MSG_1088;Local - Jz hue @@ -2606,7 +2607,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_1090;Local - Jz Sigmoid threshold !HISTORY_MSG_1091;Local - Jz Sigmoid blend !HISTORY_MSG_1092;Local - Jz adaptation -!HISTORY_MSG_1093;Local - CAM model +HISTORY_MSG_1093;局部-色貌模型 !HISTORY_MSG_1094;Local - Jz highligths !HISTORY_MSG_1095;Local - Jz highligths thr !HISTORY_MSG_1096;Local - Jz shadows @@ -2616,12 +2617,12 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_1100;Local - Jz reference 100 !HISTORY_MSG_1101;Local - Jz PQ remap !HISTORY_MSG_1102;Local - Jz(Hz) Curve -!HISTORY_MSG_1103;Local - Vibrance gamma +HISTORY_MSG_1103;局部-鲜明 伽马 !HISTORY_MSG_1104;Local - Sharp gamma -!HISTORY_MSG_1105;Local - CIECAM Tone method -!HISTORY_MSG_1106;Local - CIECAM Tone curve -!HISTORY_MSG_1107;Local - CIECAM Color method -!HISTORY_MSG_1108;Local - CIECAM Color curve +HISTORY_MSG_1105;局部-CIECAM 色调模式 +HISTORY_MSG_1106;局部-CIECAM 色调曲线 +HISTORY_MSG_1107;局部-CIECAM 色彩模式 +HISTORY_MSG_1108;局部-CIECAM 色彩曲线 !HISTORY_MSG_1109;Local - Jz(Jz) curve !HISTORY_MSG_1110;Local - Cz(Cz) curve !HISTORY_MSG_1111;Local - Cz(Jz) curve @@ -2667,24 +2668,24 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_BLSHAPE;Blur by level !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance -!HISTORY_MSG_BLUWAV;Attenuation response -!HISTORY_MSG_CAT02PRESET;Cat02/16 automatic preset -!HISTORY_MSG_CATCAT;Cat02/16 mode -!HISTORY_MSG_CATCOMPLEX;Ciecam complexity -!HISTORY_MSG_CATMODEL;CAM Model -!HISTORY_MSG_COMPLEX;Wavelet complexity +HISTORY_MSG_BLUWAV;衰减响应 +HISTORY_MSG_CAT02PRESET;Cat02/16自动预设 +HISTORY_MSG_CATCAT;Cat02/16模式 +HISTORY_MSG_CATCOMPLEX;Ciecam复杂度 +HISTORY_MSG_CATMODEL;CAM模型 +HISTORY_MSG_COMPLEX;小波复杂度 !HISTORY_MSG_COMPLEXRETI;Retinex complexity -!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation -!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +HISTORY_MSG_DEHAZE_SATURATION;去雾-饱和度 +!HISTORY_MSG_EDGEFFECT;Edge 衰减响应 !HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output -!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;胶片负片色彩空间 !HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_HLBL;Color propagation - blur !HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy !HISTORY_MSG_ICM_AINTENT;Abstract profile intent !HISTORY_MSG_ICM_BLUX;Primaries Blue X !HISTORY_MSG_ICM_BLUY;Primaries Blue Y -!HISTORY_MSG_ICM_FBW;Black and White +HISTORY_MSG_ICM_FBW;黑白 !HISTORY_MSG_ICM_GREX;Primaries Green X !HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries @@ -2711,13 +2712,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode !HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_RANGEAB;Range ab -!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge -!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge -!HISTORY_MSG_SIGMACOL;Chroma Attenuation response -!HISTORY_MSG_SIGMADIR;Dir Attenuation response -!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response -!HISTORY_MSG_SIGMATON;Toning Attenuation response -!HISTORY_MSG_SPOT;Spot removal +HISTORY_MSG_RESIZE_LONGEDGE;调整大小-长边 +HISTORY_MSG_RESIZE_SHORTEDGE;调整大小-短边 +!HISTORY_MSG_SIGMACOL;Chroma 衰减响应 +!HISTORY_MSG_SIGMADIR;Dir 衰减响应 +!HISTORY_MSG_SIGMAFIN;Final contrast 衰减响应 +!HISTORY_MSG_SIGMATON;Toning 衰减响应 +HISTORY_MSG_SPOT;污点移除 !HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. !HISTORY_MSG_TEMPOUT;CAM02 automatic temperature !HISTORY_MSG_THRESWAV;Balance threshold @@ -2739,21 +2740,21 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !HISTORY_MSG_WAVHUE;Equalizer hue !HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors !HISTORY_MSG_WAVLEVDEN;High level local contrast -!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius -!HISTORY_MSG_WAVLEVSIGM;Radius +HISTORY_MSG_WAVLEVELSIGM;去噪-半径 +HISTORY_MSG_WAVLEVSIGM;半径 !HISTORY_MSG_WAVLIMDEN;Interaction 56 14 !HISTORY_MSG_WAVLOWTHR;Threshold low contrast !HISTORY_MSG_WAVMERGEC;Merge C !HISTORY_MSG_WAVMERGEL;Merge L !HISTORY_MSG_WAVMIXMET;Reference local contrast -!HISTORY_MSG_WAVOFFSET;Offset +HISTORY_MSG_WAVOFFSET;偏移 !HISTORY_MSG_WAVOLDSH;Old algorithm -!HISTORY_MSG_WAVQUAMET;Denoise mode +HISTORY_MSG_WAVQUAMET;去噪模式 !HISTORY_MSG_WAVRADIUS;Radius shadows-highlights !HISTORY_MSG_WAVSCALE;Scale !HISTORY_MSG_WAVSHOWMASK;Show wavelet mask !HISTORY_MSG_WAVSIGM;Sigma -!HISTORY_MSG_WAVSIGMA;Attenuation response +HISTORY_MSG_WAVSIGMA;衰减响应 !HISTORY_MSG_WAVSLIMET;Method !HISTORY_MSG_WAVSOFTRAD;Soft radius clarity !HISTORY_MSG_WAVSOFTRADEND;Soft radius final @@ -2764,7 +2765,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description !ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Leave empty to set the default description. -!ICCPROFCREATOR_GAMMA;Gamma +ICCPROFCREATOR_GAMMA;伽马 !ICCPROFCREATOR_ICCVERSION;ICC version: !ICCPROFCREATOR_ILL;Illuminant: !ICCPROFCREATOR_ILL_41;D41 @@ -2774,7 +2775,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 -!ICCPROFCREATOR_ILL_DEF;Default +ICCPROFCREATOR_ILL_DEF;默认 !ICCPROFCREATOR_ILL_INC;StdA 2856K !ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: @@ -2799,8 +2800,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve -!INSPECTOR_WINDOW_TITLE;Inspector +ICCPROFCREATOR_TRC_PRESET;色调响应曲线 +INSPECTOR_WINDOW_TITLE;检视器 !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -2831,37 +2832,37 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !MAIN_BUTTON_NAVPREV_TOOLTIP;Navigate to the previous image relative to image opened in the Editor.\nShortcut: Shift-F3\n\nTo navigate to the previous image relative to the currently selected thumbnail in the File Browser or Filmstrip:\nShortcut: F3 !MAIN_BUTTON_NAVSYNC_TOOLTIP;Synchronize the File Browser or Filmstrip with the Editor to reveal the thumbnail of the currently opened image, and clear any active filters.\nShortcut: x\n\nAs above, but without clearing active filters:\nShortcut: y\n(Note that the thumbnail of the opened image will not be shown if filtered out). !MAIN_MSG_IMAGEUNPROCESSED;This command requires all selected images to be queue-processed first. -!MAIN_TAB_LOCALLAB;Local -!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +MAIN_TAB_LOCALLAB;局部 +MAIN_TAB_LOCALLAB_TOOLTIP;快捷键:Alt-o !MAIN_TOOLTIP_BEFOREAFTERLOCK;Lock / Unlock the Before view\n\nLock: keep the Before view unchanged.\nUseful to evaluate the cumulative effect of multiple tools.\nAdditionally, comparisons can be made to any state in the History.\n\nUnlock: the Before view will follow the After view one step behind, showing the image before the effect of the currently used tool. -!PARTIALPASTE_LOCALLAB;Local Adjustments -!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings -!PARTIALPASTE_LOCGROUP;Local -!PARTIALPASTE_PREPROCWB;Preprocess White Balance +PARTIALPASTE_LOCALLAB;局部调整 +PARTIALPASTE_LOCALLABGROUP;局部调整设置 +PARTIALPASTE_LOCGROUP;局部 +PARTIALPASTE_PREPROCWB;预处理白平衡 !PARTIALPASTE_RETINEX;Retinex -!PARTIALPASTE_SPOT;Spot removal +PARTIALPASTE_SPOT;污点移除 !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CIE;Ciecam -!PREFERENCES_CIEARTIF;Avoid artifacts -!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments -!PREFERENCES_COMPLEXITY_EXP;Advanced -!PREFERENCES_COMPLEXITY_NORM;Standard -!PREFERENCES_COMPLEXITY_SIMP;Basic +PREFERENCES_CIEARTIF;避免杂点 +PREFERENCES_COMPLEXITYLOC;局部调整工具默认复杂程度 +PREFERENCES_COMPLEXITY_EXP;高级 +PREFERENCES_COMPLEXITY_NORM;标准 +PREFERENCES_COMPLEXITY_SIMP;基础 !PREFERENCES_CUSTPROFBUILD;Custom Processing Profile Builder !PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. "Keyfile") is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. !PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format !PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID !PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile -!PREFERENCES_EXTEDITOR_DIR;Output directory -!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image -!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom -!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +PREFERENCES_EXTEDITOR_DIR;输出目录 +PREFERENCES_EXTEDITOR_DIR_CURRENT;与输入图片相同 +PREFERENCES_EXTEDITOR_DIR_CUSTOM;自定义 +PREFERENCES_EXTEDITOR_DIR_TEMP;操作系统临时文件夹 !PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output -!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +PREFERENCES_INSPECTORWINDOW;以单独窗口或全屏打开检视器 !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. -!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips -!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling +PREFERENCES_SHOWTOOLTIP;显示局部调整工具提示 +PREFERENCES_ZOOMONSCROLL;滚动鼠标滚轮控制图片缩放 !PROGRESSDLG_PROFILECHANGEDINBROWSER;Processing profile changed in browser !SAMPLEFORMAT_1;8-bit unsigned !SAMPLEFORMAT_2;16-bit unsigned @@ -2893,14 +2894,14 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. !TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. -!TP_COLORAPP_CATCLASSIC;Classic -!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. -!TP_COLORAPP_CATMOD;Cat02/16 mode -!TP_COLORAPP_CATSYMGEN;Automatic Symmetric -!TP_COLORAPP_CATSYMSPE;Mixed +TP_COLORAPP_CATCLASSIC;经典 +!TP_COLORAPP_CATMET_TOOLTIP;经典 - 传统的CIECAM操作。 The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. +TP_COLORAPP_CATMOD;Cat02/16模式 +TP_COLORAPP_CATSYMGEN;自动对称 +TP_COLORAPP_CATSYMSPE;混合 !TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). !TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). -!TP_COLORAPP_GEN;Settings - Preset +TP_COLORAPP_GEN;设置 - 预设 !TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_IL41;D41 !TP_COLORAPP_IL50;D50 @@ -2914,13 +2915,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_MOD02;CIECAM02 !TP_COLORAPP_MOD16;CIECAM16 -!TP_COLORAPP_MODELCAT;CAM Model -!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts +TP_COLORAPP_MODELCAT;色貌模型 +TP_COLORAPP_MODELCAT_TOOLTIP;允许你在CIECAM02或CIECAM16之间进行选择\nCIECAM02在某些时候会更加准确\nCIECAM16的杂点应该更少 !TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode !TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. -!TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting -!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. +TP_COLORAPP_SURROUNDSRC;周围 - 场景亮度 +TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n平均:平均的亮度条件(标准)。图像不被改变\n\n昏暗:较暗的场景。图像会被略微提亮\n\n黑暗:黑暗的环境。图像会被提亮\n\n极暗:非常暗的环境。图片会变得非常亮 !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 @@ -2936,23 +2937,23 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_COLORTONING_LABREGION_LIGHTNESSMASK;L !TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_SATURATION;Saturation +TP_DEHAZE_SATURATION;饱和度 !TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fine: closer to the colors of the skin, minimizing the action on other colors\nLarge: avoid more artifacts. !TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;This pyramid is for the upper part, so far as the algorithm at its maximum efficiency.\nTo the lower part, the transition zones.\nIf you need to move the area significantly to the left or right - or if there are artifacts: the white balance is incorrect\nYou can slightly reduce the zone to prevent the rest of the image is affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. -!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm -!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: -!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space -!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. -!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space -!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green -!TP_FILMNEGATIVE_OUT_LEVEL;Output level -!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 -!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot -!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +TP_DISTORTION_AUTO_TIP;如果Raw文件内有矫正畸变的内嵌JPEG,则会将Raw图像与其对比并自动矫正畸变 +TP_FILMNEGATIVE_BLUEBALANCE;冷/暖 +TP_FILMNEGATIVE_COLORSPACE;反转色彩空间: +TP_FILMNEGATIVE_COLORSPACE_INPUT;输入色彩空间 +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;选择用于负片反转的色彩空间:\n输入色彩空间: 在输入档案被应用之前进行反转,与之前版本的RT相同\n工作色彩空间: 在输入档案被应用之后进行反转,使用当前所选的工作档案 +TP_FILMNEGATIVE_COLORSPACE_WORKING;工作色彩空间 +TP_FILMNEGATIVE_GREENBALANCE;品红/绿 +TP_FILMNEGATIVE_OUT_LEVEL;输出亮度 +TP_FILMNEGATIVE_REF_LABEL;输入RGB: %1 +TP_FILMNEGATIVE_REF_PICK;选择白平衡点 +TP_FILMNEGATIVE_REF_TOOLTIP;为输出的正片选择一块灰色区域进行白平衡 !TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. @@ -2982,7 +2983,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. -!TP_ICM_TRCFRAME;Abstract Profile +TP_ICM_TRCFRAME;抽象档案 !TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. !TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. !TP_ICM_WORKING_CIEDIAG;CIE xy diagram @@ -2996,7 +2997,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_ICM_WORKING_ILLU_D65;D65 !TP_ICM_WORKING_ILLU_D80;D80 !TP_ICM_WORKING_ILLU_D120;D120 -!TP_ICM_WORKING_ILLU_NONE;Default +TP_ICM_WORKING_ILLU_NONE;默认 !TP_ICM_WORKING_ILLU_STDA;stdA 2875K !TP_ICM_WORKING_PRESER;Preserves Pastel tones !TP_ICM_WORKING_PRIM;Destination primaries @@ -3009,12 +3010,12 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_ICM_WORKING_PRIM_BST;BestRGB !TP_ICM_WORKING_PRIM_CUS;Custom (sliders) !TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) -!TP_ICM_WORKING_PRIM_NONE;Default +TP_ICM_WORKING_PRIM_NONE;默认 !TP_ICM_WORKING_PRIM_PROP;ProPhoto !TP_ICM_WORKING_PRIM_REC;Rec2020 !TP_ICM_WORKING_PRIM_SRGB;sRGB !TP_ICM_WORKING_PRIM_WID;WideGamut -!TP_ICM_WORKING_TRC;Tone response curve: +TP_ICM_WORKING_TRC;色调响应曲线: !TP_ICM_WORKING_TRC_18;Prophoto g=1.8 !TP_ICM_WORKING_TRC_22;Adobe g=2.2 !TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 @@ -3038,107 +3039,107 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated !TP_LOCALLAB_ACTIV;Luminance only -!TP_LOCALLAB_ACTIVSPOT;Enable Spot +TP_LOCALLAB_ACTIVSPOT;启用点 !TP_LOCALLAB_ADJ;Equalizer Color !TP_LOCALLAB_ALL;All rubrics -!TP_LOCALLAB_AMOUNT;Amount -!TP_LOCALLAB_ARTIF;Shape detection +TP_LOCALLAB_AMOUNT;数量 +TP_LOCALLAB_ARTIF;形状检测 !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. -!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) -!TP_LOCALLAB_AUTOGRAYCIE;Auto +TP_LOCALLAB_AUTOGRAY;自动平均亮度(Yb%) +TP_LOCALLAB_AUTOGRAYCIE;自动 !TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". -!TP_LOCALLAB_AVOID;Avoid color shift +TP_LOCALLAB_AVOID;避免偏色 !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only !TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used !TP_LOCALLAB_AVOIDRAD;Soft radius -!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +TP_LOCALLAB_BALAN;ab-L平衡(ΔE) !TP_LOCALLAB_BALANEXP;Laplacian balance -!TP_LOCALLAB_BALANH;C-H balance (ΔE) +TP_LOCALLAB_BALANH;色度(C)-色相(H)平衡(ΔE) !TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise !TP_LOCALLAB_BASELOG;Shadows range (logarithm base) !TP_LOCALLAB_BILATERAL;Bilateral filter !TP_LOCALLAB_BLACK_EV;Black Ev -!TP_LOCALLAB_BLCO;Chrominance only +TP_LOCALLAB_BLCO;仅色度 !TP_LOCALLAB_BLENDMASKCOL;Blend !TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask !TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask !TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image !TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image !TP_LOCALLAB_BLGUID;Guided Filter -!TP_LOCALLAB_BLINV;Inverse -!TP_LOCALLAB_BLLC;Luminance & Chrominance -!TP_LOCALLAB_BLLO;Luminance only -!TP_LOCALLAB_BLMED;Median +TP_LOCALLAB_BLINV;反转 +TP_LOCALLAB_BLLC;亮度&色度 +TP_LOCALLAB_BLLO;仅亮度 +TP_LOCALLAB_BLMED;中值 !TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. -!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +TP_LOCALLAB_BLNOI_EXP;模糊 & 噪点 !TP_LOCALLAB_BLNORM;Normal !TP_LOCALLAB_BLSYM;Symmetric -!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +TP_LOCALLAB_BLUFR;模糊/颗粒 & 去噪 !TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction -!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +TP_LOCALLAB_BLUR;高斯模糊-噪点-颗粒 !TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 -!TP_LOCALLAB_BLURCOL;Radius +TP_LOCALLAB_BLURCOL;半径 !TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. -!TP_LOCALLAB_BLURDE;Blur shape detection -!TP_LOCALLAB_BLURLC;Luminance only +TP_LOCALLAB_BLURDE;模糊形状检测 +TP_LOCALLAB_BLURLC;仅亮度 !TP_LOCALLAB_BLURLEVELFRA;Blur levels !TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. !TP_LOCALLAB_BLURRESIDFRA;Blur Residual !TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) -!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +TP_LOCALLAB_BLUR_TOOLNAME;模糊/颗粒 & 去噪 !TP_LOCALLAB_BLWH;All changes forced in Black-and-White !TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. -!TP_LOCALLAB_BUTTON_ADD;Add -!TP_LOCALLAB_BUTTON_DEL;Delete -!TP_LOCALLAB_BUTTON_DUPL;Duplicate -!TP_LOCALLAB_BUTTON_REN;Rename -!TP_LOCALLAB_BUTTON_VIS;Show/Hide +TP_LOCALLAB_BUTTON_ADD;添加 +TP_LOCALLAB_BUTTON_DEL;删除 +TP_LOCALLAB_BUTTON_DUPL;复制 +TP_LOCALLAB_BUTTON_REN;重命名 +TP_LOCALLAB_BUTTON_VIS;显示/隐藏 !TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev !TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. -!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments -!TP_LOCALLAB_CAMMODE;CAM model +TP_LOCALLAB_CAM16_FRA;Cam16图像调整 +TP_LOCALLAB_CAMMODE;色貌模型 !TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz !TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only -!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 -!TP_LOCALLAB_CBDL;Contrast by Detail Levels -!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. -!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. -!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise -!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels -!TP_LOCALLAB_CENTER_X;Center X -!TP_LOCALLAB_CENTER_Y;Center Y +TP_LOCALLAB_CATAD;色适应/Cat16 +TP_LOCALLAB_CBDL;分频反差调整 +TP_LOCALLAB_CBDLCLARI_TOOLTIP;增强中间调的局部反差 +TP_LOCALLAB_CBDL_ADJ_TOOLTIP;与小波相同。\n第一级(0)作用在2x2像素细节上\n最高级(5)作用在64x64像素细节上 +TP_LOCALLAB_CBDL_THRES_TOOLTIP;避免加锐噪点 +TP_LOCALLAB_CBDL_TOOLNAME;分频反差调整 +TP_LOCALLAB_CENTER_X;中心X +TP_LOCALLAB_CENTER_Y;中心Y !TP_LOCALLAB_CH;CL - LC -!TP_LOCALLAB_CHROMA;Chrominance +TP_LOCALLAB_CHROMA;彩度 !TP_LOCALLAB_CHROMABLU;Chroma levels !TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. -!TP_LOCALLAB_CHROMACBDL;Chroma +TP_LOCALLAB_CHROMACBDL;彩度 !TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. !TP_LOCALLAB_CHROMALEV;Chroma levels -!TP_LOCALLAB_CHROMASKCOL;Chroma +TP_LOCALLAB_CHROMASKCOL;彩度 !TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). -!TP_LOCALLAB_CHROML;Chroma (C) -!TP_LOCALLAB_CHRRT;Chroma -!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) -!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +TP_LOCALLAB_CHROML;彩度 (C) +TP_LOCALLAB_CHRRT;彩度 +TP_LOCALLAB_CIE;色貌(Cam16 & JzCzHz) +TP_LOCALLAB_CIEC;使用Ciecam环境参数 !TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. !TP_LOCALLAB_CIECOLORFRA;Color -!TP_LOCALLAB_CIECONTFRA;Contrast +TP_LOCALLAB_CIECONTFRA;对比度 !TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast !TP_LOCALLAB_CIELIGHTFRA;Lighting -!TP_LOCALLAB_CIEMODE;Change tool position -!TP_LOCALLAB_CIEMODE_COM;Default -!TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding -!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" -!TP_LOCALLAB_CIEMODE_WAV;Wavelet -!TP_LOCALLAB_CIETOOLEXP;Curves -!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) -!TP_LOCALLAB_CIRCRADIUS;Spot size +TP_LOCALLAB_CIEMODE;改变工具位置 +TP_LOCALLAB_CIEMODE_COM;默认 +TP_LOCALLAB_CIEMODE_DR;动态范围 +TP_LOCALLAB_CIEMODE_LOG;Log编码 +TP_LOCALLAB_CIEMODE_TM;色调映射 +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for "Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +TP_LOCALLAB_CIEMODE_WAV;小波 +TP_LOCALLAB_CIETOOLEXP;曲线 +TP_LOCALLAB_CIE_TOOLNAME;色貌(Cam16 & JzCzHz) +TP_LOCALLAB_CIRCRADIUS;调整点大小 !TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. !TP_LOCALLAB_CLARICRES;Merge chroma !TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images @@ -3150,16 +3151,16 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_CLARITYML;Clarity !TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' !TP_LOCALLAB_CLIPTM;Clip restored data (gain) -!TP_LOCALLAB_COFR;Color & Light -!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +TP_LOCALLAB_COFR;色彩 & 亮度 +TP_LOCALLAB_COLORDE;ΔE预览颜色-密度 !TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. !TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. -!TP_LOCALLAB_COLORSCOPE;Scope (color tools) -!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. -!TP_LOCALLAB_COLOR_CIE;Color curve -!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light -!TP_LOCALLAB_COL_NAME;Name -!TP_LOCALLAB_COL_VIS;Status +TP_LOCALLAB_COLORSCOPE;范围(色彩工具) +TP_LOCALLAB_COLORSCOPE_TOOLTIP;总控色彩与亮度,阴影/高光,鲜明度工具的范围滑条\n其他工具中有单独进行范围控制的滑条 +TP_LOCALLAB_COLOR_CIE;色彩曲线 +TP_LOCALLAB_COLOR_TOOLNAME;色彩 & 亮度 +TP_LOCALLAB_COL_NAME;名称 +TP_LOCALLAB_COL_VIS;状态 !TP_LOCALLAB_COMPFRA;Directional contrast !TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. !TP_LOCALLAB_COMPLEX_METHOD;Software Complexity @@ -3168,35 +3169,35 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. !TP_LOCALLAB_CONTCOL;Contrast threshold !TP_LOCALLAB_CONTFRA;Contrast by level -!TP_LOCALLAB_CONTL;Contrast (J) -!TP_LOCALLAB_CONTRAST;Contrast +TP_LOCALLAB_CONTL;对比度 (J) +TP_LOCALLAB_CONTRAST;对比度 !TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. !TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. !TP_LOCALLAB_CONTRESID;Contrast !TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. -!TP_LOCALLAB_CONTTHR;Contrast Threshold -!TP_LOCALLAB_CONTWFRA;Local contrast -!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +TP_LOCALLAB_CONTTHR;反差阈值 +TP_LOCALLAB_CONTWFRA;局部反差 +TP_LOCALLAB_CSTHRESHOLD;小波层级 !TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection !TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" !TP_LOCALLAB_CURVCURR;Normal !TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. !TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. !TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ -!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;色调曲线 !TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light !TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. !TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) !TP_LOCALLAB_CURVENH;Super !TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) !TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) -!TP_LOCALLAB_CURVES_CIE;Tone curve +TP_LOCALLAB_CURVES_CIE;色调曲线 !TP_LOCALLAB_CURVNONE;Disable curves !TP_LOCALLAB_DARKRETI;Darkness -!TP_LOCALLAB_DEHAFRA;Dehaze -!TP_LOCALLAB_DEHAZ;Strength -!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. -!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze +TP_LOCALLAB_DEHAFRA;去雾 +TP_LOCALLAB_DEHAZ;力度 +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;移除环境雾,提升总体饱和度与细节\n可以移除偏色倾向,但也可能导致图片整体偏蓝,此现象可以用其他工具进行修正 +TP_LOCALLAB_DEHAZ_TOOLTIP;负值会增加雾 !TP_LOCALLAB_DELTAD;Delta balance !TP_LOCALLAB_DELTAEC;ΔE Image mask !TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask @@ -3211,54 +3212,54 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_DENOIMASK;Denoise chroma mask !TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. !TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. -!TP_LOCALLAB_DENOIS;Denoise +TP_LOCALLAB_DENOIS;去噪 !TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. -!TP_LOCALLAB_DENOI_EXP;Denoise -!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 -!TP_LOCALLAB_DEPTH;Depth -!TP_LOCALLAB_DETAIL;Local contrast +TP_LOCALLAB_DENOI_EXP;去噪 +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n 范围 allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 +TP_LOCALLAB_DEPTH;纵深 +TP_LOCALLAB_DETAIL;局部反差 !TP_LOCALLAB_DETAILFRA;Edge detection - DCT -!TP_LOCALLAB_DETAILSH;Details +TP_LOCALLAB_DETAILSH;细节 !TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold -!TP_LOCALLAB_DIVGR;Gamma -!TP_LOCALLAB_DUPLSPOTNAME;Copy -!TP_LOCALLAB_EDGFRA;Edge sharpness -!TP_LOCALLAB_EDGSHOW;Show all tools -!TP_LOCALLAB_ELI;Ellipse -!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +TP_LOCALLAB_DIVGR;伽马 +TP_LOCALLAB_DUPLSPOTNAME;复制 +TP_LOCALLAB_EDGFRA;边缘锐度 +TP_LOCALLAB_EDGSHOW;显示所有工具 +TP_LOCALLAB_ELI;椭圆 +TP_LOCALLAB_ENABLE_AFTER_MASK;使用色调映射 !TP_LOCALLAB_ENABLE_MASK;Enable mask !TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure !TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. !TP_LOCALLAB_ENH;Enhanced !TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise -!TP_LOCALLAB_EPSBL;Detail +TP_LOCALLAB_EPSBL;细节 !TP_LOCALLAB_EQUIL;Normalize luminance !TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. !TP_LOCALLAB_ESTOP;Edge stopping !TP_LOCALLAB_EV_DUPL;Copy of -!TP_LOCALLAB_EV_NVIS;Hide -!TP_LOCALLAB_EV_NVIS_ALL;Hide all -!TP_LOCALLAB_EV_VIS;Show -!TP_LOCALLAB_EV_VIS_ALL;Show all -!TP_LOCALLAB_EXCLUF;Excluding -!TP_LOCALLAB_EXCLUF_TOOLTIP;‘Excluding’ mode prevents adjacent spots from influencing certain parts of the image. Adjusting ‘Scope’ will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. -!TP_LOCALLAB_EXCLUTYPE;Spot method +TP_LOCALLAB_EV_NVIS;隐藏 +TP_LOCALLAB_EV_NVIS_ALL;隐藏所有 +TP_LOCALLAB_EV_VIS;显示 +TP_LOCALLAB_EV_VIS_ALL;显示所有 +TP_LOCALLAB_EXCLUF;排除 +TP_LOCALLAB_EXCLUF_TOOLTIP;“排除”模式能够避免重叠的点影响到排除点的区域。调整“范围”能够扩大不受影响的色彩\n你还可以向排除点中添加工具,并像普通点一样使用这些工具 +TP_LOCALLAB_EXCLUTYPE;调整点模式 !TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. -!TP_LOCALLAB_EXECLU;Excluding spot -!TP_LOCALLAB_EXFULL;Full image -!TP_LOCALLAB_EXNORM;Normal spot +TP_LOCALLAB_EXECLU;排除点 +TP_LOCALLAB_EXFULL;整张图片 +TP_LOCALLAB_EXNORM;普通点 !TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). -!TP_LOCALLAB_EXPCHROMA;Chroma compensation +TP_LOCALLAB_EXPCHROMA;色度补偿 !TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. -!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. -!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ -!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +TP_LOCALLAB_EXPCOLOR_TOOLTIP;调整色彩,亮度,反差并且矫正细微的图像缺陷,如红眼/传感器灰尘等 +TP_LOCALLAB_EXPCOMP;曝光补偿ƒ +TP_LOCALLAB_EXPCOMPINV;曝光补偿 !TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ !TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. -!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. -!TP_LOCALLAB_EXPCURV;Curves -!TP_LOCALLAB_EXPGRAD;Graduated Filter -!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘范围’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +TP_LOCALLAB_EXPCURV;曲线 +TP_LOCALLAB_EXPGRAD;渐变滤镜 +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), 鲜明度 (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. !TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend !TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform @@ -3266,81 +3267,81 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). !TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. -!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure -!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +TP_LOCALLAB_EXPOSE;动态范围 & 曝光 +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. !TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools -!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. -!TP_LOCALLAB_EXPTOOL;Exposure Tools -!TP_LOCALLAB_EXPTRC;Tone Response Curve - TRC -!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure -!TP_LOCALLAB_FATAMOUNT;Amount -!TP_LOCALLAB_FATANCHOR;Anchor -!TP_LOCALLAB_FATANCHORA;Offset -!TP_LOCALLAB_FATDETAIL;Detail -!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘范围’ values to simulate smaller RT-Spots. +TP_LOCALLAB_EXPTOOL;曝光工具 +TP_LOCALLAB_EXPTRC;色调响应曲线(TRC) +TP_LOCALLAB_EXP_TOOLNAME;动态范围 & 曝光 +TP_LOCALLAB_FATAMOUNT;数量 +TP_LOCALLAB_FATANCHOR;锚点 +TP_LOCALLAB_FATANCHORA;偏移量 +TP_LOCALLAB_FATDETAIL;细节 +TP_LOCALLAB_FATFRA;动态范围压缩ƒ !TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. !TP_LOCALLAB_FATLEVEL;Sigma !TP_LOCALLAB_FATRES;Amount Residual Image -!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +TP_LOCALLAB_FATSHFRA;动态范围压缩蒙版 ƒ !TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. !TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) !TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ -!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) -!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform -!TP_LOCALLAB_FFTW2;ƒ - Use Fast Fourier Transform (TIF, JPG,..) -!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform -!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +TP_LOCALLAB_FFTMASK_TOOLTIP;使用傅立叶变换以得到更高的质量(处理用时与内存占用会上升) +TP_LOCALLAB_FFTW;ƒ - 使用快速傅立叶变换 +TP_LOCALLAB_FFTW2;ƒ - 使用快速傅立叶变换(TIF, JPG,..) +TP_LOCALLAB_FFTWBLUR;ƒ - 永远使用快速傅立叶变换 +TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image !TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. -!TP_LOCALLAB_GAM;Gamma -!TP_LOCALLAB_GAMC;Gamma +TP_LOCALLAB_GAM;伽马 +TP_LOCALLAB_GAMC;伽马 !TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. !TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. -!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) -!TP_LOCALLAB_GAMM;Gamma -!TP_LOCALLAB_GAMMASKCOL;Gamma +TP_LOCALLAB_GAMFRA;色调响应曲线(TRC) +TP_LOCALLAB_GAMM;伽马 +TP_LOCALLAB_GAMMASKCOL;伽马 !TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. -!TP_LOCALLAB_GAMSH;Gamma +TP_LOCALLAB_GAMSH;伽马 !TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) -!TP_LOCALLAB_GRADANG;Gradient angle -!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 -!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +TP_LOCALLAB_GRADANG;渐变角度 +TP_LOCALLAB_GRADANG_TOOLTIP;旋转角度(单位为°):-180 0 +180 +TP_LOCALLAB_GRADFRA;渐变滤镜蒙版 !TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength -!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance -!TP_LOCALLAB_GRADSTR;Gradient strength +TP_LOCALLAB_GRADLOGFRA;渐变滤镜亮度 +TP_LOCALLAB_GRADSTR;渐变力度 !TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength !TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength !TP_LOCALLAB_GRADSTRHUE;Hue gradient strength !TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength !TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength -!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +TP_LOCALLAB_GRADSTRLUM;亮度渐变力度 !TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops -!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 -!TP_LOCALLAB_GRAINFRA2;Coarseness -!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image +TP_LOCALLAB_GRAINFRA;胶片颗粒 1:1 +TP_LOCALLAB_GRAINFRA2;粗糙度 +TP_LOCALLAB_GRAIN_TOOLTIP;向图片中添加胶片式的颗粒 !TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) !TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) !TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma -!TP_LOCALLAB_GRIDONE;Color Toning -!TP_LOCALLAB_GRIDTWO;Direct +TP_LOCALLAB_GRIDONE;色调映射 +TP_LOCALLAB_GRIDTWO;直接调整 !TP_LOCALLAB_GUIDBL;Soft radius !TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. !TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. -!TP_LOCALLAB_GUIDFILTER;Guided filter radius +TP_LOCALLAB_GUIDFILTER;渐变滤镜半径 !TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. !TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter -!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +TP_LOCALLAB_HHMASK_TOOLTIP;精确调整肤色等具体色相 !TP_LOCALLAB_HIGHMASKCOL;Highlights !TP_LOCALLAB_HLH;H !TP_LOCALLAB_HLHZ;Hz -!TP_LOCALLAB_HUECIE;Hue +TP_LOCALLAB_HUECIE;色相 !TP_LOCALLAB_IND;Independent (mouse) !TP_LOCALLAB_INDSL;Independent (mouse + sliders) -!TP_LOCALLAB_INVBL;Inverse -!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot -!TP_LOCALLAB_INVERS;Inverse -!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot +TP_LOCALLAB_INVBL;反转 +TP_LOCALLAB_INVBL_TOOLTIP;若不希望使用“反转”,也有另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 +TP_LOCALLAB_INVERS;反转 +TP_LOCALLAB_INVERS_TOOLTIP;使用“反转”选项会导致选择变少\n\n另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 !TP_LOCALLAB_INVMASK;Inverse algorithm -!TP_LOCALLAB_ISOGR;Distribution (ISO) +TP_LOCALLAB_ISOGR;分布(ISO) !TP_LOCALLAB_JAB;Uses Black Ev & White Ev !TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". !TP_LOCALLAB_JZ100;Jz reference 100cd/m2 @@ -3357,7 +3358,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_JZHFRA;Curves Hz !TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) !TP_LOCALLAB_JZHUECIE;Hue Rotation -!TP_LOCALLAB_JZLIGHT;Brightness +TP_LOCALLAB_JZLIGHT;视明度 !TP_LOCALLAB_JZLOG;Log encoding Jz !TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. !TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. @@ -3369,16 +3370,16 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. !TP_LOCALLAB_JZQTOJ;Relative luminance !TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. -!TP_LOCALLAB_JZSAT;Saturation -!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +TP_LOCALLAB_JZSAT;饱和度 +TP_LOCALLAB_JZSHFRA;阴影/高光 Jz !TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) !TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter !TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) !TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) !TP_LOCALLAB_JZWAVEXP;Wavelet Jz -!TP_LOCALLAB_LABBLURM;Blur Mask -!TP_LOCALLAB_LABEL;Local Adjustments -!TP_LOCALLAB_LABGRID;Color correction grid +TP_LOCALLAB_LABBLURM;Blur Mask +TP_LOCALLAB_LABEL;局部调整 +TP_LOCALLAB_LABGRID;色彩矫正网格 !TP_LOCALLAB_LABGRIDMERG;Background !TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_LOCALLAB_LABSTRUM;Structure Mask @@ -3391,30 +3392,30 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. !TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. !TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. -!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +TP_LOCALLAB_LC_TOOLNAME;局部反差 & 小波 !TP_LOCALLAB_LEVELBLUR;Maximum blur levels -!TP_LOCALLAB_LEVELWAV;Wavelet levels +TP_LOCALLAB_LEVELWAV;小波层级 !TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 !TP_LOCALLAB_LEVFRA;Levels -!TP_LOCALLAB_LIGHTNESS;Lightness +TP_LOCALLAB_LIGHTNESS;明度 !TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero -!TP_LOCALLAB_LIGHTRETI;Lightness +TP_LOCALLAB_LIGHTRETI;明度 !TP_LOCALLAB_LINEAR;Linearity -!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +TP_LOCALLAB_LIST_NAME;向当前调整点添加工具... !TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing !TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). !TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. !TP_LOCALLAB_LOCCONT;Unsharp Mask -!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +TP_LOCALLAB_LOC_CONTRAST;局部反差 & 小波 !TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: !TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: !TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast !TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur !TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) -!TP_LOCALLAB_LOG;Log Encoding -!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments -!TP_LOCALLAB_LOG2FRA;Viewing Conditions -!TP_LOCALLAB_LOGAUTO;Automatic +TP_LOCALLAB_LOG;Log编码 +TP_LOCALLAB_LOG1FRA;CAM16图像调整 +TP_LOCALLAB_LOG2FRA;观察条件 +TP_LOCALLAB_LOGAUTO;自动 !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. @@ -3432,17 +3433,17 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. !TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. !TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment -!TP_LOCALLAB_LOGEXP;All tools -!TP_LOCALLAB_LOGFRA;Scene Conditions +TP_LOCALLAB_LOGEXP;所有工具 +TP_LOCALLAB_LOGFRA;场景条件 !TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. -!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) -!TP_LOCALLAB_LOGLIGHTL;Lightness (J) -!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. -!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +TP_LOCALLAB_LOGIMAGE_TOOLTIP;将CIECAM的相关参数一同进行考虑,参数包括:对比度(J),饱和度(s),以及对比度(Q),视明度(Q),明度(J),视彩度(M)(在高级模式下) +TP_LOCALLAB_LOGLIGHTL;明度 (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;与L*a*b*的明度相近。会考虑到感知色彩的变化 +TP_LOCALLAB_LOGLIGHTQ;视明度 (Q) !TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. !TP_LOCALLAB_LOGLIN;Logarithm mode !TP_LOCALLAB_LOGPFRA;Relative Exposure Levels -!TP_LOCALLAB_LOGREPART;Overall strength +TP_LOCALLAB_LOGREPART;总体力度 !TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. !TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. !TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. @@ -3450,24 +3451,24 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. !TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. !TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. -!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +TP_LOCALLAB_LOG_TOOLNAME;Log编码 !TP_LOCALLAB_LUM;LL - CC -!TP_LOCALLAB_LUMADARKEST;Darkest +TP_LOCALLAB_LUMADARKEST;最暗 !TP_LOCALLAB_LUMASK;Background color/luma mask !TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) -!TP_LOCALLAB_LUMAWHITESEST;Lightest -!TP_LOCALLAB_LUMFRA;L*a*b* standard -!TP_LOCALLAB_LUMONLY;Luminance only +TP_LOCALLAB_LUMAWHITESEST;最亮 +TP_LOCALLAB_LUMFRA;L*a*b*标准 +TP_LOCALLAB_LUMONLY;仅亮度 !TP_LOCALLAB_MASFRAME;Mask and Merge !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. -!TP_LOCALLAB_MASK;Curves -!TP_LOCALLAB_MASK2;Contrast curve +TP_LOCALLAB_MASK;曲线 +TP_LOCALLAB_MASK2;对比度曲线 !TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask -!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of 范围. !TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection -!TP_LOCALLAB_MASKDDECAY;Decay strength +TP_LOCALLAB_MASKDDECAY;衰减力度 !TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions !TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. !TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". @@ -3481,7 +3482,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 !TP_LOCALLAB_MASKLCTHR;Light area luminance threshold @@ -3500,18 +3501,18 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. !TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied -!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +TP_LOCALLAB_MASKRECOTHRES;恢复阈值 !TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied !TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied !TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied !TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied !TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied !TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the 鲜明度 and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings \n In between these two areas, the full value of the 鲜明度 and Warm Cool settings will be applied !TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied !TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) !TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) @@ -3559,25 +3560,25 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. !TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 !TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. -!TP_LOCALLAB_MODE_EXPERT;Advanced -!TP_LOCALLAB_MODE_NORMAL;Standard -!TP_LOCALLAB_MODE_SIMPLE;Basic +TP_LOCALLAB_MODE_EXPERT;高级 +TP_LOCALLAB_MODE_NORMAL;标准 +TP_LOCALLAB_MODE_SIMPLE;基础 !TP_LOCALLAB_MRFIV;Background !TP_LOCALLAB_MRFOU;Previous Spot -!TP_LOCALLAB_MRONE;None -!TP_LOCALLAB_MRTHR;Original Image +TP_LOCALLAB_MRONE;无 +TP_LOCALLAB_MRTHR;原图 !TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV -!TP_LOCALLAB_NEIGH;Radius +TP_LOCALLAB_NEIGH;半径 !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. !TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. !TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. !TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. -!TP_LOCALLAB_NLDET;Detail recovery +TP_LOCALLAB_NLDET;细节恢复 !TP_LOCALLAB_NLFRA;Non-local Means - Luminance !TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. -!TP_LOCALLAB_NLGAM;Gamma -!TP_LOCALLAB_NLLUM;Strength +TP_LOCALLAB_NLGAM;伽马 +TP_LOCALLAB_NLLUM;力度 !TP_LOCALLAB_NLPAT;Maximum patch size !TP_LOCALLAB_NLRAD;Maximum radius size !TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) @@ -3585,48 +3586,48 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery !TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) !TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 -!TP_LOCALLAB_NOISEGAM;Gamma +TP_LOCALLAB_NOISEGAM;伽马 !TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. !TP_LOCALLAB_NOISELEQUAL;Equalizer white-black !TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) -!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +TP_LOCALLAB_NOISELUMDETAIL;亮度细节恢复 !TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) !TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) !TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) -!TP_LOCALLAB_NOISEMETH;Denoise -!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise -!TP_LOCALLAB_NONENOISE;None +TP_LOCALLAB_NOISEMETH;去噪 +TP_LOCALLAB_NOISE_TOOLTIP;增加亮度噪点 +TP_LOCALLAB_NONENOISE;无 !TP_LOCALLAB_NUL_TOOLTIP;. -!TP_LOCALLAB_OFFS;Offset -!TP_LOCALLAB_OFFSETWAV;Offset -!TP_LOCALLAB_OPACOL;Opacity +TP_LOCALLAB_OFFS;偏移 +TP_LOCALLAB_OFFSETWAV;偏移 +TP_LOCALLAB_OPACOL;不透明度 !TP_LOCALLAB_ORIGLC;Merge only with original image -!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘Scope’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘范围’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). !TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced -!TP_LOCALLAB_PASTELS2;Vibrance +TP_LOCALLAB_PASTELS2;鲜明度 !TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression !TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ !TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. -!TP_LOCALLAB_PREVHIDE;Hide additional settings -!TP_LOCALLAB_PREVIEW;Preview ΔE -!TP_LOCALLAB_PREVSHOW;Show additional settings -!TP_LOCALLAB_PROXI;ΔE decay -!TP_LOCALLAB_QUAAGRES;Aggressive -!TP_LOCALLAB_QUACONSER;Conservative -!TP_LOCALLAB_QUALCURV_METHOD;Curve type +TP_LOCALLAB_PREVHIDE;隐藏额外设置 +TP_LOCALLAB_PREVIEW;预览ΔE +TP_LOCALLAB_PREVSHOW;显示额外设置 +TP_LOCALLAB_PROXI;ΔE衰减 +TP_LOCALLAB_QUAAGRES;激进 +TP_LOCALLAB_QUACONSER;保守 +TP_LOCALLAB_QUALCURV_METHOD;曲线类型 !TP_LOCALLAB_QUAL_METHOD;Global quality !TP_LOCALLAB_QUANONEALL;Off !TP_LOCALLAB_QUANONEWAV;Non-local means only -!TP_LOCALLAB_RADIUS;Radius +TP_LOCALLAB_RADIUS;半径 !TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 !TP_LOCALLAB_RADMASKCOL;Smooth radius !TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). -!TP_LOCALLAB_RECT;Rectangle +TP_LOCALLAB_RECT;矩形 !TP_LOCALLAB_RECURS;Recursive references !TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. !TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 -!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name -!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +TP_LOCALLAB_REN_DIALOG_LAB;为控制点输入新的名称 +TP_LOCALLAB_REN_DIALOG_NAME;重命名控制点 !TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. !TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. !TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. @@ -3634,16 +3635,16 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. !TP_LOCALLAB_RESETSHOW;Reset All Show Modifications -!TP_LOCALLAB_RESID;Residual Image +TP_LOCALLAB_RESID;残差图 !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma !TP_LOCALLAB_RESIDCOMP;Compress residual image !TP_LOCALLAB_RESIDCONT;Residual image Contrast -!TP_LOCALLAB_RESIDHI;Highlights -!TP_LOCALLAB_RESIDHITHR;Highlights threshold -!TP_LOCALLAB_RESIDSHA;Shadows -!TP_LOCALLAB_RESIDSHATHR;Shadows threshold -!TP_LOCALLAB_RETI;Dehaze & Retinex +TP_LOCALLAB_RESIDHI;高光 +TP_LOCALLAB_RESIDHITHR;高光阈值 +TP_LOCALLAB_RESIDSHA;阴影 +TP_LOCALLAB_RESIDSHATHR;阴影阈值 +TP_LOCALLAB_RETI;去雾 & Retinex !TP_LOCALLAB_RETIFRA;Retinex !TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). !TP_LOCALLAB_RETIM;Original Retinex @@ -3654,46 +3655,46 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. !TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. !TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. -!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex -!TP_LOCALLAB_REWEI;Reweighting iterates -!TP_LOCALLAB_RGB;RGB Tone Curve -!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. -!TP_LOCALLAB_ROW_NVIS;Not visible -!TP_LOCALLAB_ROW_VIS;Visible +TP_LOCALLAB_RET_TOOLNAME;去雾 & Retinex +TP_LOCALLAB_REWEI;再加权迭代 +TP_LOCALLAB_RGB;RGB色调曲线 +TP_LOCALLAB_RGBCURVE_TOOLTIP;RGB模式下有四个选择:标准,加权标准,亮度,以及仿胶片式 +TP_LOCALLAB_ROW_NVIS;隐藏 +TP_LOCALLAB_ROW_VIS;可见 !TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. -!TP_LOCALLAB_SATUR;Saturation -!TP_LOCALLAB_SATURV;Saturation (s) +TP_LOCALLAB_SATUR;饱和度 +TP_LOCALLAB_SATURV;饱和度 (s) !TP_LOCALLAB_SAVREST;Save - Restore Current Image !TP_LOCALLAB_SCALEGR;Scale !TP_LOCALLAB_SCALERETI;Scale !TP_LOCALLAB_SCALTM;Scale -!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK;范围 (ΔE image mask) !TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area -!TP_LOCALLAB_SENSI;Scope -!TP_LOCALLAB_SENSIEXCLU;Scope +TP_LOCALLAB_SENSI;范围 +TP_LOCALLAB_SENSIEXCLU;范围 !TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded -!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using 'Scope (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ +!TP_LOCALLAB_SENSIMASK_TOOLTIP;范围 adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using '范围 (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ !TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors -!TP_LOCALLAB_SETTINGS;Settings -!TP_LOCALLAB_SH1;Shadows Highlights -!TP_LOCALLAB_SH2;Equalizer -!TP_LOCALLAB_SHADEX;Shadows -!TP_LOCALLAB_SHADEXCOMP;Shadow compression -!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +TP_LOCALLAB_SETTINGS;设置 +TP_LOCALLAB_SH1;阴影与高光 +TP_LOCALLAB_SH2;均衡器 +TP_LOCALLAB_SHADEX;阴影 +TP_LOCALLAB_SHADEXCOMP;阴影压缩 +TP_LOCALLAB_SHADHIGH;阴影/高光 & 色调均衡器 !TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm !TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm !TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. -!TP_LOCALLAB_SHAMASKCOL;Shadows -!TP_LOCALLAB_SHAPETYPE;RT-spot shape -!TP_LOCALLAB_SHAPE_TOOLTIP;”Ellipse” is the normal mode.\n “Rectangle” can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. -!TP_LOCALLAB_SHARAMOUNT;Amount -!TP_LOCALLAB_SHARBLUR;Blur radius +TP_LOCALLAB_SHAMASKCOL;阴影 +TP_LOCALLAB_SHAPETYPE;RT调整点形状 +TP_LOCALLAB_SHAPE_TOOLTIP;“椭圆”是正常模式\n部分情况下会用到“矩形”,比如需要让一个调整点覆盖整张图片的时候,便可以使用矩形点,并将限位点拖移到图片之外。这种情况需要你将过渡值设为100\n\n未来会开发多边形调整点与贝塞尔曲线 +TP_LOCALLAB_SHARAMOUNT;数量 +TP_LOCALLAB_SHARBLUR;模糊半径 !TP_LOCALLAB_SHARDAMPING;Damping !TP_LOCALLAB_SHARFRAME;Modifications -!TP_LOCALLAB_SHARITER;Iterations -!TP_LOCALLAB_SHARP;Sharpening -!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening -!TP_LOCALLAB_SHARRADIUS;Radius +TP_LOCALLAB_SHARITER;迭代 +TP_LOCALLAB_SHARP;锐化 +TP_LOCALLAB_SHARP_TOOLNAME;锐化 +TP_LOCALLAB_SHARRADIUS;半径 !TP_LOCALLAB_SHORTC;Short Curves 'L' Mask !TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 !TP_LOCALLAB_SHOWC;Mask and modifications @@ -3704,13 +3705,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) !TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) !TP_LOCALLAB_SHOWLC;Mask and modifications -!TP_LOCALLAB_SHOWMASK;Show mask +TP_LOCALLAB_SHOWMASK;显示蒙版 !TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. !TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. -!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise -!TP_LOCALLAB_SHOWMASKTYP2;Denoise -!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise -!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the Scope sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +TP_LOCALLAB_SHOWMASKTYP1;模糊 & 噪点 +TP_LOCALLAB_SHOWMASKTYP2;去噪 +TP_LOCALLAB_SHOWMASKTYP3;模糊 & 噪点 + 去噪 +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the 范围 sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. !TP_LOCALLAB_SHOWMNONE;Show modified image !TP_LOCALLAB_SHOWMODIF;Show modified areas without mask !TP_LOCALLAB_SHOWMODIF2;Show modified areas @@ -3719,50 +3720,50 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) !TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) !TP_LOCALLAB_SHOWR;Mask and modifications -!TP_LOCALLAB_SHOWREF;Preview ΔE +TP_LOCALLAB_SHOWREF;预览ΔE !TP_LOCALLAB_SHOWS;Mask and modifications !TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) !TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) !TP_LOCALLAB_SHOWT;Mask and modifications !TP_LOCALLAB_SHOWVI;Mask and modifications -!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +TP_LOCALLAB_SHRESFRA;阴影/高光 & 色调响应曲线 !TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). -!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +TP_LOCALLAB_SH_TOOLNAME;阴影/高光 & 色调均衡器 !TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q !TP_LOCALLAB_SIGJZFRA;Sigmoid Jz -!TP_LOCALLAB_SIGMAWAV;Attenuation response +TP_LOCALLAB_SIGMAWAV;衰减响应 !TP_LOCALLAB_SIGMOIDBL;Blend -!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +TP_LOCALLAB_SIGMOIDLAMBDA;对比度 !TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev !TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) !TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. -!TP_LOCALLAB_SIM;Simple +TP_LOCALLAB_SIM;简单 !TP_LOCALLAB_SLOMASKCOL;Slope !TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. !TP_LOCALLAB_SLOSH;Slope !TP_LOCALLAB_SOFT;Soft Light & Original Retinex -!TP_LOCALLAB_SOFTM;Soft Light +TP_LOCALLAB_SOFTM;柔光 !TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. !TP_LOCALLAB_SOFTRADIUSCOL;Soft radius !TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. -!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +TP_LOCALLAB_SOFTRETI;减少ΔE杂点 !TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map !TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex -!TP_LOCALLAB_SOURCE_ABS;Absolute luminance -!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +TP_LOCALLAB_SOURCE_ABS;绝对亮度 +TP_LOCALLAB_SOURCE_GRAY;平均亮度(Yb%) !TP_LOCALLAB_SPECCASE;Specific cases !TP_LOCALLAB_SPECIAL;Special use of RGB curves -!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘Scope’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. -!TP_LOCALLAB_SPOTNAME;New Spot -!TP_LOCALLAB_STD;Standard -!TP_LOCALLAB_STR;Strength -!TP_LOCALLAB_STRBL;Strength -!TP_LOCALLAB_STREN;Compression strength -!TP_LOCALLAB_STRENG;Strength -!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘范围’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +TP_LOCALLAB_SPOTNAME;建立新调整点 +TP_LOCALLAB_STD;标准 +TP_LOCALLAB_STR;力度 +TP_LOCALLAB_STRBL;力度 +TP_LOCALLAB_STREN;压缩力度 +TP_LOCALLAB_STRENG;力度 +TP_LOCALLAB_STRENGR;力度 !TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). -!TP_LOCALLAB_STRENGTH;Noise -!TP_LOCALLAB_STRGRID;Strength +TP_LOCALLAB_STRENGTH;噪点 +TP_LOCALLAB_STRGRID;力度 !TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. !TP_LOCALLAB_STRUC;Structure !TP_LOCALLAB_STRUCCOL;Spot structure @@ -3775,7 +3776,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. !TP_LOCALLAB_SYM;Symmetrical (mouse) !TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) -!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +TP_LOCALLAB_TARGET_GRAY;平均亮度(Yb%) !TP_LOCALLAB_THRES;Threshold structure !TP_LOCALLAB_THRESDELTAE;ΔE scope threshold !TP_LOCALLAB_THRESRETI;Threshold @@ -3783,24 +3784,24 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 !TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 !TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. -!TP_LOCALLAB_TM;Tone Mapping +TP_LOCALLAB_TM;色调映射 !TP_LOCALLAB_TM_MASK;Use transmission map !TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. !TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. !TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. !TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. !TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted -!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +TP_LOCALLAB_TONE_TOOLNAME;色调映射 !TP_LOCALLAB_TOOLCOL;Structure mask as tool !TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists !TP_LOCALLAB_TOOLMASK;Mask Tools -!TP_LOCALLAB_TOOLMASK_2;Wavelets +TP_LOCALLAB_TOOLMASK_2;小波 !TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. -!TP_LOCALLAB_TRANSIT;Transition Gradient -!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY -!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition -!TP_LOCALLAB_TRANSITVALUE;Transition value -!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +TP_LOCALLAB_TRANSIT;渐变过渡 +TP_LOCALLAB_TRANSITGRAD;横纵过渡差 +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;允许你对纵向过渡进行调整 +TP_LOCALLAB_TRANSITVALUE;过渡值 +TP_LOCALLAB_TRANSITWEAK;渐变衰减(线性-对数) !TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) !TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" !TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain @@ -3808,13 +3809,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts !TP_LOCALLAB_USEMASK;Laplacian !TP_LOCALLAB_VART;Variance (contrast) -!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool -!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. -!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +TP_LOCALLAB_VIBRANCE;鲜明度 & 冷暖 +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts 鲜明度 (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +TP_LOCALLAB_VIB_TOOLNAME;鲜明度 & 冷暖 !TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. !TP_LOCALLAB_WAMASKCOL;Mask Wavelet level -!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts -!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +TP_LOCALLAB_WARM;冷暖 & 杂色 +TP_LOCALLAB_WARM_TOOLTIP;此滑条使用CIECAM算法,表现为白平衡控制工具,令选中区域的色温偏冷/暖\n部分情况下此工具可以减少色彩杂点 !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. @@ -3823,7 +3824,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. -!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘衰减响应’ value you can select which contrast values will be enhanced. !TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. !TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. !TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. @@ -3843,7 +3844,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. !TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. !TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. -!TP_LOCALLAB_WAV;Local contrast +TP_LOCALLAB_WAV;局部反差 !TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. !TP_LOCALLAB_WAVCOMP;Compression by level !TP_LOCALLAB_WAVCOMPRE;Compression by level @@ -3851,9 +3852,9 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal !TP_LOCALLAB_WAVCON;Contrast by level !TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. -!TP_LOCALLAB_WAVDEN;Luminance denoise -!TP_LOCALLAB_WAVE;Wavelets -!TP_LOCALLAB_WAVEDG;Local contrast +TP_LOCALLAB_WAVDEN;亮度去噪 +TP_LOCALLAB_WAVE;小波 +TP_LOCALLAB_WAVEDG;局部反差 !TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. !TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). !TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. @@ -3861,7 +3862,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. !TP_LOCALLAB_WAVLEV;Blur by level !TP_LOCALLAB_WAVLOW;Wavelet low -!TP_LOCALLAB_WAVMASK;Local contrast +TP_LOCALLAB_WAVMASK;局部反差 !TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) !TP_LOCALLAB_WAVMED;Wavelet normal !TP_LOCALLAB_WEDIANHI;Median Hi @@ -3873,20 +3874,20 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCAL_WIDTH;Right !TP_LOCAL_WIDTH_L;Left !TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n -!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor -!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length -!TP_PERSPECTIVE_CAMERA_FRAME;Correction -!TP_PERSPECTIVE_CAMERA_PITCH;Vertical -!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +TP_PERSPECTIVE_CAMERA_CROP_FACTOR;裁切系数 +TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;焦距 +TP_PERSPECTIVE_CAMERA_FRAME;矫正 +TP_PERSPECTIVE_CAMERA_PITCH;垂直 +TP_PERSPECTIVE_CAMERA_ROLL;旋转 !TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift !TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift -!TP_PERSPECTIVE_CAMERA_YAW;Horizontal -!TP_PERSPECTIVE_CONTROL_LINES;Control lines -!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line -!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. -!TP_PERSPECTIVE_METHOD;Method -!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based -!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +TP_PERSPECTIVE_CAMERA_YAW;水平 +TP_PERSPECTIVE_CONTROL_LINES;控制线 +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+拖移:画一条新线\n右击:删除线 +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;必须有至少两条水平或两条垂直控制线 +TP_PERSPECTIVE_METHOD;方法 +TP_PERSPECTIVE_METHOD_CAMERA_BASED;基于相机 +TP_PERSPECTIVE_METHOD_SIMPLE;简单 !TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment !TP_PERSPECTIVE_PROJECTION_PITCH;Vertical !TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation @@ -3894,10 +3895,10 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift !TP_PERSPECTIVE_PROJECTION_YAW;Horizontal !TP_PERSPECTIVE_RECOVERY_FRAME;Recovery -!TP_PREPROCWB_LABEL;Preprocess White Balance -!TP_PREPROCWB_MODE;Mode -!TP_PREPROCWB_MODE_AUTO;Auto -!TP_PREPROCWB_MODE_CAMERA;Camera +TP_PREPROCWB_LABEL;预处理白平衡 +TP_PREPROCWB_MODE;模式 +TP_PREPROCWB_MODE_AUTO;自动 +TP_PREPROCWB_MODE_CAMERA;相机 !TP_RAWEXPOS_TWOGREEN;Link greens !TP_RAW_1PASSMEDIUM;1-pass (Markesteijn) !TP_RAW_2PASS;1-pass+fast @@ -3906,8 +3907,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_FAST;Fast -!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts -!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +TP_RAW_PIXELSHIFTAVERAGE;对动体区域使用平均值 +TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;动体区域的内容将会变为四张图片平均混合的结果\n对于缓慢移动的物体会有运动模糊的效果 !TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix @@ -3940,13 +3941,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RETINEX_GRADS_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Strength is reduced when iterations increase, and conversely. !TP_RETINEX_GRAD_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Variance and Threshold are reduced when iterations increase, and conversely. !TP_RETINEX_HIGH;High -!TP_RETINEX_HIGHLIG;Highlight -!TP_RETINEX_HIGHLIGHT;Highlight threshold +TP_RETINEX_HIGHLIG;高光 +TP_RETINEX_HIGHLIGHT;高光阈值 !TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) -!TP_RETINEX_ITERF;Tone mapping +TP_RETINEX_ITERF;色调映射 !TP_RETINEX_ITER_TOOLTIP;Simulate a tone-mapping operator.\nHigh values increase the processing time. !TP_RETINEX_LABEL;Retinex !TP_RETINEX_LABEL_MASK;Mask @@ -3963,17 +3964,17 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. !TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 !TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending -!TP_RETINEX_NEIGHBOR;Radius -!TP_RETINEX_NEUTRAL;Reset +TP_RETINEX_NEIGHBOR;半径 +TP_RETINEX_NEUTRAL;重置 !TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. -!TP_RETINEX_SETTINGS;Settings +TP_RETINEX_SETTINGS;设置 !TP_RETINEX_SKAL;Scale !TP_RETINEX_SLOPE;Free gamma slope -!TP_RETINEX_STRENGTH;Strength -!TP_RETINEX_THRESHOLD;Threshold +TP_RETINEX_STRENGTH;力度 +TP_RETINEX_THRESHOLD;阈值 !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. !TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 !TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 @@ -3990,31 +3991,31 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed -!TP_SPOT_COUNTLABEL;%1 point(s) -!TP_SPOT_DEFAULT_SIZE;Default spot size +TP_SPOT_COUNTLABEL;%1个点 +TP_SPOT_DEFAULT_SIZE;默认点大小 !TP_SPOT_ENTRYCHANGED;Point changed -!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. -!TP_SPOT_LABEL;Spot Removal +TP_SPOT_HINT;点击此按钮后便可在预览图中进行操作\n\n若要编辑一个点,将光标移动到点上,令编辑圆出现\n\n若要添加一个点,按住Ctrl键并单击鼠标左键,然后松开Ctrl键,单击生成的点,将鼠标拖移到你希望用于复制的区域上,最后松开鼠标\n\n如要拖移复制/被复制点,将光标移到点的中心后进行拖移\n\n将鼠标移动到内圈(最大有效区域)和外“渐变”圈的白线上可以更改它们的大小(线会变为橙色),拖动圈线即可(线会继续变红)\n\n完成调整后,鼠标右键单击图片空白区域或再次点击此按钮便可退出污点编辑模式 +TP_SPOT_LABEL;污点移除 !TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Skin-tones -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Red/Purple -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Red -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Red/Yellow -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Yellow -!TP_VIBRANCE_LABEL;Vibrance -!TP_VIBRANCE_PASTELS;Pastel tones -!TP_VIBRANCE_PASTSATTOG;Link pastel and saturated tones -!TP_VIBRANCE_PSTHRESHOLD;Pastel/saturated tones threshold -!TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;Saturation threshold -!TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;The vertical axis represents pastel tones at the bottom and saturated tones at the top.\nThe horizontal axis represents the saturation range. -!TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Pastel/saturated transition's weighting -!TP_VIBRANCE_SATURATED;Saturated Tones +TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;肤色 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;红/紫 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;红 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;红/黄 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;黄 +TP_VIBRANCE_LABEL;鲜明度 +TP_VIBRANCE_PASTELS;欠饱和色调 +TP_VIBRANCE_PASTSATTOG;将饱和色与欠饱和色挂钩 +TP_VIBRANCE_PSTHRESHOLD;欠饱和/饱和色阈值 +TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;饱和度阈值 +TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;纵向底部代表欠饱和色,顶部代表饱和色\n横轴代表整个饱和度范围 +TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;欠饱和/饱和色过渡权重 +TP_VIBRANCE_SATURATED;饱和色调 !TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BL;Blur levels !TP_WAVELET_BLCURVE;Blur by levels !TP_WAVELET_BLURFRAME;Blur -!TP_WAVELET_BLUWAV;Attenuation response +TP_WAVELET_BLUWAV;衰减响应 !TP_WAVELET_CBENAB;Toning and Color balance !TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance !TP_WAVELET_CHROFRAME;Denoise chrominance @@ -4026,13 +4027,13 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" !TP_WAVELET_CLA;Clarity !TP_WAVELET_CLARI;Sharp-mask and Clarity -!TP_WAVELET_COLORT;Opacity red-green -!TP_WAVELET_COMPEXPERT;Advanced +TP_WAVELET_COLORT;红-绿不透明度 +TP_WAVELET_COMPEXPERT;高级 !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. -!TP_WAVELET_COMPLEXLAB;Complexity -!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations -!TP_WAVELET_COMPNORMAL;Standard +TP_WAVELET_COMPLEXLAB;工具复杂度 +TP_WAVELET_COMPLEX_TOOLTIP;标准:显示适用于大部分后期处理的工具,少部分被隐藏\n高级:显示可以用于高级操作的完整工具列表 +TP_WAVELET_COMPNORMAL;标准 !TP_WAVELET_CONTEDIT;'After' contrast curve !TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels @@ -4050,10 +4051,10 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_DEN12PLUS;1 2 High !TP_WAVELET_DEN14LOW;1 4 Low !TP_WAVELET_DEN14PLUS;1 4 High -!TP_WAVELET_DENCONTRAST;Local contrast Equalizer +TP_WAVELET_DENCONTRAST;局部反差均衡器 !TP_WAVELET_DENCURV;Curve !TP_WAVELET_DENEQUAL;1 2 3 4 Equal -!TP_WAVELET_DENH;Threshold +TP_WAVELET_DENH;阈值 !TP_WAVELET_DENL;Correction structure !TP_WAVELET_DENLH;Guided threshold levels 1-4 !TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained @@ -4061,29 +4062,29 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_DENOISE;Guide curve based on Local contrast !TP_WAVELET_DENOISEGUID;Guided threshold based on hue !TP_WAVELET_DENOISEH;High levels Curve Local contrast -!TP_WAVELET_DENOISEHUE;Denoise hue equalizer -!TP_WAVELET_DENQUA;Mode +TP_WAVELET_DENOISEHUE;去噪色相均衡器 +TP_WAVELET_DENQUA;模式 !TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide -!TP_WAVELET_DENSLI;Slider +TP_WAVELET_DENSLI;滑条 !TP_WAVELET_DENSLILAB;Method !TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter -!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color -!TP_WAVELET_DETEND;Details +TP_WAVELET_DENWAVHUE_TOOLTIP;根据色相来增强/减弱降噪力度 +TP_WAVELET_DETEND;细节 !TP_WAVELET_DIRFRAME;Directional contrast -!TP_WAVELET_EDEFFECT;Attenuation response +TP_WAVELET_EDEFFECT;衰减响应 !TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment !TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. -!TP_WAVELET_EDGEAMPLI;Base amplification -!TP_WAVELET_EDGEDETECT;Gradient sensitivity +TP_WAVELET_EDGEAMPLI;放大基数 +TP_WAVELET_EDGEDETECT;渐变敏感度 !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) !TP_WAVELET_EDGEDETECTTHR2;Edge enhancement !TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. -!TP_WAVELET_EDGESENSI;Edge sensitivity -!TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. +TP_WAVELET_EDGESENSI;边缘敏感度 +TP_WAVELET_EDGREINF_TOOLTIP;增强或减弱对于第一级的调整,并对第二级的强弱进行与之相反的调整,其他层级不受影响 !TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect -!TP_WAVELET_FINAL;Final Touchup -!TP_WAVELET_FINCFRAME;Final local contrast +TP_WAVELET_FINAL;最终润色 +TP_WAVELET_FINCFRAME;最终局部反差 !TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values !TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter !TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) @@ -4098,47 +4099,47 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_LEVELSIGM;Radius !TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 -!TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Coarser levels luminance range -!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise +TP_WAVELET_LIPST;算法增强 +TP_WAVELET_LOWLIGHT;粗糙层级亮度范围 +TP_WAVELET_LOWTHR_TOOLTIP;避免放大细节和噪点 !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. !TP_WAVELET_MERGEC;Merge chroma !TP_WAVELET_MERGEL;Merge luma !TP_WAVELET_MIXCONTRAST;Reference -!TP_WAVELET_MIXDENOISE;Denoise +TP_WAVELET_MIXDENOISE;去噪 !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise -!TP_WAVELET_MIXNOISE;Noise +TP_WAVELET_MIXNOISE;噪点 !TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. -!TP_WAVELET_NPTYPE;Neighboring pixels +TP_WAVELET_NPTYPE;临近像素 !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low 衰减响应 value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values -!TP_WAVELET_OPACITY;Opacity blue-yellow -!TP_WAVELET_OPACITYWL;Local contrast +TP_WAVELET_OPACITY;蓝-黄不透明度 +TP_WAVELET_OPACITYWL;局部反差 !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. -!TP_WAVELET_PASTEL;Pastel chroma +TP_WAVELET_PASTEL;欠饱和色 !TP_WAVELET_PROTAB;Protection -!TP_WAVELET_QUAAGRES;Aggressive -!TP_WAVELET_QUACONSER;Conservative -!TP_WAVELET_QUANONE;Off +TP_WAVELET_QUAAGRES;激进 +TP_WAVELET_QUACONSER;保守 +TP_WAVELET_QUANONE;关闭 !TP_WAVELET_RADIUS;Radius shadows - highlight !TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RESBLUR;Blur luminance !TP_WAVELET_RESBLURC;Blur chroma !TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500% -!TP_WAVELET_SAT;Saturated chroma +TP_WAVELET_SAT;饱和色 !TP_WAVELET_SHA;Sharp mask -!TP_WAVELET_SHFRAME;Shadows/Highlights +TP_WAVELET_SHFRAME;阴影/高光 !TP_WAVELET_SHOWMASK;Show wavelet 'mask' -!TP_WAVELET_SIGM;Radius -!TP_WAVELET_SIGMA;Attenuation response -!TP_WAVELET_SIGMAFIN;Attenuation response +TP_WAVELET_SIGM;半径 +TP_WAVELET_SIGMA;衰减响应 +TP_WAVELET_SIGMAFIN;衰减响应 !TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values !TP_WAVELET_SOFTRAD;Soft radius -!TP_WAVELET_STREND;Strength +TP_WAVELET_STREND;力度 !TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. -!TP_WAVELET_THREND;Local contrast threshold +TP_WAVELET_THREND;局部反差阈值 !TP_WAVELET_THRESHOLD;Finer levels !TP_WAVELET_THRESHOLD2;Coarser levels !TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of ‘wavelet levels’ will be affected by the Shadow luminance range. @@ -4146,25 +4147,25 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_THRESWAV;Balance threshold !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale -!TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. -!TP_WAVELET_TMTYPE;Compression method +TP_WAVELET_TMSTRENGTH;压缩力度 +TP_WAVELET_TMSTRENGTH_TOOLTIP;控制对于残差图的色调映射/对比度压缩力度 +TP_WAVELET_TMTYPE;压缩方法 !TP_WAVELET_TONFRAME;Excluded colors !TP_WAVELET_USH;None !TP_WAVELET_USHARP;Clarity method !TP_WAVELET_USHARP_TOOLTIP;Origin : the source file is the file before Wavelet.\nWavelet : the source file is the file including wavelet threatment !TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. !TP_WAVELET_WAVLOWTHR;Low contrast threshold -!TP_WAVELET_WAVOFFSET;Offset +TP_WAVELET_WAVOFFSET;偏移 !TP_WBALANCE_AUTOITCGREEN;Temperature correlation !TP_WBALANCE_AUTOOLD;RGB grey -!TP_WBALANCE_AUTO_HEADER;Automatic +TP_WBALANCE_AUTO_HEADER;自动 !TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. -!TP_WBALANCE_FLUO1;F1 - Daylight -!TP_WBALANCE_FLUO2;F2 - Cool White -!TP_WBALANCE_FLUO3;F3 - White -!TP_WBALANCE_FLUO4;F4 - Warm White -!TP_WBALANCE_FLUO5;F5 - Daylight +TP_WBALANCE_FLUO1;F1 - 日光 +TP_WBALANCE_FLUO2;F2 - 冷白 +TP_WBALANCE_FLUO3;F3 - 白色 +TP_WBALANCE_FLUO4;F4 - 暖白 +TP_WBALANCE_FLUO5;F5 - 日光 !TP_WBALANCE_FLUO6;F6 - Lite White !TP_WBALANCE_FLUO7;F7 - D65 Daylight Simulator !TP_WBALANCE_FLUO8;F8 - D50 / Sylvania F40 Design From 2924128311d7fa5165a477b83a84c57870c3799b Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sat, 17 Sep 2022 23:13:51 -0700 Subject: [PATCH 104/170] Set -ffp-contract=off compiler flag for GCC >= 11 Replace the previous workaround of setting -fno-tree-loop-vectorize for a GCC optimization bug. (#6384) --- CMakeLists.txt | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 068b70e79..30e646fd8 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -45,10 +45,14 @@ if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION endif() # Warning for GCC vectorization issues, which causes problems #5749 and #6384: -if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND ((CMAKE_CXX_COMPILER_VERSION VERSION_GREATER "10.0" AND CMAKE_CXX_COMPILER_VERSION VERSION_LESS "10.2") OR (CMAKE_CXX_COMPILER_VERSION VERSION_GREATER_EQUAL "11.0"))) +if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION VERSION_GREATER "10.0" AND CMAKE_CXX_COMPILER_VERSION VERSION_LESS "10.2") message(STATUS "WARNING: gcc ${CMAKE_CXX_COMPILER_VERSION} is known to miscompile RawTherapee when using -ftree-loop-vectorize, forcing the option to be off") set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -fno-tree-loop-vectorize") set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -fno-tree-loop-vectorize") +elseif(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION VERSION_GREATER_EQUAL "11.0") + message(STATUS "WARNING: gcc ${CMAKE_CXX_COMPILER_VERSION} is known to miscompile RawTherapee when using --ffp-contract=fast, forcing the option to be off") + set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -ffp-contract=off") + set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -ffp-contract=off") endif() # We might want to build using the old C++ ABI, even when using a new GCC From 799452ac884345bde082a92997534bc56184c5b2 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 23 Sep 2022 16:37:46 +0200 Subject: [PATCH 105/170] Review of default #5664 --- rtdata/languages/default | 152 +++++++++++++++++++-------------------- rtgui/colorappearance.cc | 1 - 2 files changed, 76 insertions(+), 77 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index e3640c528..ba5afdc1e 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -417,39 +417,39 @@ HISTORY_MSG_170;Vibrance - HH curve HISTORY_MSG_171;L*a*b* - LC curve HISTORY_MSG_172;L*a*b* - Restrict LC HISTORY_MSG_173;NR - Detail recovery -HISTORY_MSG_174;CIECAM02/16 -HISTORY_MSG_175;CAM02/16 - CAT02/16 adaptation -HISTORY_MSG_176;CAM02/16 - Viewing surround -HISTORY_MSG_177;CAM02/16 - Scene luminosity -HISTORY_MSG_178;CAM02/16 - Viewing luminosity -HISTORY_MSG_179;CAM02/16 - White-point model -HISTORY_MSG_180;CAM02/16 - Lightness (J) -HISTORY_MSG_181;CAM02/16 - Chroma (C) -HISTORY_MSG_182;CAM02/16 - Automatic CAT02/16 -HISTORY_MSG_183;CAM02/16 - Contrast (J) -HISTORY_MSG_184;CAM02/16 - Scene surround -HISTORY_MSG_185;CAM02/16 - Gamut control -HISTORY_MSG_186;CAM02/16 - Algorithm -HISTORY_MSG_187;CAM02/16 - Red/skin prot. -HISTORY_MSG_188;CAM02/16 - Brightness (Q) -HISTORY_MSG_189;CAM02/16 - Contrast (Q) -HISTORY_MSG_190;CAM02/16 - Saturation (S) -HISTORY_MSG_191;CAM02/16 - Colorfulness (M) -HISTORY_MSG_192;CAM02/16 - Hue (h) -HISTORY_MSG_193;CAM02/16 - Tone curve 1 -HISTORY_MSG_194;CAM02/16 - Tone curve 2 -HISTORY_MSG_195;CAM02/16 - Tone curve 1 -HISTORY_MSG_196;CAM02/16 - Tone curve 2 -HISTORY_MSG_197;CAM02/16 - Color curve -HISTORY_MSG_198;CAM02/16 - Color curve -HISTORY_MSG_199;CAM02/16 - Output histograms -HISTORY_MSG_200;CAM02/16 - Tone mapping +HISTORY_MSG_174;Color Appearance & Lighting +HISTORY_MSG_175;CAL - SC - Adaptation +HISTORY_MSG_176;CAL - VC - Surround +HISTORY_MSG_177;CAL - SC - Absolute luminance +HISTORY_MSG_178;CAL - VC - Absolute luminance +HISTORY_MSG_179;CAL - SC - WP model +HISTORY_MSG_180;CAL - IA - Lightness (J) +HISTORY_MSG_181;CAL - IA - Chroma (C) +HISTORY_MSG_182;CAL - SC - Auto adaptation +HISTORY_MSG_183;CAL - IA - Contrast (J) +HISTORY_MSG_184;CAL - SC - Surround +HISTORY_MSG_185;CAL - Gamut control +HISTORY_MSG_186;CAL - IA - Algorithm +HISTORY_MSG_187;CAL - IA - Red/skin protection +HISTORY_MSG_188;CAL - IA - Brightness (Q) +HISTORY_MSG_189;CAL - IA - Contrast (Q) +HISTORY_MSG_190;CAL - IA - Saturation (S) +HISTORY_MSG_191;CAL - IA - Colorfulness (M) +HISTORY_MSG_192;CAL - IA - Hue (h) +HISTORY_MSG_193;CAL - IA - Tone curve 1 +HISTORY_MSG_194;CAL - IA - Tone curve 2 +HISTORY_MSG_195;CAL - IA - Tone curve 1 mode +HISTORY_MSG_196;CAL - IA - Tone curve 2 mode +HISTORY_MSG_197;CAL - IA - Color curve +HISTORY_MSG_198;CAL - IA - Color curve mode +HISTORY_MSG_199;CAL - IA - Use CAM output for histograms +HISTORY_MSG_200;CAL - IA - Use CAM for tone mapping HISTORY_MSG_201;NR - Chrominance - R&G HISTORY_MSG_202;NR - Chrominance - B&Y HISTORY_MSG_203;NR - Color space HISTORY_MSG_204;LMMSE enhancement steps -HISTORY_MSG_205;CAT02/16 - Hot/bad pixel filter -HISTORY_MSG_206;CAT02/16 - Auto scene luminosity +HISTORY_MSG_205;CAL - Hot/bad pixel filter +HISTORY_MSG_206;CAL - SC - Auto absolute luminance HISTORY_MSG_207;Defringe - Hue curve HISTORY_MSG_208;WB - B/R equalizer HISTORY_MSG_210;GF - Angle @@ -712,15 +712,15 @@ HISTORY_MSG_471;PS Motion correction HISTORY_MSG_472;PS Smooth transitions HISTORY_MSG_474;PS Equalize HISTORY_MSG_475;PS Equalize channel -HISTORY_MSG_476;CAM02/16 - Temp out -HISTORY_MSG_477;CAM02/16 - Green out -HISTORY_MSG_478;CAM02/16 - Yb out -HISTORY_MSG_479;CAM02/16 - CAT02/16 adaptation out -HISTORY_MSG_480;CAM02/16 - Automatic CAT02/16 out -HISTORY_MSG_481;CAM02/16 - Temp scene -HISTORY_MSG_482;CAM02/16 - Green scene -HISTORY_MSG_483;CAM02/16 - Yb scene -HISTORY_MSG_484;CAM02/16 - Auto Yb scene +HISTORY_MSG_476;CAL - VC - Temperature +HISTORY_MSG_477;CAL - VC - Tint +HISTORY_MSG_478;CAL - VC - Mean luminance +HISTORY_MSG_479;CAL - VC - Adaptation +HISTORY_MSG_480;CAL - VC - Auto adaptation +HISTORY_MSG_481;CAL - SC - Temperature +HISTORY_MSG_482;CAL - SC - Tint +HISTORY_MSG_483;CAL - SC - Mean luminance +HISTORY_MSG_484;CAL - SC - Auto mean luminance HISTORY_MSG_485;Lens Correction HISTORY_MSG_486;Lens Correction - Camera HISTORY_MSG_487;Lens Correction - Lens @@ -1379,10 +1379,10 @@ HISTORY_MSG_BLSHAPE;Blur by level HISTORY_MSG_BLURCWAV;Blur chroma HISTORY_MSG_BLURWAV;Blur luminance HISTORY_MSG_BLUWAV;Attenuation response -HISTORY_MSG_CATCAT;Cat02/16 mode -HISTORY_MSG_CAT02PRESET;Cat02/16 automatic preset -HISTORY_MSG_CATCOMPLEX;Ciecam complexity -HISTORY_MSG_CATMODEL;CAM Model +HISTORY_MSG_CATCAT;CAL - Settings - Mode +HISTORY_MSG_CAT02PRESET;CAT02/16 automatic preset +HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +HISTORY_MSG_CATMODEL;CAL - Settings - CAM HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1431,7 +1431,7 @@ HISTORY_MSG_ICM_BLUX;Primaries Blue X HISTORY_MSG_ICM_BLUY;Primaries Blue Y HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy HISTORY_MSG_ICM_AINTENT;Abstract profile intent -HISTORY_MSG_ILLUM;Illuminant +HISTORY_MSG_ILLUM;CAL - SC - Illuminant HISTORY_MSG_ICM_FBW;Black and White HISTORY_MSG_ICM_PRESER;Preserve neutral HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount @@ -1715,7 +1715,7 @@ PARTIALPASTE_CACORRECTION;Chromatic aberration correction PARTIALPASTE_CHANNELMIXER;Channel mixer PARTIALPASTE_CHANNELMIXERBW;Black-and-white PARTIALPASTE_COARSETRANS;Coarse rotation/flipping -PARTIALPASTE_COLORAPP;CIECAM02/16 +PARTIALPASTE_COLORAPP;Color Appearance & Lighting PARTIALPASTE_COLORGROUP;Color Related Settings PARTIALPASTE_COLORTONING;Color toning PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-fill @@ -2160,39 +2160,39 @@ TP_COLORAPP_ALGO_TOOLTIP;Lets you choose between parameter subsets or all parame TP_COLORAPP_BADPIXSL;Hot/bad pixel filter TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. TP_COLORAPP_BRIGHT;Brightness (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02/16 is the amount of perceived light emanating from a stimulus and differs from L*a*b* and RGB brightness. +TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. -TP_COLORAPP_CATMOD;Cat02/16 mode +TP_COLORAPP_CATMOD;Mode TP_COLORAPP_CATCLASSIC;Classic TP_COLORAPP_CATSYMGEN;Automatic Symmetric TP_COLORAPP_CATSYMSPE;Mixed TP_COLORAPP_CHROMA;Chroma (C) TP_COLORAPP_CHROMA_M;Colorfulness (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM02/16 is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. +TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. TP_COLORAPP_CHROMA_S;Saturation (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02/16 corresponds to the color of a stimulus in relation to its own brightness, differs from L*a*b* and RGB saturation. -TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02/16 corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions, differs from L*a*b* and RGB chroma. -TP_COLORAPP_CIECAT_DEGREE;CAT02/16 adaptation +TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the color of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. +TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. +TP_COLORAPP_CIECAT_DEGREE;Adaptation TP_COLORAPP_CONTRAST;Contrast (J) TP_COLORAPP_CONTRAST_Q;Contrast (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM02/16 is based on brightness, differs from L*a*b* and RGB contrast. -TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM02/16 is based on lightness, differs from L*a*b* and RGB contrast. +TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. +TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02/16.\nIf the "CIECAM02/16 output histograms in curves" checkbox is enabled, shows the histogram of J after CIECAM02/16.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the "Show CIECAM output histograms in CAL curves" checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. TP_COLORAPP_CURVEEDITOR2;Tone curve 2 TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. TP_COLORAPP_CURVEEDITOR3;Color curve -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02/16.\nIf the "CIECAM02/16 output histograms in curves" checkbox is enabled, shows the histogram of C, S or M after CIECAM02/16.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -TP_COLORAPP_DATACIE;CIECAM02/16 output histograms in curves -TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02/16 curves show approximate values/ranges for J, and C, s or M after the CIECAM02/16 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02/16 curves show L*a*b* values before CIECAM02/16 adjustments. -TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). -TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the "Show CIECAM output histograms in CAL curves" checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves +TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] -TP_COLORAPP_GAMUT;Gamut control (L*a*b*) +TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. -TP_COLORAPP_GEN;Settings - Preset -TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +TP_COLORAPP_GEN;Settings +TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. TP_COLORAPP_HUE;Hue (h) TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. TP_COLORAPP_IL41;D41 @@ -2205,34 +2205,34 @@ TP_COLORAPP_ILA;Incandescent StdA 2856K TP_COLORAPP_ILFREE;Free TP_COLORAPP_ILLUM;Illuminant TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. -TP_COLORAPP_LABEL;Color Appearance & Lighting (CIECAM02/16) +TP_COLORAPP_LABEL;Color Appearance & Lighting TP_COLORAPP_LABEL_CAM02;Image Adjustments TP_COLORAPP_LABEL_SCENE;Scene Conditions TP_COLORAPP_LABEL_VIEWING;Viewing Conditions TP_COLORAPP_LIGHT;Lightness (J) -TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02/16 is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions, differs from L*a*b* and RGB lightness. +TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -TP_COLORAPP_MODEL;WP Model -TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02/16 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. -TP_COLORAPP_MODELCAT;CAM Model -TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts +TP_COLORAPP_MODEL;WP model +TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. +TP_COLORAPP_MODELCAT;CAM +TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_NEUTRAL;Reset TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values -TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode -TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode +TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled TP_COLORAPP_RSTPRO;Red & skin-tones protection TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. TP_COLORAPP_SURROUND;Surround -TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting +TP_COLORAPP_SURROUNDSRC;Surround TP_COLORAPP_SURROUND_AVER;Average TP_COLORAPP_SURROUND_DARK;Dark TP_COLORAPP_SURROUND_DIM;Dim TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. -TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. +TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. TP_COLORAPP_TCMODE_BRIGHTNESS;Brightness TP_COLORAPP_TCMODE_CHROMA;Chroma TP_COLORAPP_TCMODE_COLORF;Colorfulness @@ -2244,9 +2244,9 @@ TP_COLORAPP_TCMODE_SATUR;Saturation TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -TP_COLORAPP_TONECIE;Tone mapping using CIECAM02/16 +TP_COLORAPP_TONECIE;Use CIECAM for tone mapping TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. -TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, ...), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. +TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] TP_COLORAPP_WBRT;WB [RT] + [output] @@ -2848,7 +2848,7 @@ TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ TP_LOCALLAB_EXPCOMPINV;Exposure compensation TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ -TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. +TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. TP_LOCALLAB_EXPCURV;Curves TP_LOCALLAB_EXPGRAD;Graduated Filter @@ -3430,7 +3430,7 @@ TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. TP_LOCALLAB_WAVLEV;Blur by level TP_LOCALLAB_WAVMASK;Local contrast -TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) +TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.) TP_LOCALLAB_WEDIANHI;Median Hi TP_LOCALLAB_WHITE_EV;White Ev TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments diff --git a/rtgui/colorappearance.cc b/rtgui/colorappearance.cc index f579da6e6..3acaeeff8 100644 --- a/rtgui/colorappearance.cc +++ b/rtgui/colorappearance.cc @@ -718,7 +718,6 @@ ColorAppearance::ColorAppearance () : FoldableToolPanel (this, "colorappearance" gamut = Gtk::manage (new Gtk::CheckButton (M ("TP_COLORAPP_GAMUT"))); - gamut->set_tooltip_markup (M ("TP_COLORAPP_GAMUT_TOOLTIP")); gamutconn = gamut->signal_toggled().connect ( sigc::mem_fun (*this, &ColorAppearance::gamut_toggled) ); pack_start (*gamut, Gtk::PACK_SHRINK); From cccb9f543c06546847e613a757463e9aeccba912 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 23 Sep 2022 17:51:13 +0200 Subject: [PATCH 106/170] Review of default #5664 Cleanup of whitespace and fancy characters. Consistency in naming. --- rtdata/languages/default | 426 +++++++++++++++++++-------------------- 1 file changed, 213 insertions(+), 213 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index ba5afdc1e..b73ac793b 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -39,7 +39,7 @@ DONT_SHOW_AGAIN;Don't show this message again. DYNPROFILEEDITOR_DELETE;Delete DYNPROFILEEDITOR_EDIT;Edit DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. DYNPROFILEEDITOR_IMGTYPE_ANY;Any DYNPROFILEEDITOR_IMGTYPE_HDR;HDR DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -100,7 +100,7 @@ EXPORT_INSTRUCTIONS;Fast Export options provide overrides to bypass time and res EXPORT_MAXHEIGHT;Maximum height: EXPORT_MAXWIDTH;Maximum width: EXPORT_PIPELINE;Processing pipeline -EXPORT_PUTTOQUEUEFAST; Put to queue for fast export +EXPORT_PUTTOQUEUEFAST;Put to queue for fast export EXPORT_RAW_DMETHOD;Demosaic method EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. @@ -111,7 +111,7 @@ FILEBROWSER_APPLYPROFILE;Apply FILEBROWSER_APPLYPROFILE_PARTIAL;Apply - partial FILEBROWSER_AUTODARKFRAME;Auto dark-frame FILEBROWSER_AUTOFLATFIELD;Auto flat-field -FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. FILEBROWSER_BROWSEPATHHINT;Type a path to navigate to.\n\nKeyboard shortcuts:\nCtrl-o to focus to the path text box.\nEnter / Ctrl-Enter to browse there;\nEsc to clear changes.\nShift-Esc to remove focus.\n\nPath shortcuts:\n~ - user's home directory.\n! - user's pictures directory FILEBROWSER_CACHE;Cache FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -747,7 +747,7 @@ HISTORY_MSG_508;Local Spot circrad HISTORY_MSG_509;Local Spot quality method HISTORY_MSG_510;Local Spot transition HISTORY_MSG_511;Local Spot thresh -HISTORY_MSG_512;Local Spot ΔE -decay +HISTORY_MSG_512;Local Spot ΔE decay HISTORY_MSG_513;Local Spot scope HISTORY_MSG_514;Local Spot structure HISTORY_MSG_515;Local Adjustments @@ -1093,7 +1093,7 @@ HISTORY_MSG_863;Local - Wavelet merge original image HISTORY_MSG_864;Local - Wavelet dir contrast attenuation HISTORY_MSG_865;Local - Wavelet dir contrast delta HISTORY_MSG_866;Local - Wavelet dir compression -HISTORY_MSG_868;Local - balance ΔE C-H +HISTORY_MSG_868;Local - Balance ΔE C-H HISTORY_MSG_869;Local - Denoise by level HISTORY_MSG_870;Local - Wavelet mask curve H HISTORY_MSG_871;Local - Wavelet mask curve C @@ -1184,25 +1184,25 @@ HISTORY_MSG_958;Local - Show/hide settings HISTORY_MSG_959;Local - Inverse blur HISTORY_MSG_960;Local - Log encoding - cat16 HISTORY_MSG_961;Local - Log encoding Ciecam -HISTORY_MSG_962;Local - Log encoding Absolute luminance source -HISTORY_MSG_963;Local - Log encoding Absolute luminance target -HISTORY_MSG_964;Local - Log encoding Surround -HISTORY_MSG_965;Local - Log encoding Saturation s -HISTORY_MSG_966;Local - Log encoding Contrast J -HISTORY_MSG_967;Local - Log encoding Mask curve C -HISTORY_MSG_968;Local - Log encoding Mask curve L -HISTORY_MSG_969;Local - Log encoding Mask curve H -HISTORY_MSG_970;Local - Log encoding Mask enable -HISTORY_MSG_971;Local - Log encoding Mask blend -HISTORY_MSG_972;Local - Log encoding Mask radius -HISTORY_MSG_973;Local - Log encoding Mask chroma -HISTORY_MSG_974;Local - Log encoding Mask contrast -HISTORY_MSG_975;Local - Log encoding Lightness J -HISTORY_MSG_977;Local - Log encoding Contrast Q -HISTORY_MSG_978;Local - Log encoding Sursource -HISTORY_MSG_979;Local - Log encoding Brightness Q -HISTORY_MSG_980;Local - Log encoding Colorfulness M -HISTORY_MSG_981;Local - Log encoding Strength +HISTORY_MSG_962;Local - Log encoding Absolute luminance source +HISTORY_MSG_963;Local - Log encoding Absolute luminance target +HISTORY_MSG_964;Local - Log encoding Surround +HISTORY_MSG_965;Local - Log encoding Saturation s +HISTORY_MSG_966;Local - Log encoding Contrast J +HISTORY_MSG_967;Local - Log encoding Mask curve C +HISTORY_MSG_968;Local - Log encoding Mask curve L +HISTORY_MSG_969;Local - Log encoding Mask curve H +HISTORY_MSG_970;Local - Log encoding Mask enable +HISTORY_MSG_971;Local - Log encoding Mask blend +HISTORY_MSG_972;Local - Log encoding Mask radius +HISTORY_MSG_973;Local - Log encoding Mask chroma +HISTORY_MSG_974;Local - Log encoding Mask contrast +HISTORY_MSG_975;Local - Log encoding Lightness J +HISTORY_MSG_977;Local - Log encoding Contrast Q +HISTORY_MSG_978;Local - Log encoding Sursource +HISTORY_MSG_979;Local - Log encoding Brightness Q +HISTORY_MSG_980;Local - Log encoding Colorfulness M +HISTORY_MSG_981;Local - Log encoding Strength HISTORY_MSG_982;Local - Equalizer hue HISTORY_MSG_983;Local - denoise threshold mask high HISTORY_MSG_984;Local - denoise threshold mask low @@ -1355,8 +1355,8 @@ HISTORY_MSG_1127;Local - Cie mask gamma HISTORY_MSG_1128;Local - Cie mask slope HISTORY_MSG_1129;Local - Cie Relative luminance HISTORY_MSG_1130;Local - Cie Saturation Jz -HISTORY_MSG_1131;Local - Mask denoise chroma -HISTORY_MSG_1132;Local - Cie Wav sigma Jz +HISTORY_MSG_1131;Local - Mask denoise chroma +HISTORY_MSG_1132;Local - Cie Wav sigma Jz HISTORY_MSG_1133;Local - Cie Wav level Jz HISTORY_MSG_1134;Local - Cie Wav local contrast Jz HISTORY_MSG_1135;Local - Cie Wav clarity Jz @@ -1528,7 +1528,7 @@ HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s HISTORY_SNAPSHOT;Snapshot HISTORY_SNAPSHOTS;Snapshots ICCPROFCREATOR_COPYRIGHT;Copyright: -ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0' ICCPROFCREATOR_CUSTOM;Custom ICCPROFCREATOR_DESCRIPTION;Description: ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1540,7 +1540,7 @@ ICCPROFCREATOR_ILL_41;D41 ICCPROFCREATOR_ILL_50;D50 ICCPROFCREATOR_ILL_55;D55 ICCPROFCREATOR_ILL_60;D60 -ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater ICCPROFCREATOR_ILL_65;D65 ICCPROFCREATOR_ILL_80;D80 ICCPROFCREATOR_ILL_DEF;Default @@ -1589,7 +1589,7 @@ IPTCPANEL_CREDITHINT;Enter who should be credited when this image is published. IPTCPANEL_DATECREATED;Date created IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. IPTCPANEL_DESCRIPTION;Description -IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. IPTCPANEL_DESCRIPTIONWRITER;Description writer IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. IPTCPANEL_EMBEDDED;Embedded @@ -1648,7 +1648,7 @@ MAIN_MSG_PATHDOESNTEXIST;The path\n\n%1\n\ndoes not exist. Please set a c MAIN_MSG_QOVERWRITE;Do you want to overwrite it? MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. +MAIN_MSG_WRITEFAILED;Failed to write\n'%1'\n\nMake sure that the folder exists and that you have write permission to it. MAIN_TAB_ADVANCED;Advanced MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a MAIN_TAB_COLOR;Color @@ -1706,9 +1706,9 @@ NAVIGATOR_S;S: NAVIGATOR_V;V: NAVIGATOR_XY_FULL;Width: %1, Height: %2 NAVIGATOR_XY_NA;x: --, y: -- -OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. PARTIALPASTE_ADVANCEDGROUP;Advanced Settings PARTIALPASTE_BASICGROUP;Basic Settings PARTIALPASTE_CACORRECTION;Chromatic aberration correction @@ -1846,7 +1846,7 @@ PREFERENCES_CURVEBBOXPOS_BELOW;Below PREFERENCES_CURVEBBOXPOS_LEFT;Left PREFERENCES_CURVEBBOXPOS_RIGHT;Right PREFERENCES_CUSTPROFBUILD;Custom Processing Profile Builder -PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. "Keyfile") is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. +PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. 'Keyfile') is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID @@ -1900,11 +1900,11 @@ PREFERENCES_INTERNALTHUMBIFUNTOUCHED;Show embedded JPEG thumbnail if raw is uned PREFERENCES_LANG;Language PREFERENCES_LANGAUTODETECT;Use system language PREFERENCES_MAXRECENTFOLDERS;Maximum number of recent folders -PREFERENCES_MENUGROUPEXTPROGS;Group "Open with" -PREFERENCES_MENUGROUPFILEOPERATIONS;Group "File operations" -PREFERENCES_MENUGROUPLABEL;Group "Color label" -PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group "Processing profile operations" -PREFERENCES_MENUGROUPRANK;Group "Rank" +PREFERENCES_MENUGROUPEXTPROGS;Group 'Open with' +PREFERENCES_MENUGROUPFILEOPERATIONS;Group 'File operations' +PREFERENCES_MENUGROUPLABEL;Group 'Color label' +PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group 'Processing profile operations' +PREFERENCES_MENUGROUPRANK;Group 'Rank' PREFERENCES_MENUOPTIONS;Context Menu Options PREFERENCES_MONINTENT;Default rendering intent PREFERENCES_MONITOR;Monitor @@ -1946,7 +1946,7 @@ PREFERENCES_PRTINTENT;Rendering intent PREFERENCES_PRTPROFILE;Color profile PREFERENCES_PSPATH;Adobe Photoshop installation directory PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now PREFERENCES_SELECTLANG;Select language PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings @@ -1961,7 +1961,7 @@ PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips PREFERENCES_SHTHRESHOLD;Threshold for clipped shadows PREFERENCES_SINGLETAB;Single Editor Tab Mode PREFERENCES_SINGLETABVERTAB;Single Editor Tab Mode, Vertical Tabs -PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use "SystemDefault", "SystemAsterisk" etc., and on Linux use "complete", "window-attention" etc. +PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use 'SystemDefault', 'SystemAsterisk' etc., and on Linux use 'complete', 'window-attention' etc. PREFERENCES_SND_LNGEDITPROCDONE;Editor processing done PREFERENCES_SND_QUEUEDONE;Queue processing done PREFERENCES_SND_THRESHOLDSECS;After seconds @@ -2110,7 +2110,7 @@ TP_BWMIX_MET_LUMEQUAL;Luminance Equalizer TP_BWMIX_MIXC;Channel Mixer TP_BWMIX_NEUTRAL;Reset TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% -TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. TP_BWMIX_SETTING;Presets TP_BWMIX_SETTING_TOOLTIP;Different presets (film, landscape, etc.) or manual Channel Mixer settings. @@ -2162,7 +2162,7 @@ TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n TP_COLORAPP_BRIGHT;Brightness (Q) TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. +TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. TP_COLORAPP_CATMOD;Mode TP_COLORAPP_CATCLASSIC;Classic TP_COLORAPP_CATSYMGEN;Automatic Symmetric @@ -2174,16 +2174,16 @@ TP_COLORAPP_CHROMA_S;Saturation (S) TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the color of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. TP_COLORAPP_CIECAT_DEGREE;Adaptation -TP_COLORAPP_CONTRAST;Contrast (J) +TP_COLORAPP_CONTRAST;Contrast (J) TP_COLORAPP_CONTRAST_Q;Contrast (Q) TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the "Show CIECAM output histograms in CAL curves" checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. TP_COLORAPP_CURVEEDITOR2;Tone curve 2 TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. TP_COLORAPP_CURVEEDITOR3;Color curve -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the "Show CIECAM output histograms in CAL curves" checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). @@ -2224,7 +2224,7 @@ TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled TP_COLORAPP_RSTPRO;Red & skin-tones protection TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. -TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. TP_COLORAPP_SURROUND;Surround TP_COLORAPP_SURROUNDSRC;Surround TP_COLORAPP_SURROUND_AVER;Average @@ -2246,7 +2246,7 @@ TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 TP_COLORAPP_TONECIE;Use CIECAM for tone mapping TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. -TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. +TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] TP_COLORAPP_WBRT;WB [RT] + [output] @@ -2288,7 +2288,7 @@ TP_COLORTONING_LUMA;Luminance TP_COLORTONING_LUMAMODE;Preserve luminance TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. TP_COLORTONING_METHOD;Method -TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. TP_COLORTONING_MIDTONES;Midtones TP_COLORTONING_NEUTRAL;Reset sliders TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. @@ -2349,7 +2349,7 @@ TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominance - Master TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -2380,7 +2380,7 @@ TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -2429,7 +2429,7 @@ TP_EXPOSURE_COMPRSHADOWS;Shadow compression TP_EXPOSURE_CONTRAST;Contrast TP_EXPOSURE_CURVEEDITOR1;Tone curve 1 TP_EXPOSURE_CURVEEDITOR2;Tone curve 2 -TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the "Exposure > Tone Curves" RawPedia article to learn how to achieve the best results by using two tone curves. +TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the 'Exposure > Tone Curves' RawPedia article to learn how to achieve the best results by using two tone curves. TP_EXPOSURE_EXPCOMP;Exposure compensation TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. @@ -2510,9 +2510,9 @@ TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is TP_ICM_BPC;Black Point Compensation TP_ICM_DCPILLUMINANT;Illuminant TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. TP_ICM_FBW;Black-and-White -TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. +TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. TP_ICM_INPUTCAMERA;Camera standard TP_ICM_INPUTCAMERAICC;Auto-matched camera profile TP_ICM_INPUTCAMERAICC_TOOLTIP;Use RawTherapee's camera-specific DCP or ICC input color profiles. These profiles are more precise than simpler matrix ones. They are not available for all cameras. These profiles are stored in the /iccprofiles/input and /dcpprofiles folders and are automatically retrieved based on a file name matching to the exact model name of the camera. @@ -2525,15 +2525,15 @@ TP_ICM_INPUTEMBEDDED_TOOLTIP;Use color profile embedded in non-raw files. TP_ICM_INPUTNONE;No profile TP_ICM_INPUTNONE_TOOLTIP;Use no input color profile at all.\nUse only in special cases. TP_ICM_INPUTPROFILE;Input Profile -TP_ICM_LABEL;Color Management +TP_ICM_LABEL;Color Management TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 TP_ICM_NEUTRAL;Reset TP_ICM_NOICM;No ICM: sRGB Output TP_ICM_OUTPUTPROFILE;Output Profile TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 -TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 -TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 TP_ICM_PROFILEINTENT;Rendering Intent TP_ICM_REDFRAME;Custom Primaries TP_ICM_SAVEREFERENCE;Save Reference Image @@ -2543,7 +2543,7 @@ TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile TP_ICM_TONECURVE;Tone curve TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. TP_ICM_TRCFRAME;Abstract Profile -TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. TP_ICM_WORKING_CIEDIAG;CIE xy diagram TP_ICM_WORKINGPROFILE;Working Profile TP_ICM_WORKING_PRESER;Preserves Pastel tones @@ -2557,7 +2557,7 @@ TP_ICM_WORKING_TRC_CUSTOM;Custom TP_ICM_WORKING_TRC_GAMMA;Gamma TP_ICM_WORKING_TRC_NONE;None TP_ICM_WORKING_TRC_SLOPE;Slope -TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. TP_ICM_WORKING_ILLU;Illuminant TP_ICM_WORKING_ILLU_NONE;Default TP_ICM_WORKING_ILLU_D41;D41 @@ -2571,7 +2571,7 @@ TP_ICM_WORKING_ILLU_STDA;stdA 2875K TP_ICM_WORKING_ILLU_2000;Tungsten 2000K TP_ICM_WORKING_ILLU_1500;Tungsten 1500K TP_ICM_WORKING_PRIM;Destination primaries -TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode (‘working profile’) to a different mode (‘destination primaries’). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the ‘primaries’ is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). TP_ICM_WORKING_PRIM_NONE;Default TP_ICM_WORKING_PRIM_SRGB;sRGB TP_ICM_WORKING_PRIM_ADOB;Adobe RGB @@ -2585,7 +2585,7 @@ TP_ICM_WORKING_PRIM_BET;Beta RGB TP_ICM_WORKING_PRIM_BST;BestRGB TP_ICM_WORKING_PRIM_CUS;Custom (sliders) TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) -TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When ‘Custom CIE xy diagram’ is selected in ‘Destination- primaries’’ combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. TP_IMPULSEDENOISE_LABEL;Impulse Noise Reduction TP_IMPULSEDENOISE_THRESH;Threshold @@ -2651,10 +2651,10 @@ TP_LOCALLAB_ACTIVSPOT;Enable Spot TP_LOCALLAB_ADJ;Equalizer Color TP_LOCALLAB_AMOUNT;Amount TP_LOCALLAB_ARTIF;Shape detection -TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. +TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) TP_LOCALLAB_AUTOGRAYCIE;Auto -TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". +TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. TP_LOCALLAB_AVOID;Avoid color shift TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. TP_LOCALLAB_AVOIDRAD;Soft radius @@ -2682,18 +2682,18 @@ TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nI TP_LOCALLAB_BLNOI_EXP;Blur & Noise TP_LOCALLAB_BLNORM;Normal TP_LOCALLAB_BLUFR;Blur/Grain & Denoise -TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction +TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain TP_LOCALLAB_BLURCOL;Radius TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. TP_LOCALLAB_BLURDE;Blur shape detection TP_LOCALLAB_BLURLC;Luminance only -TP_LOCALLAB_BLURLEVELFRA;Blur levels +TP_LOCALLAB_BLURLEVELFRA;Blur levels TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. -TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) +TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000) TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise TP_LOCALLAB_BLWH;All changes forced in Black-and-White -TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. +TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. TP_LOCALLAB_BUTTON_ADD;Add TP_LOCALLAB_BUTTON_DEL;Delete TP_LOCALLAB_BUTTON_DUPL;Duplicate @@ -2730,14 +2730,14 @@ TP_LOCALLAB_CHRRT;Chroma TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIEC;Use Ciecam environment parameters -TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. TP_LOCALLAB_CIEMODE;Change tool position TP_LOCALLAB_CIEMODE_COM;Default TP_LOCALLAB_CIEMODE_DR;Dynamic Range TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIEMODE_LOG;Log Encoding -TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask' TP_LOCALLAB_CIETOOLEXP;Curves TP_LOCALLAB_CIECOLORFRA;Color TP_LOCALLAB_CIECONTFRA;Contrast @@ -2746,19 +2746,19 @@ TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast TP_LOCALLAB_CIRCRADIUS;Spot size TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. TP_LOCALLAB_CLARICRES;Merge chroma -TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images TP_LOCALLAB_CLARILRES;Merge luma TP_LOCALLAB_CLARISOFT;Soft radius -TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. -TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. TP_LOCALLAB_CLARITYML;Clarity -TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' -TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. +TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. TP_LOCALLAB_CLIPTM;Clip restored data (gain) TP_LOCALLAB_COFR;Color & Light TP_LOCALLAB_COLOR_CIE;Color curve TP_LOCALLAB_COLORDE;ΔE preview color - intensity -TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. TP_LOCALLAB_COLORSCOPE;Scope (color tools) TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. @@ -2775,13 +2775,13 @@ TP_LOCALLAB_CONTRESID;Contrast TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. TP_LOCALLAB_CONTTHR;Contrast Threshold TP_LOCALLAB_CONTWFRA;Local contrast -TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +TP_LOCALLAB_CSTHRESHOLD;Wavelet levels TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection -TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" +TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' TP_LOCALLAB_CURVCURR;Normal TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. -TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ +TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal' TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. @@ -2794,22 +2794,22 @@ TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall satur TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze TP_LOCALLAB_DELTAD;Delta balance TP_LOCALLAB_DELTAEC;ΔE Image mask -TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or ‘salt & pepper’ noise. +TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. -TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask -TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). TP_LOCALLAB_DENOIMASK;Denoise chroma mask TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. -TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. -TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. TP_LOCALLAB_DENOI_EXP;Denoise -TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 -TP_LOCALLAB_DEPTH;Depth +TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128 +TP_LOCALLAB_DEPTH;Depth TP_LOCALLAB_DETAIL;Local contrast TP_LOCALLAB_DETAILFRA;Edge detection - DCT TP_LOCALLAB_DETAILSH;Details @@ -2835,35 +2835,35 @@ TP_LOCALLAB_EV_NVIS_ALL;Hide all TP_LOCALLAB_EV_VIS;Show TP_LOCALLAB_EV_VIS_ALL;Show all TP_LOCALLAB_EXCLUF;Excluding -TP_LOCALLAB_EXCLUF_TOOLTIP;‘Excluding’ mode prevents adjacent spots from influencing certain parts of the image. Adjusting ‘Scope’ will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. TP_LOCALLAB_EXCLUTYPE;Spot method -TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. TP_LOCALLAB_EXECLU;Excluding spot TP_LOCALLAB_EXNORM;Normal spot TP_LOCALLAB_EXFULL;Full image TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). TP_LOCALLAB_EXPCHROMA;Chroma compensation -TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. +TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ TP_LOCALLAB_EXPCOMPINV;Exposure compensation -TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ +TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. -TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. TP_LOCALLAB_EXPCURV;Curves TP_LOCALLAB_EXPGRAD;Graduated Filter -TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. -TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. +TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure -TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools -TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. +TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. TP_LOCALLAB_EXPTOOL;Exposure Tools TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure TP_LOCALLAB_FATAMOUNT;Amount @@ -2873,7 +2873,7 @@ TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. TP_LOCALLAB_FATLEVEL;Sigma TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ -TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. +TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) @@ -2884,31 +2884,31 @@ TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. TP_LOCALLAB_GAM;Gamma TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) TP_LOCALLAB_GAMC;Gamma -TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. -TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. +TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. TP_LOCALLAB_GAMFRA;Tone response curve (TRC) TP_LOCALLAB_GAMM;Gamma TP_LOCALLAB_GAMMASKCOL;Gamma -TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. TP_LOCALLAB_GAMSH;Gamma TP_LOCALLAB_GRADANG;Gradient angle TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 TP_LOCALLAB_GRADFRA;Graduated Filter Mask TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength -TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance TP_LOCALLAB_GRADSTR;Gradient strength TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength -TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength TP_LOCALLAB_GRADSTRHUE;Hue gradient strength TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength TP_LOCALLAB_GRADSTRLUM;Luma gradient strength -TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +TP_LOCALLAB_GRAINFRA;Film Grain 1:1 TP_LOCALLAB_GRAINFRA2;Coarseness TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) -TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) -TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma +TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) +TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma TP_LOCALLAB_GRIDONE;Color Toning TP_LOCALLAB_GRIDTWO;Direct TP_LOCALLAB_GUIDBL;Soft radius @@ -2924,13 +2924,13 @@ TP_LOCALLAB_HUECIE;Hue TP_LOCALLAB_IND;Independent (mouse) TP_LOCALLAB_INDSL;Independent (mouse + sliders) TP_LOCALLAB_INVBL;Inverse -TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot +TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot TP_LOCALLAB_INVERS;Inverse TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. TP_LOCALLAB_INVMASK;Inverse algorithm TP_LOCALLAB_ISOGR;Distribution (ISO) TP_LOCALLAB_JAB;Uses Black Ev & White Ev -TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. TP_LOCALLAB_JZ100;Jz reference 100cd/m2 TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. TP_LOCALLAB_JZCLARILRES;Merge Jz @@ -2939,10 +2939,10 @@ TP_LOCALLAB_JZFORCE;Force max Jz to 1 TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. TP_LOCALLAB_JZPQFRA;Jz remapping -TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. -TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. -TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). TP_LOCALLAB_JZADAP;PU adaptation TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments TP_LOCALLAB_JZLIGHT;Brightness @@ -2952,7 +2952,7 @@ TP_LOCALLAB_JZCHROM;Chroma TP_LOCALLAB_JZHFRA;Curves Hz TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) TP_LOCALLAB_JZHUECIE;Hue Rotation -TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. TP_LOCALLAB_JZSAT;Saturation TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz @@ -2960,7 +2960,7 @@ TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter TP_LOCALLAB_JZQTOJ;Relative luminance -TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) TP_LOCALLAB_JZWAVEXP;Wavelet Jz TP_LOCALLAB_JZLOG;Log encoding Jz @@ -2977,7 +2977,7 @@ TP_LOCALLAB_LAPMASKCOL;Laplacian threshold TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. -TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets TP_LOCALLAB_LEVELBLUR;Maximum blur levels @@ -3003,9 +3003,9 @@ TP_LOCALLAB_LOG;Log Encoding TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments TP_LOCALLAB_LOG2FRA;Viewing Conditions TP_LOCALLAB_LOGAUTO;Automatic -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. -TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. @@ -3026,9 +3026,9 @@ TP_LOCALLAB_LOGFRA;Scene Conditions TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) TP_LOCALLAB_LOGLIGHTL;Lightness (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) -TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. TP_LOCALLAB_LOGLIN;Logarithm mode TP_LOCALLAB_LOGPFRA;Relative Exposure Levels TP_LOCALLAB_LOGREPART;Overall strength @@ -3045,66 +3045,66 @@ TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask backgr TP_LOCALLAB_LUMAWHITESEST;Lightest TP_LOCALLAB_LUMFRA;L*a*b* standard TP_LOCALLAB_MASFRAME;Mask and Merge -TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. TP_LOCALLAB_MASK;Curves TP_LOCALLAB_MASK2;Contrast curve TP_LOCALLAB_MASKCOL; TP_LOCALLAB_MASKCOM;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. -TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection +TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection TP_LOCALLAB_MASKDDECAY;Decay strength TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions TP_LOCALLAB_MASKH;Hue curve TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. -TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". -TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the GF will be applied progressively.\n if the mask is above the ‘light’ threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. -TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied -TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied -TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied -TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied -TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied -TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied -TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied -TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied +TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n if the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n if the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied +TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied +TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied +TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied +TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. -TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'Blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable colorpicker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask'=0 in Settings. -TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask'=0 in Settings. +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 TP_LOCALLAB_MASKLCTHR;Light area luminance threshold TP_LOCALLAB_MASKLCTHR2;Light area luma threshold TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas -TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise -TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) TP_LOCALLAB_MASKRECOTHRES;Recovery threshold -TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. TP_LOCALLAB_MEDIAN;Median Low TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. -TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. TP_LOCALLAB_MEDNONE;None TP_LOCALLAB_MERCOL;Color TP_LOCALLAB_MERDCOL;Merge background (ΔE) @@ -3136,7 +3136,7 @@ TP_LOCALLAB_MERTWE;Exclusion TP_LOCALLAB_MERTWO;Subtract TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 -TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. +TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. TP_LOCALLAB_MODE_EXPERT;Advanced TP_LOCALLAB_MODE_NORMAL;Standard TP_LOCALLAB_MODE_SIMPLE;Basic @@ -3145,12 +3145,12 @@ TP_LOCALLAB_MRFOU;Previous Spot TP_LOCALLAB_MRONE;None TP_LOCALLAB_MRTHR;Original Image TP_LOCALLAB_MRTWO;Short Curves 'L' Mask -TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV +TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV TP_LOCALLAB_NEIGH;Radius -TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. +TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. -TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. TP_LOCALLAB_NLFRA;Non-local Means - Luminance TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. TP_LOCALLAB_NLLUM;Strength @@ -3163,7 +3163,7 @@ TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is en TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) TP_LOCALLAB_NOISEGAM;Gamma -TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. +TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. TP_LOCALLAB_NOISELEQUAL;Equalizer white-black TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery @@ -3178,12 +3178,12 @@ TP_LOCALLAB_OFFS;Offset TP_LOCALLAB_OFFSETWAV;Offset TP_LOCALLAB_OPACOL;Opacity TP_LOCALLAB_ORIGLC;Merge only with original image -TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘Scope’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced TP_LOCALLAB_PASTELS2;Vibrance TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ -TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. +TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. TP_LOCALLAB_PREVHIDE;Hide additional settings TP_LOCALLAB_PREVIEW;Preview ΔE TP_LOCALLAB_PREVSHOW;Show additional settings @@ -3198,7 +3198,7 @@ TP_LOCALLAB_RADIUS;Radius TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 TP_LOCALLAB_RADMASKCOL;Smooth radius TP_LOCALLAB_RECT;Rectangle -TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). TP_LOCALLAB_RECURS;Recursive references TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name @@ -3224,11 +3224,11 @@ TP_LOCALLAB_RETIFRA;Retinex TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). TP_LOCALLAB_RETIM;Original Retinex TP_LOCALLAB_RETITOOLFRA;Retinex Tools -TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast -TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. +TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast +TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. -TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex TP_LOCALLAB_REWEI;Reweighting iterates TP_LOCALLAB_RGB;RGB Tone Curve @@ -3242,11 +3242,11 @@ TP_LOCALLAB_SCALEGR;Scale TP_LOCALLAB_SCALERETI;Scale TP_LOCALLAB_SCALTM;Scale TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) -TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area +TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area TP_LOCALLAB_SENSI;Scope TP_LOCALLAB_SENSIEXCLU;Scope TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded -TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using 'Scope (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ +TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge' TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors TP_LOCALLAB_SETTINGS;Settings TP_LOCALLAB_SH1;Shadows Highlights @@ -3259,7 +3259,7 @@ TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as th TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. TP_LOCALLAB_SHAMASKCOL;Shadows TP_LOCALLAB_SHAPETYPE;RT-spot shape -TP_LOCALLAB_SHAPE_TOOLTIP;”Ellipse” is the normal mode.\n “Rectangle” can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. TP_LOCALLAB_SHARAMOUNT;Amount TP_LOCALLAB_SHARBLUR;Blur radius TP_LOCALLAB_SHARDAMPING;Damping @@ -3279,13 +3279,13 @@ TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) TP_LOCALLAB_SHOWLC;Mask and modifications TP_LOCALLAB_SHOWMASK;Show mask -TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise TP_LOCALLAB_SHOWMASKTYP2;Denoise -TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise //TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' -TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the Scope sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. TP_LOCALLAB_SHOWMNONE;Show modified image TP_LOCALLAB_SHOWMODIF;Show modified areas without mask TP_LOCALLAB_SHOWMODIF2;Show modified areas @@ -3310,22 +3310,22 @@ TP_LOCALLAB_SIGMOIDLAMBDA;Contrast TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) TP_LOCALLAB_SIGMOIDBL;Blend TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev -TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. TP_LOCALLAB_SLOMASKCOL;Slope -TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. TP_LOCALLAB_SLOSH;Slope TP_LOCALLAB_SOFT;Soft Light & Original Retinex TP_LOCALLAB_SOFTM;Soft Light TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. TP_LOCALLAB_SOFTRADIUSCOL;Soft radius TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. -TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex TP_LOCALLAB_SOURCE_ABS;Absolute luminance TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) TP_LOCALLAB_SPECCASE;Specific cases TP_LOCALLAB_SPECIAL;Special use of RGB curves -TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘Scope’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. TP_LOCALLAB_SPOTNAME;New Spot TP_LOCALLAB_STD;Standard TP_LOCALLAB_STR;Strength @@ -3333,15 +3333,15 @@ TP_LOCALLAB_STRBL;Strength TP_LOCALLAB_STREN;Compression strength TP_LOCALLAB_STRENG;Strength TP_LOCALLAB_STRENGR;Strength -TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). +TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). TP_LOCALLAB_STRENGTH;Noise TP_LOCALLAB_STRGRID;Strength TP_LOCALLAB_STRUC;Structure TP_LOCALLAB_STRUCCOL;Spot structure TP_LOCALLAB_STRUCCOL1;Spot structure -TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate ‘Mask and modifications’ > ‘Show spot structure’ (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and ‘Local contrast’ (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either ‘Show modified image’ or ‘Show modified areas with mask’. +TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. TP_LOCALLAB_STRUMASKCOL;Structure mask strength -TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise") and mask(Color & Light). +TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! TP_LOCALLAB_STYPE;Shape method TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. @@ -3349,31 +3349,31 @@ TP_LOCALLAB_SYM;Symmetrical (mouse) TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) TP_LOCALLAB_THRES;Threshold structure -TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +TP_LOCALLAB_THRESDELTAE;ΔE scope threshold TP_LOCALLAB_THRESRETI;Threshold TP_LOCALLAB_THRESWAV;Balance threshold TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. TP_LOCALLAB_TM;Tone Mapping TP_LOCALLAB_TM_MASK;Use transmission map -TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. +TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. -TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted +TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping TP_LOCALLAB_TOOLCOL;Structure mask as tool TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists TP_LOCALLAB_TOOLMASK;Mask Tools TP_LOCALLAB_TOOLMASK_2;Wavelets -TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. TP_LOCALLAB_TRANSIT;Transition Gradient TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition TP_LOCALLAB_TRANSITVALUE;Transition value TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) -TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" +TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius' TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain TP_LOCALLAB_TRANSMISSIONMAP;Transmission map TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts @@ -3388,31 +3388,31 @@ TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a Whi TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. -TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. -TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. -TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. -TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. +TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. -TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. -TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the ‘Edge sharpness’ tools. It is advisable to read the Wavelet Levels documentation. +TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. -TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. TP_LOCALLAB_WAV;Local contrast TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. TP_LOCALLAB_WAVCOMP;Compression by level @@ -3425,8 +3425,8 @@ TP_LOCALLAB_WAVDEN;Luminance denoise TP_LOCALLAB_WAVE;Wavelets TP_LOCALLAB_WAVEDG;Local contrast TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. -TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). -TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. TP_LOCALLAB_WAVLEV;Blur by level TP_LOCALLAB_WAVMASK;Local contrast @@ -3505,10 +3505,10 @@ TC_PRIM_GREY;Gy TC_PRIM_REDX;Rx TC_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;Post-Resize Sharpening -TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. TP_RAWCACORR_AUTO;Auto-correction TP_RAWCACORR_AUTOIT;Iterations -TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift TP_RAWCACORR_CABLUE;Blue TP_RAWCACORR_CARED;Red @@ -3588,7 +3588,7 @@ TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Overlays the image with a green mask showing TP_RAW_PIXELSHIFTSIGMA;Blur radius TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. TP_RAW_RCD;RCD TP_RAW_RCDBILINEAR;RCD+Bilinear TP_RAW_RCDVNG4;RCD+VNG4 @@ -3624,7 +3624,7 @@ TP_RETINEX_CONTEDIT_MAP;Equalizer TP_RETINEX_CURVEEDITOR_CD;L=f(L) TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. TP_RETINEX_CURVEEDITOR_MAP;L=f(L) TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! TP_RETINEX_EQUAL;Equalizer @@ -3647,7 +3647,7 @@ TP_RETINEX_GRAD_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Va TP_RETINEX_HIGH;High TP_RETINEX_HIGHLIG;Highlight TP_RETINEX_HIGHLIGHT;Highlight threshold -TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. TP_RETINEX_HSLSPACE_LIN;HSL-Linear TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -3667,7 +3667,7 @@ TP_RETINEX_MEDIAN;Transmission median filter TP_RETINEX_METHOD;Method TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 -TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending +TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Reset TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. @@ -3684,14 +3684,14 @@ TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. TP_RETINEX_TRANF;Transmission -TP_RETINEX_TRANSMISSION;Transmission map +TP_RETINEX_TRANSMISSION;Transmission map TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. TP_RETINEX_UNIFORM;Uniform TP_RETINEX_VARIANCE;Contrast TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. TP_RETINEX_VIEW;Process TP_RETINEX_VIEW_MASK;Mask -TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. TP_RETINEX_VIEW_NONE;Standard TP_RETINEX_VIEW_TRAN;Transmission - Auto TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -3746,7 +3746,7 @@ TP_SOFTLIGHT_STRENGTH;Strength TP_SPOT_COUNTLABEL;%1 point(s) TP_SPOT_DEFAULT_SIZE;Default spot size TP_SPOT_ENTRYCHANGED;Point changed -TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. TP_SPOT_LABEL;Spot Removal TP_TM_FATTAL_AMOUNT;Amount TP_TM_FATTAL_ANCHOR;Anchor @@ -3797,7 +3797,7 @@ TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: ve TP_WAVELET_BALCHRO;Chroma balance TP_WAVELET_BALCHROM;Equalizer Color TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. -TP_WAVELET_BALLUM;Denoise equalizer White-Black +TP_WAVELET_BALLUM;Denoise equalizer White-Black TP_WAVELET_BANONE;None TP_WAVELET_BASLI;Slider TP_WAVELET_BATYPE;Contrast balance method @@ -3820,7 +3820,7 @@ TP_WAVELET_CHROMCO;Chrominance Coarse TP_WAVELET_CHROMFI;Chrominance Fine TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. TP_WAVELET_CHRWAV;Blur chroma -TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength' TP_WAVELET_CHSL;Sliders TP_WAVELET_CHTYPE;Chrominance method TP_WAVELET_CLA;Clarity @@ -3847,7 +3847,7 @@ TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the o TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. TP_WAVELET_CURVEEDITOR_CL;L -TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. +TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. TP_WAVELET_CURVEEDITOR_HH;HH TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. TP_WAVELET_DALL;All directions @@ -4004,11 +4004,11 @@ TP_WAVELET_STRENGTH;Strength TP_WAVELET_SUPE;Extra TP_WAVELET_THR;Shadows threshold TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. -TP_WAVELET_THREND;Local contrast threshold +TP_WAVELET_THREND;Local contrast threshold TP_WAVELET_THRESHOLD;Finer levels TP_WAVELET_THRESHOLD2;Coarser levels -TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of ‘wavelet levels’ will be affected by the Shadow luminance range. -TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. +TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. TP_WAVELET_THRH;Highlights threshold TP_WAVELET_TILESBIG;Tiles TP_WAVELET_TILESFULL;Full image @@ -4036,7 +4036,7 @@ TP_WBALANCE_CLOUDY;Cloudy TP_WBALANCE_CUSTOM;Custom TP_WBALANCE_DAYLIGHT;Daylight (sunny) TP_WBALANCE_EQBLUERED;Blue/Red equalizer -TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. +TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. TP_WBALANCE_FLASH55;Leica TP_WBALANCE_FLASH60;Standard, Canon, Pentax, Olympus TP_WBALANCE_FLASH65;Nikon, Panasonic, Sony, Minolta @@ -4075,7 +4075,7 @@ TP_WBALANCE_SPOTWB;Use the pipette to pick the white balance from a neutral patc TP_WBALANCE_STUDLABEL;Correlation factor: %1 TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. TP_WBALANCE_TEMPBIAS;AWB temperature bias -TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. TP_WBALANCE_TEMPERATURE;Temperature TP_WBALANCE_TUNGSTEN;Tungsten TP_WBALANCE_WATER1;UnderWater 1 From 628a573c757a84d497b277dcf9c66c96488b1dbe Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 23 Sep 2022 17:54:17 +0200 Subject: [PATCH 107/170] Review of default #5664 generateTranslationDiffs on default --- rtdata/languages/default | 302 +++++++++++++++++++-------------------- 1 file changed, 149 insertions(+), 153 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index b73ac793b..fa663e5c5 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -2,6 +2,7 @@ #01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. #02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: #03 2525-12-24 Zager and Evans + ABOUT_TAB_BUILD;Version ABOUT_TAB_CREDITS;Credits ABOUT_TAB_LICENSE;License @@ -137,7 +138,6 @@ FILEBROWSER_PARTIALPASTEPROFILE;Paste - partial FILEBROWSER_PASTEPROFILE;Paste FILEBROWSER_POPUPCANCELJOB;Cancel job FILEBROWSER_POPUPCOLORLABEL;Color label -FILEBROWSER_POPUPCOLORLABEL0;Label: None FILEBROWSER_POPUPCOLORLABEL1;Label: Red FILEBROWSER_POPUPCOLORLABEL2;Label: Yellow FILEBROWSER_POPUPCOLORLABEL3;Label: Green @@ -155,7 +155,6 @@ FILEBROWSER_POPUPPROCESS;Put to queue FILEBROWSER_POPUPPROCESSFAST;Put to queue (Fast export) FILEBROWSER_POPUPPROFILEOPERATIONS;Processing profile operations FILEBROWSER_POPUPRANK;Rank -FILEBROWSER_POPUPRANK0;Unrank FILEBROWSER_POPUPRANK1;Rank 1 * FILEBROWSER_POPUPRANK2;Rank 2 ** FILEBROWSER_POPUPRANK3;Rank 3 *** @@ -1286,9 +1285,6 @@ HISTORY_MSG_1061;Local - CIECAM Source absolute HISTORY_MSG_1062;Local - CIECAM Surround Source HISTORY_MSG_1063;Local - CIECAM Saturation HISTORY_MSG_1064;Local - CIECAM Chroma -HISTORY_MSG_1062;Local - CIECAM Lightness -HISTORY_MSG_1063;Local - CIECAM Brightness -HISTORY_MSG_1064;Local - CIECAM threshold HISTORY_MSG_1065;Local - CIECAM lightness J HISTORY_MSG_1066;Local - CIECAM brightness HISTORY_MSG_1067;Local - CIECAM Contrast J @@ -1379,8 +1375,8 @@ HISTORY_MSG_BLSHAPE;Blur by level HISTORY_MSG_BLURCWAV;Blur chroma HISTORY_MSG_BLURWAV;Blur luminance HISTORY_MSG_BLUWAV;Attenuation response -HISTORY_MSG_CATCAT;CAL - Settings - Mode HISTORY_MSG_CAT02PRESET;CAT02/16 automatic preset +HISTORY_MSG_CATCAT;CAL - Settings - Mode HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity HISTORY_MSG_CATMODEL;CAL - Settings - CAM HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors @@ -1415,25 +1411,25 @@ HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values HISTORY_MSG_HISTMATCHING;Auto-matched tone curve HISTORY_MSG_HLBL;Color propagation - blur +HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +HISTORY_MSG_ICM_AINTENT;Abstract profile intent +HISTORY_MSG_ICM_BLUX;Primaries Blue X +HISTORY_MSG_ICM_BLUY;Primaries Blue Y +HISTORY_MSG_ICM_FBW;Black and White +HISTORY_MSG_ICM_GREX;Primaries Green X +HISTORY_MSG_ICM_GREY;Primaries Green Y HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma -HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope -HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method -HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method -HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +HISTORY_MSG_ICM_PRESER;Preserve neutral HISTORY_MSG_ICM_REDX;Primaries Red X HISTORY_MSG_ICM_REDY;Primaries Red Y -HISTORY_MSG_ICM_GREX;Primaries Green X -HISTORY_MSG_ICM_GREY;Primaries Green Y -HISTORY_MSG_ICM_BLUX;Primaries Blue X -HISTORY_MSG_ICM_BLUY;Primaries Blue Y -HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy -HISTORY_MSG_ICM_AINTENT;Abstract profile intent +HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method HISTORY_MSG_ILLUM;CAL - SC - Illuminant -HISTORY_MSG_ICM_FBW;Black and White -HISTORY_MSG_ICM_PRESER;Preserve neutral HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1488,9 +1484,9 @@ HISTORY_MSG_TRANS_METHOD;Geometry - Method HISTORY_MSG_WAVBALCHROM;Equalizer chrominance HISTORY_MSG_WAVBALLUM;Equalizer luminance HISTORY_MSG_WAVBL;Blur levels +HISTORY_MSG_WAVCHR;Blur levels - blur chroma HISTORY_MSG_WAVCHROMCO;Chroma coarse HISTORY_MSG_WAVCHROMFI;Chroma fine -HISTORY_MSG_WAVCHR;Blur levels - blur chroma HISTORY_MSG_WAVCLARI;Clarity HISTORY_MSG_WAVDENLH;Level 5 HISTORY_MSG_WAVDENOISE;Local contrast @@ -1499,10 +1495,10 @@ HISTORY_MSG_WAVDETEND;Details soft HISTORY_MSG_WAVEDGS;Edge stopping HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer HISTORY_MSG_WAVHUE;Equalizer hue -HISTORY_MSG_WAVLEVDEN;High level local contrast -HISTORY_MSG_WAVLEVSIGM;Radius HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +HISTORY_MSG_WAVLEVDEN;High level local contrast HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +HISTORY_MSG_WAVLEVSIGM;Radius HISTORY_MSG_WAVLIMDEN;Interaction 56 14 HISTORY_MSG_WAVLOWTHR;Threshold low contrast HISTORY_MSG_WAVMERGEC;Merge C @@ -1865,13 +1861,13 @@ PREFERENCES_DIRSELECTDLG;Select Image Directory at Startup... PREFERENCES_DIRSOFTWARE;Installation directory PREFERENCES_EDITORCMDLINE;Custom command line PREFERENCES_EDITORLAYOUT;Editor layout -PREFERENCES_EXTERNALEDITOR;External Editor +PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile PREFERENCES_EXTEDITOR_DIR;Output directory -PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output -PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +PREFERENCES_EXTERNALEDITOR;External Editor PREFERENCES_FBROWSEROPTS;File Browser / Thumbnail Options PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser PREFERENCES_FLATFIELDFOUND;Found @@ -2063,6 +2059,12 @@ SAVEDLG_WARNFILENAME;File will be named SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +TC_PRIM_BLUX;Bx +TC_PRIM_BLUY;By +TC_PRIM_GREX;Gx +TC_PRIM_GREY;Gy +TC_PRIM_REDX;Rx +TC_PRIM_REDY;Ry THRESHOLDSELECTOR_B;Bottom THRESHOLDSELECTOR_BL;Bottom-left THRESHOLDSELECTOR_BR;Bottom-right @@ -2162,9 +2164,9 @@ TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n TP_COLORAPP_BRIGHT;Brightness (Q) TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. +TP_COLORAPP_CATCLASSIC;Classic TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. TP_COLORAPP_CATMOD;Mode -TP_COLORAPP_CATCLASSIC;Classic TP_COLORAPP_CATSYMGEN;Automatic Symmetric TP_COLORAPP_CATSYMSPE;Mixed TP_COLORAPP_CHROMA;Chroma (C) @@ -2212,12 +2214,12 @@ TP_COLORAPP_LABEL_VIEWING;Viewing Conditions TP_COLORAPP_LIGHT;Lightness (J) TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -TP_COLORAPP_MODEL;WP model -TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. -TP_COLORAPP_MODELCAT;CAM -TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MODEL;WP model +TP_COLORAPP_MODELCAT;CAM +TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. +TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. TP_COLORAPP_NEUTRAL;Reset TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode @@ -2451,9 +2453,6 @@ TP_FILMNEGATIVE_COLORSPACE;Inversion color space: TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space -TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 -TP_FILMNEGATIVE_REF_PICK;Pick white balance spot -TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. TP_FILMNEGATIVE_GREEN;Reference exponent TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. @@ -2461,6 +2460,9 @@ TP_FILMNEGATIVE_LABEL;Film Negative TP_FILMNEGATIVE_OUT_LEVEL;Output level TP_FILMNEGATIVE_PICK;Pick neutral spots TP_FILMNEGATIVE_RED;Red ratio +TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. TP_FILMSIMULATION_LABEL;Film Simulation TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? TP_FILMSIMULATION_STRENGTH;Strength @@ -2491,8 +2493,8 @@ TP_GRADIENT_STRENGTH_TOOLTIP;Filter strength in stops. TP_HLREC_BLEND;Blend TP_HLREC_CIELAB;CIELab Blending TP_HLREC_COLOR;Color Propagation -TP_HLREC_HLBLUR;Blur TP_HLREC_ENA_TOOLTIP;Could be activated by Auto Levels. +TP_HLREC_HLBLUR;Blur TP_HLREC_LABEL;Highlight reconstruction TP_HLREC_LUMINANCE;Luminance Recovery TP_HLREC_METHOD;Method: @@ -2531,9 +2533,10 @@ TP_ICM_NEUTRAL;Reset TP_ICM_NOICM;No ICM: sRGB Output TP_ICM_OUTPUTPROFILE;Output Profile TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K -TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 -TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 TP_ICM_PROFILEINTENT;Rendering Intent TP_ICM_REDFRAME;Custom Primaries TP_ICM_SAVEREFERENCE;Save Reference Image @@ -2544,22 +2547,12 @@ TP_ICM_TONECURVE;Tone curve TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. TP_ICM_TRCFRAME;Abstract Profile TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. -TP_ICM_WORKING_CIEDIAG;CIE xy diagram -TP_ICM_WORKINGPROFILE;Working Profile -TP_ICM_WORKING_PRESER;Preserves Pastel tones -TP_ICM_WORKING_TRC;Tone response curve: -TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 -TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 -TP_ICM_WORKING_TRC_22;Adobe g=2.2 -TP_ICM_WORKING_TRC_18;Prophoto g=1.8 -TP_ICM_WORKING_TRC_LIN;Linear g=1 -TP_ICM_WORKING_TRC_CUSTOM;Custom -TP_ICM_WORKING_TRC_GAMMA;Gamma -TP_ICM_WORKING_TRC_NONE;None -TP_ICM_WORKING_TRC_SLOPE;Slope TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +TP_ICM_WORKINGPROFILE;Working Profile +TP_ICM_WORKING_CIEDIAG;CIE xy diagram TP_ICM_WORKING_ILLU;Illuminant -TP_ICM_WORKING_ILLU_NONE;Default +TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +TP_ICM_WORKING_ILLU_2000;Tungsten 2000K TP_ICM_WORKING_ILLU_D41;D41 TP_ICM_WORKING_ILLU_D50;D50 TP_ICM_WORKING_ILLU_D55;D55 @@ -2567,25 +2560,34 @@ TP_ICM_WORKING_ILLU_D60;D60 TP_ICM_WORKING_ILLU_D65;D65 TP_ICM_WORKING_ILLU_D80;D80 TP_ICM_WORKING_ILLU_D120;D120 +TP_ICM_WORKING_ILLU_NONE;Default TP_ICM_WORKING_ILLU_STDA;stdA 2875K -TP_ICM_WORKING_ILLU_2000;Tungsten 2000K -TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +TP_ICM_WORKING_PRESER;Preserves Pastel tones TP_ICM_WORKING_PRIM;Destination primaries -TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). -TP_ICM_WORKING_PRIM_NONE;Default -TP_ICM_WORKING_PRIM_SRGB;sRGB -TP_ICM_WORKING_PRIM_ADOB;Adobe RGB -TP_ICM_WORKING_PRIM_PROP;ProPhoto -TP_ICM_WORKING_PRIM_REC;Rec2020 -TP_ICM_WORKING_PRIM_ACE;ACESp1 -TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. TP_ICM_WORKING_PRIM_AC0;ACESp0 -TP_ICM_WORKING_PRIM_BRU;BruceRGB +TP_ICM_WORKING_PRIM_ACE;ACESp1 +TP_ICM_WORKING_PRIM_ADOB;Adobe RGB TP_ICM_WORKING_PRIM_BET;Beta RGB +TP_ICM_WORKING_PRIM_BRU;BruceRGB TP_ICM_WORKING_PRIM_BST;BestRGB TP_ICM_WORKING_PRIM_CUS;Custom (sliders) TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) -TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +TP_ICM_WORKING_PRIM_NONE;Default +TP_ICM_WORKING_PRIM_PROP;ProPhoto +TP_ICM_WORKING_PRIM_REC;Rec2020 +TP_ICM_WORKING_PRIM_SRGB;sRGB +TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_TRC;Tone response curve: +TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +TP_ICM_WORKING_TRC_22;Adobe g=2.2 +TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +TP_ICM_WORKING_TRC_CUSTOM;Custom +TP_ICM_WORKING_TRC_GAMMA;Gamma +TP_ICM_WORKING_TRC_LIN;Linear g=1 +TP_ICM_WORKING_TRC_NONE;None +TP_ICM_WORKING_TRC_SLOPE;Slope +TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. TP_IMPULSEDENOISE_LABEL;Impulse Noise Reduction TP_IMPULSEDENOISE_THRESH;Threshold @@ -2657,9 +2659,9 @@ TP_LOCALLAB_AUTOGRAYCIE;Auto TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. TP_LOCALLAB_AVOID;Avoid color shift TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. -TP_LOCALLAB_AVOIDRAD;Soft radius TP_LOCALLAB_AVOIDMUN;Munsell correction only TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +TP_LOCALLAB_AVOIDRAD;Soft radius TP_LOCALLAB_BALAN;ab-L balance (ΔE) TP_LOCALLAB_BALANEXP;Laplacian balance TP_LOCALLAB_BALANH;C-H balance (ΔE) @@ -2700,14 +2702,14 @@ TP_LOCALLAB_BUTTON_DUPL;Duplicate TP_LOCALLAB_BUTTON_REN;Rename TP_LOCALLAB_BUTTON_VIS;Show/Hide TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev -TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments TP_LOCALLAB_CAMMODE;CAM model TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 -TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 TP_LOCALLAB_CBDL;Contrast by Detail Levels TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2727,41 +2729,41 @@ TP_LOCALLAB_CHROMASKCOL;Chroma TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). TP_LOCALLAB_CHROML;Chroma (C) TP_LOCALLAB_CHRRT;Chroma -TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIEC;Use Ciecam environment parameters TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +TP_LOCALLAB_CIECOLORFRA;Color +TP_LOCALLAB_CIECONTFRA;Contrast +TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +TP_LOCALLAB_CIELIGHTFRA;Lighting TP_LOCALLAB_CIEMODE;Change tool position TP_LOCALLAB_CIEMODE_COM;Default TP_LOCALLAB_CIEMODE_DR;Dynamic Range -TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIEMODE_LOG;Log Encoding +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask' +TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIETOOLEXP;Curves -TP_LOCALLAB_CIECOLORFRA;Color -TP_LOCALLAB_CIECONTFRA;Contrast -TP_LOCALLAB_CIELIGHTFRA;Lighting -TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) TP_LOCALLAB_CIRCRADIUS;Spot size TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. TP_LOCALLAB_CLARICRES;Merge chroma TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. TP_LOCALLAB_CLARILRES;Merge luma TP_LOCALLAB_CLARISOFT;Soft radius -TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. TP_LOCALLAB_CLARITYML;Clarity TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' -TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. TP_LOCALLAB_CLIPTM;Clip restored data (gain) TP_LOCALLAB_COFR;Color & Light -TP_LOCALLAB_COLOR_CIE;Color curve TP_LOCALLAB_COLORDE;ΔE preview color - intensity TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. TP_LOCALLAB_COLORSCOPE;Scope (color tools) TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +TP_LOCALLAB_COLOR_CIE;Color curve TP_LOCALLAB_COLOR_TOOLNAME;Color & Light TP_LOCALLAB_COL_NAME;Name TP_LOCALLAB_COL_VIS;Status @@ -2785,8 +2787,8 @@ TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. -TP_LOCALLAB_CURVNONE;Disable curves TP_LOCALLAB_CURVES_CIE;Tone curve +TP_LOCALLAB_CURVNONE;Disable curves TP_LOCALLAB_DARKRETI;Darkness TP_LOCALLAB_DEHAFRA;Dehaze TP_LOCALLAB_DEHAZ;Strength @@ -2794,14 +2796,14 @@ TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall satur TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze TP_LOCALLAB_DELTAD;Delta balance TP_LOCALLAB_DELTAEC;ΔE Image mask +TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. -TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask -TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). TP_LOCALLAB_DENOIMASK;Denoise chroma mask TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. @@ -2839,8 +2841,8 @@ TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influen TP_LOCALLAB_EXCLUTYPE;Spot method TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. TP_LOCALLAB_EXECLU;Excluding spot -TP_LOCALLAB_EXNORM;Normal spot TP_LOCALLAB_EXFULL;Full image +TP_LOCALLAB_EXNORM;Normal spot TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). TP_LOCALLAB_EXPCHROMA;Chroma compensation TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. @@ -2882,7 +2884,6 @@ TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. TP_LOCALLAB_GAM;Gamma -TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) TP_LOCALLAB_GAMC;Gamma TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -2891,6 +2892,7 @@ TP_LOCALLAB_GAMM;Gamma TP_LOCALLAB_GAMMASKCOL;Gamma TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. TP_LOCALLAB_GAMSH;Gamma +TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) TP_LOCALLAB_GRADANG;Gradient angle TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 TP_LOCALLAB_GRADFRA;Graduated Filter Mask @@ -2932,38 +2934,38 @@ TP_LOCALLAB_ISOGR;Distribution (ISO) TP_LOCALLAB_JAB;Uses Black Ev & White Ev TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. TP_LOCALLAB_JZ100;Jz reference 100cd/m2 -TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. -TP_LOCALLAB_JZCLARILRES;Merge Jz +TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +TP_LOCALLAB_JZADAP;PU adaptation +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +TP_LOCALLAB_JZCLARILRES;Merge Jz +TP_LOCALLAB_JZCONT;Contrast TP_LOCALLAB_JZFORCE;Force max Jz to 1 TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +TP_LOCALLAB_JZHFRA;Curves Hz +TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +TP_LOCALLAB_JZHUECIE;Hue Rotation +TP_LOCALLAB_JZLIGHT;Brightness +TP_LOCALLAB_JZLOG;Log encoding Jz +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. TP_LOCALLAB_JZPQFRA;Jz remapping TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. -TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). -TP_LOCALLAB_JZADAP;PU adaptation -TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments -TP_LOCALLAB_JZLIGHT;Brightness -TP_LOCALLAB_JZCONT;Contrast -TP_LOCALLAB_JZCH;Chroma -TP_LOCALLAB_JZCHROM;Chroma -TP_LOCALLAB_JZHFRA;Curves Hz -TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) -TP_LOCALLAB_JZHUECIE;Hue Rotation -TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. -TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +TP_LOCALLAB_JZQTOJ;Relative luminance +TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. TP_LOCALLAB_JZSAT;Saturation TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) -TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter -TP_LOCALLAB_JZQTOJ;Relative luminance -TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) TP_LOCALLAB_JZWAVEXP;Wavelet Jz -TP_LOCALLAB_JZLOG;Log encoding Jz TP_LOCALLAB_LABBLURM;Blur Mask TP_LOCALLAB_LABEL;Local Adjustments TP_LOCALLAB_LABGRID;Color correction grid @@ -3003,19 +3005,19 @@ TP_LOCALLAB_LOG;Log Encoding TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments TP_LOCALLAB_LOG2FRA;Viewing Conditions TP_LOCALLAB_LOGAUTO;Automatic -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. -TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. TP_LOCALLAB_LOGCONQL;Contrast (Q) -TP_LOCALLAB_LOGCONTL;Contrast (J) TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +TP_LOCALLAB_LOGCONTL;Contrast (J) TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. @@ -3055,52 +3057,52 @@ TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection TP_LOCALLAB_MASKDDECAY;Decay strength TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions -TP_LOCALLAB_MASKH;Hue curve -TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n if the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n if the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. -TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied -TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied -TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied -TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied -TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied -TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied -TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied -TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied -TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. -TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKH;Hue curve TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask'=0 in Settings. +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask'=0 in Settings. TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 TP_LOCALLAB_MASKLCTHR;Light area luminance threshold TP_LOCALLAB_MASKLCTHR2;Light area luma threshold TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas -TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise -TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise -TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) -TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied +TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied +TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied +TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied +TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. TP_LOCALLAB_MEDIAN;Median Low TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. @@ -3125,7 +3127,6 @@ TP_LOCALLAB_MERNIN;Screen TP_LOCALLAB_MERONE;Normal TP_LOCALLAB_MERSAT;Saturation TP_LOCALLAB_MERSEV;Soft Light (legacy) -TP_LOCALLAB_MERSEV0;Soft Light Illusion TP_LOCALLAB_MERSEV1;Soft Light W3C TP_LOCALLAB_MERSEV2;Hard Light TP_LOCALLAB_MERSIX;Divide @@ -3147,15 +3148,15 @@ TP_LOCALLAB_MRTHR;Original Image TP_LOCALLAB_MRTWO;Short Curves 'L' Mask TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV TP_LOCALLAB_NEIGH;Radius -TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. -TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +TP_LOCALLAB_NLDET;Detail recovery TP_LOCALLAB_NLFRA;Non-local Means - Luminance TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. -TP_LOCALLAB_NLLUM;Strength -TP_LOCALLAB_NLDET;Detail recovery TP_LOCALLAB_NLGAM;Gamma +TP_LOCALLAB_NLLUM;Strength TP_LOCALLAB_NLPAT;Maximum patch size TP_LOCALLAB_NLRAD;Maximum radius size TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) @@ -3188,27 +3189,27 @@ TP_LOCALLAB_PREVHIDE;Hide additional settings TP_LOCALLAB_PREVIEW;Preview ΔE TP_LOCALLAB_PREVSHOW;Show additional settings TP_LOCALLAB_PROXI;ΔE decay +TP_LOCALLAB_QUAAGRES;Aggressive +TP_LOCALLAB_QUACONSER;Conservative TP_LOCALLAB_QUALCURV_METHOD;Curve type TP_LOCALLAB_QUAL_METHOD;Global quality -TP_LOCALLAB_QUACONSER;Conservative -TP_LOCALLAB_QUAAGRES;Aggressive -TP_LOCALLAB_QUANONEWAV;Non-local means only TP_LOCALLAB_QUANONEALL;Off +TP_LOCALLAB_QUANONEWAV;Non-local means only TP_LOCALLAB_RADIUS;Radius TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 TP_LOCALLAB_RADMASKCOL;Smooth radius -TP_LOCALLAB_RECT;Rectangle TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +TP_LOCALLAB_RECT;Rectangle TP_LOCALLAB_RECURS;Recursive references TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot -TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. -TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. TP_LOCALLAB_RESETSHOW;Reset All Show Modifications TP_LOCALLAB_RESID;Residual Image TP_LOCALLAB_RESIDBLUR;Blur residual image @@ -3284,7 +3285,6 @@ TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise TP_LOCALLAB_SHOWMASKTYP2;Denoise TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise -//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. TP_LOCALLAB_SHOWMNONE;Show modified image TP_LOCALLAB_SHOWMODIF;Show modified areas without mask @@ -3303,13 +3303,13 @@ TP_LOCALLAB_SHOWVI;Mask and modifications TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer -TP_LOCALLAB_SIGMAWAV;Attenuation response TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q TP_LOCALLAB_SIGJZFRA;Sigmoid Jz -TP_LOCALLAB_SIGMOIDLAMBDA;Contrast -TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +TP_LOCALLAB_SIGMAWAV;Attenuation response TP_LOCALLAB_SIGMOIDBL;Blend +TP_LOCALLAB_SIGMOIDLAMBDA;Contrast TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. TP_LOCALLAB_SLOMASKCOL;Slope TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. @@ -3388,10 +3388,10 @@ TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a Whi TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. @@ -3454,7 +3454,6 @@ TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Roundness:\n0 = rectangle,\n50 = fitted ellipse, TP_PCVIGNETTE_STRENGTH;Strength TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filter strength in stops (reached in corners). TP_PDSHARPENING_LABEL;Capture Sharpening -TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length TP_PERSPECTIVE_CAMERA_FRAME;Correction @@ -3465,6 +3464,7 @@ TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift TP_PERSPECTIVE_CAMERA_YAW;Horizontal TP_PERSPECTIVE_CONTROL_LINES;Control lines TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. TP_PERSPECTIVE_HORIZONTAL;Horizontal TP_PERSPECTIVE_LABEL;Perspective TP_PERSPECTIVE_METHOD;Method @@ -3498,12 +3498,6 @@ TP_PREPROCWB_LABEL;Preprocess White Balance TP_PREPROCWB_MODE;Mode TP_PREPROCWB_MODE_AUTO;Auto TP_PREPROCWB_MODE_CAMERA;Camera -TC_PRIM_BLUX;Bx -TC_PRIM_BLUY;By -TC_PRIM_GREX;Gx -TC_PRIM_GREY;Gy -TC_PRIM_REDX;Rx -TC_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;Post-Resize Sharpening TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. TP_RAWCACORR_AUTO;Auto-correction @@ -3612,9 +3606,9 @@ TP_RESIZE_LONG;Long Edge TP_RESIZE_METHOD;Method: TP_RESIZE_NEAREST;Nearest TP_RESIZE_SCALE;Scale -TP_RESIZE_SPECIFY;Specify: TP_RESIZE_SE;Short Edge: TP_RESIZE_SHORT;Short Edge +TP_RESIZE_SPECIFY;Specify: TP_RESIZE_W;Width: TP_RESIZE_WIDTH;Width TP_RETINEX_CONTEDIT_HSL;HSL histogram @@ -4088,3 +4082,5 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f ZOOMPANEL_ZOOMFITSCREEN;Fit whole image to screen\nShortcut: Alt-f ZOOMPANEL_ZOOMIN;Zoom In\nShortcut: + ZOOMPANEL_ZOOMOUT;Zoom Out\nShortcut: - +//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' + From cf96139c3ac8de87eeb977eb75a46c20e918b96c Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 23 Sep 2022 18:09:44 +0200 Subject: [PATCH 108/170] Review of default #5664 Consistently use _TOOLTIP suffix for tooltip keys. --- rtdata/languages/default | 24 ++++++++++++------------ rtgui/colorappearance.cc | 4 ++-- rtgui/colortoning.cc | 2 +- rtgui/distortion.cc | 2 +- rtgui/exportpanel.cc | 2 +- rtgui/labcurve.cc | 2 +- rtgui/locallabtools.cc | 2 +- rtgui/profilepanel.cc | 2 +- rtgui/retinex.cc | 2 +- rtgui/saveasdlg.cc | 2 +- rtgui/tonecurve.cc | 8 ++++---- rtgui/wavelet.cc | 2 +- 12 files changed, 27 insertions(+), 27 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index fa663e5c5..961bc3518 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -104,7 +104,7 @@ EXPORT_PIPELINE;Processing pipeline EXPORT_PUTTOQUEUEFAST;Put to queue for fast export EXPORT_RAW_DMETHOD;Demosaic method EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) EXTPROGTARGET_1;raw EXTPROGTARGET_2;queue-processed @@ -1983,7 +1983,7 @@ PROFILEPANEL_GLOBALPROFILES;Bundled profiles PROFILEPANEL_LABEL;Processing Profiles PROFILEPANEL_LOADDLGLABEL;Load Processing Parameters... PROFILEPANEL_LOADPPASTE;Parameters to load -PROFILEPANEL_MODE_TIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. +PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. PROFILEPANEL_MYPROFILES;My profiles PROFILEPANEL_PASTEPPASTE;Parameters to paste PROFILEPANEL_PCUSTOM;Custom @@ -2221,9 +2221,9 @@ TP_COLORAPP_MODELCAT;CAM TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. TP_COLORAPP_NEUTRAL;Reset -TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode -TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled TP_COLORAPP_RSTPRO;Red & skin-tones protection TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. @@ -2293,7 +2293,7 @@ TP_COLORTONING_METHOD;Method TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. TP_COLORTONING_MIDTONES;Midtones TP_COLORTONING_NEUTRAL;Reset sliders -TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. TP_COLORTONING_OPACITY;Opacity: TP_COLORTONING_RGBCURVES;RGB - Curves TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -2410,7 +2410,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tone TP_DIRPYREQUALIZER_THRESHOLD;Threshold TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. TP_DISTORTION_AMOUNT;Amount -TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. TP_DISTORTION_LABEL;Distortion Correction TP_EPD_EDGESTOPPING;Edge stopping TP_EPD_GAMMA;Gamma @@ -2419,12 +2419,12 @@ TP_EPD_REWEIGHTINGITERATES;Reweighting iterates TP_EPD_SCALE;Scale TP_EPD_STRENGTH;Strength TP_EXPOSURE_AUTOLEVELS;Auto Levels -TP_EXPOSURE_AUTOLEVELS_TIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. TP_EXPOSURE_BLACKLEVEL;Black TP_EXPOSURE_BRIGHTNESS;Lightness TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors TP_EXPOSURE_CLIP;Clip % -TP_EXPOSURE_CLIP_TIP;The fraction of pixels to be clipped in Auto Levels operation. +TP_EXPOSURE_CLIP_TOOLTIP;The fraction of pixels to be clipped in Auto Levels operation. TP_EXPOSURE_COMPRHIGHLIGHTS;Highlight compression TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Highlight compression threshold TP_EXPOSURE_COMPRSHADOWS;Shadow compression @@ -2625,7 +2625,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) TP_LABCURVE_LABEL;L*a*b* Adjustments TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones -TP_LABCURVE_LCREDSK_TIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. +TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. TP_LABCURVE_RSTPROTECTION;Red and skin-tones protection TP_LABCURVE_RSTPRO_TOOLTIP;Works on the Chromaticity slider and the CC curve. TP_LENSGEOM_AUTOCROP;Auto-Crop @@ -3445,7 +3445,7 @@ TP_METADATA_MODE;Metadata copy mode TP_METADATA_STRIP;Strip all metadata TP_METADATA_TUNNEL;Copy unchanged TP_NEUTRAL;Reset -TP_NEUTRAL_TIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. +TP_NEUTRAL_TOOLTIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. TP_PCVIGNETTE_FEATHER;Feather TP_PCVIGNETTE_FEATHER_TOOLTIP;Feathering:\n0 = corners only,\n50 = halfway to center,\n100 = to center. TP_PCVIGNETTE_LABEL;Vignette Filter @@ -3664,7 +3664,7 @@ TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Reset -TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. TP_RETINEX_OFFSET;Offset (brightness) TP_RETINEX_SCALES;Gaussian gradient TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. @@ -3700,7 +3700,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Degree TP_ROTATE_LABEL;Rotate TP_ROTATE_SELECTLINE;Select Straight Line -TP_SAVEDIALOG_OK_TIP;Shortcut: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Shortcut: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Highlights TP_SHADOWSHLIGHTS_HLTONALW;Highlights tonal width TP_SHADOWSHLIGHTS_LABEL;Shadows/Highlights diff --git a/rtgui/colorappearance.cc b/rtgui/colorappearance.cc index 3acaeeff8..a0d341cf2 100644 --- a/rtgui/colorappearance.cc +++ b/rtgui/colorappearance.cc @@ -270,7 +270,7 @@ ColorAppearance::ColorAppearance () : FoldableToolPanel (this, "colorappearance" genVBox->pack_start (*catHBox, Gtk::PACK_SHRINK); presetcat02 = Gtk::manage (new Gtk::CheckButton (M ("TP_COLORAPP_PRESETCAT02"))); - presetcat02->set_tooltip_markup (M("TP_COLORAPP_PRESETCAT02_TIP")); + presetcat02->set_tooltip_markup (M("TP_COLORAPP_PRESETCAT02_TOOLTIP")); presetcat02conn = presetcat02->signal_toggled().connect( sigc::mem_fun(*this, &ColorAppearance::presetcat02pressed)); // genVBox->pack_start (*presetcat02, Gtk::PACK_SHRINK); @@ -744,7 +744,7 @@ ColorAppearance::ColorAppearance () : FoldableToolPanel (this, "colorappearance" RTImage *resetImg = Gtk::manage (new RTImage ("undo-small.png", "redo-small.png")); setExpandAlignProperties (resetImg, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_CENTER); neutral->set_image (*resetImg); - neutral->set_tooltip_text (M ("TP_COLORAPP_NEUTRAL_TIP")); + neutral->set_tooltip_text (M ("TP_COLORAPP_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect ( sigc::mem_fun (*this, &ColorAppearance::neutral_pressed) ); neutral->show(); diff --git a/rtgui/colortoning.cc b/rtgui/colortoning.cc index 0140c5b62..019bedff6 100644 --- a/rtgui/colortoning.cc +++ b/rtgui/colortoning.cc @@ -315,7 +315,7 @@ ColorToning::ColorToning () : FoldableToolPanel(this, "colortoning", M("TP_COLOR neutrHBox = Gtk::manage (new Gtk::Box()); neutral = Gtk::manage (new Gtk::Button (M("TP_COLORTONING_NEUTRAL"))); - neutral->set_tooltip_text (M("TP_COLORTONING_NEUTRAL_TIP")); + neutral->set_tooltip_text (M("TP_COLORTONING_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect( sigc::mem_fun(*this, &ColorToning::neutral_pressed) ); neutral->show(); neutrHBox->pack_start (*neutral); diff --git a/rtgui/distortion.cc b/rtgui/distortion.cc index 165ccee06..6e2bd7a35 100644 --- a/rtgui/distortion.cc +++ b/rtgui/distortion.cc @@ -35,7 +35,7 @@ Distortion::Distortion (): FoldableToolPanel(this, "distortion", M("TP_DISTORTIO autoDistor->set_image (*Gtk::manage (new RTImage ("distortion-auto-small.png"))); autoDistor->get_style_context()->add_class("independent"); autoDistor->set_alignment(0.5f, 0.5f); - autoDistor->set_tooltip_text (M("TP_DISTORTION_AUTO_TIP")); + autoDistor->set_tooltip_text (M("TP_DISTORTION_AUTO_TOOLTIP")); idConn = autoDistor->signal_pressed().connect( sigc::mem_fun(*this, &Distortion::idPressed) ); autoDistor->show(); pack_start (*autoDistor); diff --git a/rtgui/exportpanel.cc b/rtgui/exportpanel.cc index a4ce63c1d..f6c8a79f0 100644 --- a/rtgui/exportpanel.cc +++ b/rtgui/exportpanel.cc @@ -46,7 +46,7 @@ ExportPanel::ExportPanel () : listener (nullptr) use_normal_pipeline = Gtk::manage ( new Gtk::RadioButton (pipeline_group, M ("EXPORT_USE_NORMAL_PIPELINE"))); bypass_box = Gtk::manage (new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); bypass_ALL = Gtk::manage ( new Gtk::CheckButton (M ("EXPORT_BYPASS_ALL"))); - use_fast_pipeline->set_tooltip_text (M ("EXPORT_USE_FAST_PIPELINE_TIP")); + use_fast_pipeline->set_tooltip_text (M ("EXPORT_USE_FAST_PIPELINE_TOOLTIP")); bypass_sharpening = Gtk::manage ( new Gtk::CheckButton (M ("EXPORT_BYPASS_SHARPENING"))); bypass_sharpenEdge = Gtk::manage ( new Gtk::CheckButton (M ("EXPORT_BYPASS_SHARPENEDGE"))); bypass_sharpenMicro = Gtk::manage ( new Gtk::CheckButton (M ("EXPORT_BYPASS_SHARPENMICRO"))); diff --git a/rtgui/labcurve.cc b/rtgui/labcurve.cc index dca1dfd45..d2279f586 100644 --- a/rtgui/labcurve.cc +++ b/rtgui/labcurve.cc @@ -66,7 +66,7 @@ LCurve::LCurve () : FoldableToolPanel(this, "labcurves", M("TP_LABCURVE_LABEL"), pack_start (*avoidcolorshift, Gtk::PACK_SHRINK, 4); lcredsk = Gtk::manage (new Gtk::CheckButton (M("TP_LABCURVE_LCREDSK"))); - lcredsk->set_tooltip_markup (M("TP_LABCURVE_LCREDSK_TIP")); + lcredsk->set_tooltip_markup (M("TP_LABCURVE_LCREDSK_TOOLTIP")); pack_start (*lcredsk); rstprotection = Gtk::manage ( new Adjuster (M("TP_LABCURVE_RSTPROTECTION"), 0., 100., 0.1, 0.) ); diff --git a/rtgui/locallabtools.cc b/rtgui/locallabtools.cc index bc72a8f35..c59dd233a 100644 --- a/rtgui/locallabtools.cc +++ b/rtgui/locallabtools.cc @@ -6717,7 +6717,7 @@ LocallabBlur::LocallabBlur(): RTImage *resetImg = Gtk::manage (new RTImage ("undo-small.png", "redo-small.png")); setExpandAlignProperties (resetImg, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_CENTER); neutral->set_image (*resetImg); - neutral->set_tooltip_text (M ("TP_RETINEX_NEUTRAL_TIP")); + neutral->set_tooltip_text (M ("TP_RETINEX_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect ( sigc::mem_fun (*this, &LocallabBlur::neutral_pressed) ); neutral->show(); diff --git a/rtgui/profilepanel.cc b/rtgui/profilepanel.cc index e18ec8cff..8ce9055d0 100644 --- a/rtgui/profilepanel.cc +++ b/rtgui/profilepanel.cc @@ -56,7 +56,7 @@ ProfilePanel::ProfilePanel () : storedPProfile(nullptr), lastSavedPSE(nullptr), fillMode->set_active(options.filledProfile); fillMode->add( options.filledProfile ? *profileFillModeOnImage : *profileFillModeOffImage ); fillMode->signal_toggled().connect ( sigc::mem_fun(*this, &ProfilePanel::profileFillModeToggled) ); - fillMode->set_tooltip_text(M("PROFILEPANEL_MODE_TIP")); + fillMode->set_tooltip_text(M("PROFILEPANEL_MODE_TOOLTIP")); //GTK318 #if GTK_MAJOR_VERSION == 3 && GTK_MINOR_VERSION < 20 fillMode->set_margin_right(2); diff --git a/rtgui/retinex.cc b/rtgui/retinex.cc index a9d7cc376..b5877d63f 100644 --- a/rtgui/retinex.cc +++ b/rtgui/retinex.cc @@ -494,7 +494,7 @@ Retinex::Retinex () : FoldableToolPanel (this, "retinex", M ("TP_RETINEX_LABEL") RTImage *resetImg = Gtk::manage (new RTImage ("undo-small.png", "redo-small.png")); setExpandAlignProperties (resetImg, false, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_CENTER); neutral->set_image (*resetImg); - neutral->set_tooltip_text (M ("TP_RETINEX_NEUTRAL_TIP")); + neutral->set_tooltip_text (M ("TP_RETINEX_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect ( sigc::mem_fun (*this, &Retinex::neutral_pressed) ); neutral->show(); diff --git a/rtgui/saveasdlg.cc b/rtgui/saveasdlg.cc index 9fdb90f18..1e361411c 100644 --- a/rtgui/saveasdlg.cc +++ b/rtgui/saveasdlg.cc @@ -120,7 +120,7 @@ SaveAsDialog::SaveAsDialog (const Glib::ustring &initialDir, Gtk::Window* parent Gtk::Button* ok = Gtk::manage( new Gtk::Button (M("GENERAL_OK")) ); Gtk::Button* cancel = Gtk::manage( new Gtk::Button (M("GENERAL_CANCEL")) ); - ok->set_tooltip_markup (M("TP_SAVEDIALOG_OK_TIP")); + ok->set_tooltip_markup (M("TP_SAVEDIALOG_OK_TOOLTIP")); ok->signal_clicked().connect( sigc::mem_fun(*this, &SaveAsDialog::okPressed) ); cancel->signal_clicked().connect( sigc::mem_fun(*this, &SaveAsDialog::cancelPressed) ); diff --git a/rtgui/tonecurve.cc b/rtgui/tonecurve.cc index 8a33575ca..6cbd70825 100644 --- a/rtgui/tonecurve.cc +++ b/rtgui/tonecurve.cc @@ -58,11 +58,11 @@ ToneCurve::ToneCurve() : FoldableToolPanel(this, "tonecurve", M("TP_EXPOSURE_LAB abox->set_spacing (4); autolevels = Gtk::manage(new Gtk::ToggleButton(M("TP_EXPOSURE_AUTOLEVELS"))); - autolevels->set_tooltip_markup(M("TP_EXPOSURE_AUTOLEVELS_TIP")); + autolevels->set_tooltip_markup(M("TP_EXPOSURE_AUTOLEVELS_TOOLTIP")); autoconn = autolevels->signal_toggled().connect(sigc::mem_fun(*this, &ToneCurve::autolevels_toggled)); lclip = Gtk::manage(new Gtk::Label(M("TP_EXPOSURE_CLIP"))); - lclip->set_tooltip_text(M("TP_EXPOSURE_CLIP_TIP")); + lclip->set_tooltip_text(M("TP_EXPOSURE_CLIP_TOOLTIP")); sclip = Gtk::manage(new MySpinButton()); sclip->set_range(0.0, 0.99); @@ -74,7 +74,7 @@ ToneCurve::ToneCurve() : FoldableToolPanel(this, "tonecurve", M("TP_EXPOSURE_LAB sclip->signal_value_changed().connect(sigc::mem_fun(*this, &ToneCurve::clip_changed)); neutral = Gtk::manage(new Gtk::Button(M("TP_NEUTRAL"))); - neutral->set_tooltip_text(M("TP_NEUTRAL_TIP")); + neutral->set_tooltip_text(M("TP_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect(sigc::mem_fun(*this, &ToneCurve::neutral_pressed)); neutral->show(); @@ -872,7 +872,7 @@ void ToneCurve::setBatchMode(bool batchMode) removeIfThere(abox, autolevels, false); autolevels = Gtk::manage(new Gtk::CheckButton(M("TP_EXPOSURE_AUTOLEVELS"))); - autolevels->set_tooltip_markup(M("TP_EXPOSURE_AUTOLEVELS_TIP")); + autolevels->set_tooltip_markup(M("TP_EXPOSURE_AUTOLEVELS_TOOLTIP")); autoconn = autolevels->signal_toggled().connect(sigc::mem_fun(*this, &ToneCurve::autolevels_toggled)); abox->pack_start(*autolevels); diff --git a/rtgui/wavelet.cc b/rtgui/wavelet.cc index 7fa79f881..d9691bd55 100644 --- a/rtgui/wavelet.cc +++ b/rtgui/wavelet.cc @@ -1168,7 +1168,7 @@ Wavelet::Wavelet() : //RTImage *resetImg = Gtk::manage (new RTImage ("undo-small.png", "redo-small.png")); //neutral->set_image(*resetImg); Gtk::Button* const neutral = Gtk::manage(new Gtk::Button(M("TP_COLORTONING_NEUTRAL"))); - neutral->set_tooltip_text(M("TP_COLORTONING_NEUTRAL_TIP")); + neutral->set_tooltip_text(M("TP_COLORTONING_NEUTRAL_TOOLTIP")); neutralconn = neutral->signal_pressed().connect(sigc::mem_fun(*this, &Wavelet::neutral_pressed)); neutral->show(); neutrHBox->pack_start(*neutral, Gtk::PACK_EXPAND_WIDGET); From 52a3a336eaaf6cbaa5580af5791d1cd99df5d8a2 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 23 Sep 2022 18:51:32 +0200 Subject: [PATCH 109/170] Review of default #5664 Tooltips. --- rtdata/languages/default | 220 +++++++++++++++++++-------------------- 1 file changed, 110 insertions(+), 110 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 961bc3518..b991ea31f 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1524,7 +1524,7 @@ HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s HISTORY_SNAPSHOT;Snapshot HISTORY_SNAPSHOTS;Snapshots ICCPROFCREATOR_COPYRIGHT;Copyright: -ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0' +ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. ICCPROFCREATOR_CUSTOM;Custom ICCPROFCREATOR_DESCRIPTION;Description: ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -2221,9 +2221,9 @@ TP_COLORAPP_MODELCAT;CAM TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. TP_COLORAPP_NEUTRAL;Reset -TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode -TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled. TP_COLORAPP_RSTPRO;Red & skin-tones protection TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. @@ -2244,7 +2244,7 @@ TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode TP_COLORAPP_TCMODE_LIGHTNESS;Lightness TP_COLORAPP_TCMODE_SATUR;Saturation TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint +TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 TP_COLORAPP_TONECIE;Use CIECAM for tone mapping TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2252,15 +2252,15 @@ TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final i TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] TP_COLORAPP_WBRT;WB [RT] + [output] -TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image -TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. TP_COLORTONING_AB;o C/L TP_COLORTONING_AUTOSAT;Automatic TP_COLORTONING_BALANCE;Balance TP_COLORTONING_BY;o C/L TP_COLORTONING_CHROMAC;Opacity TP_COLORTONING_COLOR;Color: -TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). TP_COLORTONING_HIGHLIGHT;Highlights TP_COLORTONING_HUE;Hue TP_COLORTONING_LAB;L*a*b* blending @@ -2611,18 +2611,18 @@ TP_LABCURVE_CURVEEDITOR_CC_RANGE1;Neutral TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Dull TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated -TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C) +TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C). TP_LABCURVE_CURVEEDITOR_CH;CH -TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H) +TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H). TP_LABCURVE_CURVEEDITOR_CL;CL -TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L) +TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L). TP_LABCURVE_CURVEEDITOR_HH;HH -TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H) +TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H). TP_LABCURVE_CURVEEDITOR_LC;LC -TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C) +TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C). TP_LABCURVE_CURVEEDITOR_LH;LH -TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) -TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) +TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H). +TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L). TP_LABCURVE_LABEL;L*a*b* Adjustments TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. @@ -2660,12 +2660,12 @@ TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' an TP_LOCALLAB_AVOID;Avoid color shift TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. TP_LOCALLAB_AVOIDMUN;Munsell correction only -TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. TP_LOCALLAB_AVOIDRAD;Soft radius TP_LOCALLAB_BALAN;ab-L balance (ΔE) TP_LOCALLAB_BALANEXP;Laplacian balance TP_LOCALLAB_BALANH;C-H balance (ΔE) -TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise +TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. TP_LOCALLAB_BASELOG;Shadows range (logarithm base) TP_LOCALLAB_BILATERAL;Bilateral filter TP_LOCALLAB_BLACK_EV;Black Ev @@ -2673,8 +2673,8 @@ TP_LOCALLAB_BLCO;Chrominance only TP_LOCALLAB_BLENDMASKCOL;Blend TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask -TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image -TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image +TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. TP_LOCALLAB_BLGUID;Guided Filter TP_LOCALLAB_BLINV;Inverse TP_LOCALLAB_BLLC;Luminance & Chrominance @@ -2684,7 +2684,7 @@ TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nI TP_LOCALLAB_BLNOI_EXP;Blur & Noise TP_LOCALLAB_BLNORM;Normal TP_LOCALLAB_BLUFR;Blur/Grain & Denoise -TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction +TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain TP_LOCALLAB_BLURCOL;Radius TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. @@ -2692,7 +2692,7 @@ TP_LOCALLAB_BLURDE;Blur shape detection TP_LOCALLAB_BLURLC;Luminance only TP_LOCALLAB_BLURLEVELFRA;Blur levels TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. -TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000) +TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise TP_LOCALLAB_BLWH;All changes forced in Black-and-White TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. @@ -2714,7 +2714,7 @@ TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 TP_LOCALLAB_CBDL;Contrast by Detail Levels TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. -TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise +TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels TP_LOCALLAB_CENTER_X;Center X TP_LOCALLAB_CENTER_Y;Center Y @@ -2741,7 +2741,7 @@ TP_LOCALLAB_CIEMODE_COM;Default TP_LOCALLAB_CIEMODE_DR;Dynamic Range TP_LOCALLAB_CIEMODE_LOG;Log Encoding TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask' +TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIETOOLEXP;Curves TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) @@ -2755,7 +2755,7 @@ TP_LOCALLAB_CLARISOFT;Soft radius TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. TP_LOCALLAB_CLARITYML;Clarity -TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. TP_LOCALLAB_CLIPTM;Clip restored data (gain) TP_LOCALLAB_COFR;Color & Light TP_LOCALLAB_COLORDE;ΔE preview color - intensity @@ -2783,9 +2783,9 @@ TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' TP_LOCALLAB_CURVCURR;Normal TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. -TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal' +TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve -TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light +TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. TP_LOCALLAB_CURVES_CIE;Tone curve TP_LOCALLAB_CURVNONE;Disable curves @@ -2793,7 +2793,7 @@ TP_LOCALLAB_DARKRETI;Darkness TP_LOCALLAB_DEHAFRA;Dehaze TP_LOCALLAB_DEHAZ;Strength TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. -TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze +TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. TP_LOCALLAB_DELTAD;Delta balance TP_LOCALLAB_DELTAEC;ΔE Image mask TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask @@ -2801,7 +2801,7 @@ TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). -TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise +TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). @@ -2810,7 +2810,7 @@ TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. TP_LOCALLAB_DENOI_EXP;Denoise -TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128 +TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. TP_LOCALLAB_DEPTH;Depth TP_LOCALLAB_DETAIL;Local contrast TP_LOCALLAB_DETAILFRA;Edge detection - DCT @@ -2855,9 +2855,9 @@ TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels) TP_LOCALLAB_EXPCURV;Curves TP_LOCALLAB_EXPGRAD;Graduated Filter TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. -TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend -TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform -TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform +TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. @@ -2878,7 +2878,7 @@ TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ -TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) +TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image @@ -2894,23 +2894,23 @@ TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and art TP_LOCALLAB_GAMSH;Gamma TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) TP_LOCALLAB_GRADANG;Gradient angle -TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 +TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. TP_LOCALLAB_GRADFRA;Graduated Filter Mask -TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength +TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance TP_LOCALLAB_GRADSTR;Gradient strength -TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength +TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength TP_LOCALLAB_GRADSTRHUE;Hue gradient strength TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength -TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength +TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. TP_LOCALLAB_GRADSTRLUM;Luma gradient strength TP_LOCALLAB_GRAINFRA;Film Grain 1:1 TP_LOCALLAB_GRAINFRA2;Coarseness -TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image +TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) -TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) -TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma +TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. TP_LOCALLAB_GRIDONE;Color Toning TP_LOCALLAB_GRIDTWO;Direct TP_LOCALLAB_GUIDBL;Soft radius @@ -2918,7 +2918,7 @@ TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allow TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. TP_LOCALLAB_GUIDFILTER;Guided filter radius TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. -TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter +TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. TP_LOCALLAB_HIGHMASKCOL;Highlights TP_LOCALLAB_HLH;H @@ -2926,7 +2926,7 @@ TP_LOCALLAB_HUECIE;Hue TP_LOCALLAB_IND;Independent (mouse) TP_LOCALLAB_INDSL;Independent (mouse + sliders) TP_LOCALLAB_INVBL;Inverse -TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot +TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. TP_LOCALLAB_INVERS;Inverse TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. TP_LOCALLAB_INVMASK;Inverse algorithm @@ -2942,7 +2942,7 @@ TP_LOCALLAB_JZCLARICRES;Merge chroma Cz TP_LOCALLAB_JZCLARILRES;Merge Jz TP_LOCALLAB_JZCONT;Contrast TP_LOCALLAB_JZFORCE;Force max Jz to 1 -TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments TP_LOCALLAB_JZHFRA;Curves Hz TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) @@ -2984,14 +2984,14 @@ TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large rad TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets TP_LOCALLAB_LEVELBLUR;Maximum blur levels TP_LOCALLAB_LEVELWAV;Wavelet levels -TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 +TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. TP_LOCALLAB_LEVFRA;Levels TP_LOCALLAB_LIGHTNESS;Lightness -TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero +TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. TP_LOCALLAB_LIGHTRETI;Lightness TP_LOCALLAB_LINEAR;Linearity TP_LOCALLAB_LIST_NAME;Add tool to current spot... -TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing +TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. TP_LOCALLAB_LOCCONT;Unsharp Mask @@ -3009,7 +3009,7 @@ TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3022,11 +3022,11 @@ TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the inc TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. -TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment +TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. TP_LOCALLAB_LOGEXP;All tools TP_LOCALLAB_LOGFRA;Scene Conditions TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. -TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). TP_LOCALLAB_LOGLIGHTL;Lightness (J) TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) @@ -3038,12 +3038,12 @@ TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. -TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LUM;LL - CC TP_LOCALLAB_LUMADARKEST;Darkest TP_LOCALLAB_LUMASK;Background color/luma mask -TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) +TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). TP_LOCALLAB_LUMAWHITESEST;Lightest TP_LOCALLAB_LUMFRA;L*a*b* standard TP_LOCALLAB_MASFRAME;Mask and Merge @@ -3054,16 +3054,16 @@ TP_LOCALLAB_MASKCOL; TP_LOCALLAB_MASKCOM;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. -TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection +TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. TP_LOCALLAB_MASKDDECAY;Decay strength -TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions +TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. -TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n if the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. -TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n if the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. TP_LOCALLAB_MASKH;Hue curve -TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask'=0 in Settings. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. @@ -3071,7 +3071,7 @@ TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLCTHR;Light area luminance threshold TP_LOCALLAB_MASKLCTHR2;Light area luma threshold TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold @@ -3091,16 +3091,16 @@ TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters wi TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. -TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied +TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. TP_LOCALLAB_MASKRECOTHRES;Recovery threshold -TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied -TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied -TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied -TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied -TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied -TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied -TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. @@ -3116,8 +3116,8 @@ TP_LOCALLAB_MERFOR;Color Dodge TP_LOCALLAB_MERFOU;Multiply TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure -TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm -TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) +TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. TP_LOCALLAB_MERHEI;Overlay TP_LOCALLAB_MERHUE;Hue @@ -3146,7 +3146,7 @@ TP_LOCALLAB_MRFOU;Previous Spot TP_LOCALLAB_MRONE;None TP_LOCALLAB_MRTHR;Original Image TP_LOCALLAB_MRTWO;Short Curves 'L' Mask -TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV +TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. TP_LOCALLAB_NEIGH;Radius TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. @@ -3160,7 +3160,7 @@ TP_LOCALLAB_NLLUM;Strength TP_LOCALLAB_NLPAT;Maximum patch size TP_LOCALLAB_NLRAD;Maximum radius size TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) -TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 +TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) TP_LOCALLAB_NOISEGAM;Gamma @@ -3172,7 +3172,7 @@ TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) TP_LOCALLAB_NOISEMETH;Denoise -TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise +TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. TP_LOCALLAB_NONENOISE;None TP_LOCALLAB_NUL_TOOLTIP;. TP_LOCALLAB_OFFS;Offset @@ -3180,7 +3180,7 @@ TP_LOCALLAB_OFFSETWAV;Offset TP_LOCALLAB_OPACOL;Opacity TP_LOCALLAB_ORIGLC;Merge only with original image TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). -TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced +TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. TP_LOCALLAB_PASTELS2;Vibrance TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ @@ -3196,7 +3196,7 @@ TP_LOCALLAB_QUAL_METHOD;Global quality TP_LOCALLAB_QUANONEALL;Off TP_LOCALLAB_QUANONEWAV;Non-local means only TP_LOCALLAB_RADIUS;Radius -TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 +TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. TP_LOCALLAB_RADMASKCOL;Smooth radius TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). TP_LOCALLAB_RECT;Rectangle @@ -3225,7 +3225,7 @@ TP_LOCALLAB_RETIFRA;Retinex TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). TP_LOCALLAB_RETIM;Original Retinex TP_LOCALLAB_RETITOOLFRA;Retinex Tools -TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast +TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. @@ -3243,20 +3243,20 @@ TP_LOCALLAB_SCALEGR;Scale TP_LOCALLAB_SCALERETI;Scale TP_LOCALLAB_SCALTM;Scale TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) -TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area +TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. TP_LOCALLAB_SENSI;Scope TP_LOCALLAB_SENSIEXCLU;Scope -TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded -TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge' -TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors +TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. TP_LOCALLAB_SETTINGS;Settings TP_LOCALLAB_SH1;Shadows Highlights TP_LOCALLAB_SH2;Equalizer TP_LOCALLAB_SHADEX;Shadows TP_LOCALLAB_SHADEXCOMP;Shadow compression TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer -TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm -TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm +TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. TP_LOCALLAB_SHAMASKCOL;Shadows TP_LOCALLAB_SHAPETYPE;RT-spot shape @@ -3270,7 +3270,7 @@ TP_LOCALLAB_SHARP;Sharpening TP_LOCALLAB_SHARP_TOOLNAME;Sharpening TP_LOCALLAB_SHARRADIUS;Radius TP_LOCALLAB_SHORTC;Short Curves 'L' Mask -TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 +TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. TP_LOCALLAB_SHOWC;Mask and modifications TP_LOCALLAB_SHOWC1;Merge file TP_LOCALLAB_SHOWCB;Mask and modifications @@ -3360,23 +3360,23 @@ TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The gre TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. -TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted +TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping TP_LOCALLAB_TOOLCOL;Structure mask as tool -TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists +TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. TP_LOCALLAB_TOOLMASK;Mask Tools TP_LOCALLAB_TOOLMASK_2;Wavelets TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. TP_LOCALLAB_TRANSIT;Transition Gradient TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY -TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. TP_LOCALLAB_TRANSITVALUE;Transition value TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) -TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) -TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius' +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain TP_LOCALLAB_TRANSMISSIONMAP;Transmission map -TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts +TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. TP_LOCALLAB_USEMASK;Laplacian TP_LOCALLAB_VART;Variance (contrast) TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool @@ -3418,7 +3418,7 @@ TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, TP_LOCALLAB_WAVCOMP;Compression by level TP_LOCALLAB_WAVCOMPRE;Compression by level TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. -TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal +TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. TP_LOCALLAB_WAVCON;Contrast by level TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. TP_LOCALLAB_WAVDEN;Luminance denoise @@ -3430,7 +3430,7 @@ TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. TP_LOCALLAB_WAVLEV;Blur by level TP_LOCALLAB_WAVMASK;Local contrast -TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.) +TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). TP_LOCALLAB_WEDIANHI;Median Hi TP_LOCALLAB_WHITE_EV;White Ev TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments @@ -3439,7 +3439,7 @@ TP_LOCAL_HEIGHT;Bottom TP_LOCAL_HEIGHT_T;Top TP_LOCAL_WIDTH;Right TP_LOCAL_WIDTH_L;Left -TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n +TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. TP_METADATA_EDIT;Apply modifications TP_METADATA_MODE;Metadata copy mode TP_METADATA_STRIP;Strip all metadata @@ -3567,7 +3567,7 @@ TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Enabled: Equalize the RGB channels i TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. TP_RAW_PIXELSHIFTGREEN;Check green channel for motion TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -3587,7 +3587,7 @@ TP_RAW_RCD;RCD TP_RAW_RCDBILINEAR;RCD+Bilinear TP_RAW_RCDVNG4;RCD+VNG4 TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix TP_RAW_VNG4;VNG4 TP_RAW_XTRANS;X-Trans @@ -3661,7 +3661,7 @@ TP_RETINEX_MEDIAN;Transmission median filter TP_RETINEX_METHOD;Method TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 -TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending +TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Reset TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -3753,7 +3753,7 @@ TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;Red/Purple TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Red TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Red/Yellow TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Yellow -TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H) +TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H). TP_VIBRANCE_LABEL;Vibrance TP_VIBRANCE_PASTELS;Pastel tones TP_VIBRANCE_PASTSATTOG;Link pastel and saturated tones @@ -3800,7 +3800,7 @@ TP_WAVELET_BLCURVE;Blur by levels TP_WAVELET_BLURFRAME;Blur TP_WAVELET_BLUWAV;Attenuation response TP_WAVELET_CBENAB;Toning and Color balance -TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance +TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. TP_WAVELET_CCURVE;Local contrast TP_WAVELET_CH1;Whole chroma range TP_WAVELET_CH2;Saturated/pastel @@ -3814,7 +3814,7 @@ TP_WAVELET_CHROMCO;Chrominance Coarse TP_WAVELET_CHROMFI;Chrominance Fine TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. TP_WAVELET_CHRWAV;Blur chroma -TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength' +TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. TP_WAVELET_CHSL;Sliders TP_WAVELET_CHTYPE;Chrominance method TP_WAVELET_CLA;Clarity @@ -3825,7 +3825,7 @@ TP_WAVELET_COMPEXPERT;Advanced TP_WAVELET_COMPGAMMA;Compression gamma TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. TP_WAVELET_COMPLEXLAB;Complexity -TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations +TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. TP_WAVELET_COMPNORMAL;Standard TP_WAVELET_COMPTM;Tone mapping TP_WAVELET_CONTEDIT;'After' contrast curve @@ -3836,7 +3836,7 @@ TP_WAVELET_CONTRAST_MINUS;Contrast - TP_WAVELET_CONTRAST_PLUS;Contrast + TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. TP_WAVELET_CTYPE;Chrominance control -TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300% +TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. @@ -3857,18 +3857,18 @@ TP_WAVELET_DEN5THR;Guided threshold TP_WAVELET_DENCURV;Curve TP_WAVELET_DENL;Correction structure TP_WAVELET_DENLH;Guided threshold levels 1-4 -TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained +TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. TP_WAVELET_DENOISE;Guide curve based on Local contrast TP_WAVELET_DENOISEGUID;Guided threshold based on hue TP_WAVELET_DENOISEH;High levels Curve Local contrast TP_WAVELET_DENOISEHUE;Denoise hue equalizer TP_WAVELET_DENQUA;Mode -TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide +TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. TP_WAVELET_DENSLI;Slider TP_WAVELET_DENSLILAB;Method -TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter -TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color +TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. TP_WAVELET_DETEND;Details TP_WAVELET_DIRFRAME;Directional contrast TP_WAVELET_DONE;Vertical @@ -3876,7 +3876,7 @@ TP_WAVELET_DTHR;Diagonal TP_WAVELET_DTWO;Horizontal TP_WAVELET_EDCU;Curve TP_WAVELET_EDEFFECT;Attenuation response -TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment +TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. TP_WAVELET_EDGCONT;Local contrast TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. TP_WAVELET_EDGE;Edge sharpness @@ -3884,21 +3884,21 @@ TP_WAVELET_EDGEAMPLI;Base amplification TP_WAVELET_EDGEDETECT;Gradient sensitivity TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) TP_WAVELET_EDGEDETECTTHR2;Edge enhancement -TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge +TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. TP_WAVELET_EDGESENSI;Edge sensitivity TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. TP_WAVELET_EDGTHRESH;Detail TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. TP_WAVELET_EDRAD;Radius -TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect +TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. TP_WAVELET_EDSL;Threshold sliders TP_WAVELET_EDTYPE;Local contrast method TP_WAVELET_EDVAL;Strength TP_WAVELET_FINAL;Final Touchup TP_WAVELET_FINCFRAME;Final local contrast TP_WAVELET_FINEST;Finest -TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter +TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) TP_WAVELET_HIGHLIGHT;Finer levels luminance range TP_WAVELET_HS1;Whole luminance range @@ -3934,7 +3934,7 @@ TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength TP_WAVELET_LIPST;Enhanced algoritm TP_WAVELET_LOWLIGHT;Coarser levels luminance range -TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise +TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. TP_WAVELET_MEDGREINF;First level TP_WAVELET_MEDI;Reduce artifacts in blue sky TP_WAVELET_MEDILEV;Edge detection @@ -3973,7 +3973,7 @@ TP_WAVELET_RE2;Unchanged TP_WAVELET_RE3;Reduced TP_WAVELET_RESBLUR;Blur luminance TP_WAVELET_RESBLURC;Blur chroma -TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500% +TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. TP_WAVELET_RESCHRO;Strength TP_WAVELET_RESCON;Shadows TP_WAVELET_RESCONH;Highlights @@ -3986,7 +3986,7 @@ TP_WAVELET_SHOWMASK;Show wavelet 'mask' TP_WAVELET_SIGM;Radius TP_WAVELET_SIGMA;Attenuation response TP_WAVELET_SIGMAFIN;Attenuation response -TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values +TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. TP_WAVELET_SKIN;Skin targetting/protection TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. TP_WAVELET_SKY;Hue targetting/protection @@ -4082,5 +4082,5 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f ZOOMPANEL_ZOOMFITSCREEN;Fit whole image to screen\nShortcut: Alt-f ZOOMPANEL_ZOOMIN;Zoom In\nShortcut: + ZOOMPANEL_ZOOMOUT;Zoom Out\nShortcut: - -//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' +//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope'. From 551f9f6116112ae3ec1ac1879ebd940d498dc7f9 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Mon, 26 Sep 2022 16:46:25 +0200 Subject: [PATCH 110/170] Review of default #5664 Restored keys deleted by buggy `sort` command (version 9.1). See PR #6503 printf '%s\n' "key;foo" "key0;bar0" | sort -Vu -t ';' --key=1,1 --- rtdata/languages/default | 3 +++ 1 file changed, 3 insertions(+) diff --git a/rtdata/languages/default b/rtdata/languages/default index b991ea31f..8bc74d96b 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -138,6 +138,7 @@ FILEBROWSER_PARTIALPASTEPROFILE;Paste - partial FILEBROWSER_PASTEPROFILE;Paste FILEBROWSER_POPUPCANCELJOB;Cancel job FILEBROWSER_POPUPCOLORLABEL;Color label +FILEBROWSER_POPUPCOLORLABEL0;Label: None FILEBROWSER_POPUPCOLORLABEL1;Label: Red FILEBROWSER_POPUPCOLORLABEL2;Label: Yellow FILEBROWSER_POPUPCOLORLABEL3;Label: Green @@ -155,6 +156,7 @@ FILEBROWSER_POPUPPROCESS;Put to queue FILEBROWSER_POPUPPROCESSFAST;Put to queue (Fast export) FILEBROWSER_POPUPPROFILEOPERATIONS;Processing profile operations FILEBROWSER_POPUPRANK;Rank +FILEBROWSER_POPUPRANK0;Unrank FILEBROWSER_POPUPRANK1;Rank 1 * FILEBROWSER_POPUPRANK2;Rank 2 ** FILEBROWSER_POPUPRANK3;Rank 3 *** @@ -3127,6 +3129,7 @@ TP_LOCALLAB_MERNIN;Screen TP_LOCALLAB_MERONE;Normal TP_LOCALLAB_MERSAT;Saturation TP_LOCALLAB_MERSEV;Soft Light (legacy) +TP_LOCALLAB_MERSEV0;Soft Light Illusion TP_LOCALLAB_MERSEV1;Soft Light W3C TP_LOCALLAB_MERSEV2;Hard Light TP_LOCALLAB_MERSIX;Divide From e2a7ccc612df95075c9db5c55273cafb1a2bbcf3 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Mon, 26 Sep 2022 16:57:15 +0200 Subject: [PATCH 111/170] Review of default #5664 Deleted commented-out key. --- rtdata/languages/default | 1 - 1 file changed, 1 deletion(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 8bc74d96b..53f84f809 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -4085,5 +4085,4 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f ZOOMPANEL_ZOOMFITSCREEN;Fit whole image to screen\nShortcut: Alt-f ZOOMPANEL_ZOOMIN;Zoom In\nShortcut: + ZOOMPANEL_ZOOMOUT;Zoom Out\nShortcut: - -//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope'. From 9010ca5d9d99260b8b8dd4045a5aecfdd174c2ea Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Mon, 26 Sep 2022 18:06:47 +0200 Subject: [PATCH 112/170] Review of default #5664 CIECAM terminology. Removed unused tooltips. Closes #6588 --- rtdata/languages/default | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 53f84f809..696778431 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1377,7 +1377,6 @@ HISTORY_MSG_BLSHAPE;Blur by level HISTORY_MSG_BLURCWAV;Blur chroma HISTORY_MSG_BLURWAV;Blur luminance HISTORY_MSG_BLUWAV;Attenuation response -HISTORY_MSG_CAT02PRESET;CAT02/16 automatic preset HISTORY_MSG_CATCAT;CAL - Settings - Mode HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity HISTORY_MSG_CATMODEL;CAL - Settings - CAM @@ -2216,16 +2215,14 @@ TP_COLORAPP_LABEL_VIEWING;Viewing Conditions TP_COLORAPP_LIGHT;Lightness (J) TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -TP_COLORAPP_MOD02;CIECAM02 -TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MOD02;CAM02 +TP_COLORAPP_MOD16;CAM16 TP_COLORAPP_MODEL;WP model TP_COLORAPP_MODELCAT;CAM -TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\nCIECAM02 will sometimes be more accurate.\nCIECAM16 should generate fewer artifacts. +TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. TP_COLORAPP_NEUTRAL;Reset TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. -TP_COLORAPP_PRESETCAT02;Preset CAT02/16 automatic - Symmetric mode -TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that CAT02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change CAT02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled. TP_COLORAPP_RSTPRO;Red & skin-tones protection TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. From b575377d5eca9ab926f870404b85092fa56e71e5 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 26 Sep 2022 20:21:42 -0700 Subject: [PATCH 113/170] Update Windows build PCRE DLL name (#6587) --- .github/workflows/windows.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index 456b365d2..e6c03a014 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -150,7 +150,7 @@ jobs: "libpangoft2-1.0-0.dll" \ "libpangomm-1.4-1.dll" \ "libpangowin32-1.0-0.dll" \ - "libpcre-1.dll" \ + "libpcre2-8-0.dll" \ "libpixman-1-0.dll" \ "libpng16-16.dll" \ "librsvg-2-2.dll" \ From f4a4ee40b3747d2b7c46ef25a579e9ed3998dabc Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Tue, 27 Sep 2022 05:22:22 +0200 Subject: [PATCH 114/170] Update RtExif with data from ExifTool 12.45 (16-09-2022) (#6586) --- rtexif/canonattribs.cc | 59 +++++++++++++++++++++++++++++++----- rtexif/nikonattribs.cc | 18 +++++++++++ rtexif/olympusattribs.cc | 4 +++ rtexif/pentaxattribs.cc | 4 +++ rtexif/sonyminoltaattribs.cc | 53 ++++++++++++++++++++++++++++++-- 5 files changed, 129 insertions(+), 9 deletions(-) diff --git a/rtexif/canonattribs.cc b/rtexif/canonattribs.cc index 57fe6d07e..073fe2894 100644 --- a/rtexif/canonattribs.cc +++ b/rtexif/canonattribs.cc @@ -633,7 +633,7 @@ public: {37, "Tamron AF 28-300mm f/3.5-6.3 XR Di VC LD Aspherical [IF] Macro (A20)"}, {37, "Tamron SP AF 17-50mm f/2.8 XR Di II VC LD Aspherical [IF]"}, {37, "Tamron AF 18-270mm f/3.5-6.3 Di II VC LD Aspherical [IF] Macro"}, - {38, "Canon EF 80-200mm f/4.5-5.6"}, + {38, "Canon EF 80-200mm f/4.5-5.6 II"}, {39, "Canon EF 75-300mm f/4-5.6"}, {40, "Canon EF 28-80mm f/3.5-5.6"}, {41, "Canon EF 28-90mm f/4-5.6"}, @@ -654,6 +654,7 @@ public: {53, "Canon EF-S 18-55mm f/3.5-5.6 III"}, {54, "Canon EF-S 55-250mm f/4-5.6 IS II"}, {60, "Irix 11mm f/4"}, + {63, "Irix 30mm F1.4 Dragonfly"}, {80, "Canon TS-E 50mm f/2.8L Macro"}, {81, "Canon TS-E 90mm f/2.8L Macro"}, {82, "Canon TS-E 135mm f/4L Macro"}, @@ -916,12 +917,13 @@ public: {252, "Canon EF 70-200mm f/2.8L IS III USM + 1.4x"}, {253, "Canon EF 70-200mm f/2.8L IS II USM + 2x"}, {253, "Canon EF 70-200mm f/2.8L IS III USM + 2x"}, - {254, "Canon EF 100mm f/2.8L Macro IS USM"}, + {254, "Canon EF 100mm f/2.8L Macro IS USM or Tamron Lens"}, + {254, "Tamron SP 90mm f/2.8 Di VC USD 1:1 Macro (F017)"}, {255, "Sigma 24-105mm f/4 DG OS HSM | A or Other Lens"}, {255, "Sigma 180mm f/2.8 EX DG OS HSM APO Macro"}, {255, "Tamron SP 70-200mm f/2.8 Di VC USD"}, {368, "Sigma 14-24mm f/2.8 DG HSM | A or other Sigma Lens"}, - {368, "Sigma 35mm f/1.4 DG HSM | A"}, + {368, "Sigma 20mm f/1.4 DG HSM | A"}, {368, "Sigma 50mm f/1.4 DG HSM | A"}, {368, "Sigma 40mm f/1.4 DG HSM | A"}, {368, "Sigma 60-600mm f/4.5-6.3 DG OS HSM | S"}, @@ -930,7 +932,9 @@ public: {368, "Sigma 85mm f/1.4 DG HSM | A"}, {368, "Sigma 105mm f/1.4 DG HSM"}, {368, "Sigma 14-24mm f/2.8 DG HSM"}, + {368, "Sigma 35mm f/1.4 DG HSM | A"}, {368, "Sigma 70mm f/2.8 DG Macro"}, + {368, "Sigma 18-35mm f/1.8 DC HSM | A"}, {488, "Canon EF-S 15-85mm f/3.5-5.6 IS USM"}, {489, "Canon EF 70-300mm f/4-5.6L IS USM"}, {490, "Canon EF 8-15mm f/4L Fisheye USM"}, @@ -958,7 +962,8 @@ public: {507, "Canon EF 16-35mm f/4L IS USM"}, {508, "Canon EF 11-24mm f/4L USM or Tamron Lens"}, {508, "Tamron 10-24mm f/3.5-4.5 Di II VC HLD (B023)"}, - {624, "Sigma 70-200mm f/2.8 DG OS HSM | S"}, + {624, "Sigma 70-200mm f/2.8 DG OS HSM | S or other Sigma Lens"}, + {624, "Sigma 150-600mm f/5-6.3 | C"}, {747, "Canon EF 100-400mm f/4.5-5.6L IS II USM or Tamron Lens"}, {747, "Tamron SP 150-600mm f/5-6.3 Di VC USD G2"}, {748, "Canon EF 100-400mm f/4.5-5.6L IS II USM + 1.4x or Tamron Lens"}, @@ -994,7 +999,8 @@ public: {4158, "Canon EF-S 18-55mm f/4-5.6 IS STM"}, {4159, "Canon EF-M 32mm f/1.4 STM"}, {4160, "Canon EF-S 35mm f/2.8 Macro IS STM"}, - {4208, "Sigma 56mm f/1.4 DC DN | C"}, + {4208, "Sigma 56mm f/1.4 DC DN | C or other Sigma Lens"}, + {4208, "Sigma 30mm F1.4 DC DN | C"}, {36910, "Canon EF 70-300mm f/4-5.6 IS II USM"}, {36912, "Canon EF-S 18-135mm f/3.5-5.6 IS USM"}, {61182, "Canon RF 35mm F1.8 Macro IS STM or other Canon RF Lens"}, @@ -1002,9 +1008,41 @@ public: {61182, "Canon RF 24-105mm F4 L IS USM"}, {61182, "Canon RF 28-70mm F2 L USM"}, {61182, "Canon RF 85mm F1.2L USM"}, + {61182, "Canon RF 85mm F1.2L USM DS"}, + {61182, "Canon RF 24-70mm F2.8L IS USM"}, + {61182, "Canon RF 15-35mm F2.8L IS USM"}, {61182, "Canon RF 24-240mm F4-6.3 IS USM"}, - {61182, "Canon RF 24-70mm F2.8 L IS USM"}, - {61182, "Canon RF 15-35mm F2.8 L IS USM"}, + {61182, "Canon RF 70-200mm F2.8L IS USM"}, + {61182, "Canon RF 85mm F2 MACRO IS STM"}, + {61182, "Canon RF 600mm F11 IS STM"}, + {61182, "Canon RF 600mm F11 IS STM + RF1.4x"}, + {61182, "Canon RF 600mm F11 IS STM + RF2x"}, + {61182, "Canon RF 800mm F11 IS STM"}, + {61182, "Canon RF 800mm F11 IS STM + RF1.4x"}, + {61182, "Canon RF 800mm F11 IS STM + RF2x"}, + {61182, "Canon RF 24-105mm F4-7.1 IS STM"}, + {61182, "Canon RF 100-500mm F4.5-7.1L IS USM"}, + {61182, "Canon RF 100-500mm F4.5-7.1L IS USM + RF1.4x"}, + {61182, "Canon RF 100-500mm F4.5-7.1L IS USM + RF2x"}, + {61182, "Canon RF 70-200mm F4L IS USM"}, + {61182, "Canon RF 100mm F2.8L MACRO IS USM"}, + {61182, "Canon RF 50mm F1.8 STM"}, + {61182, "Canon RF 14-35mm F4L IS USM"}, + {61182, "Canon RF-S 18-45mm F4.5-6.3 IS STM"}, + {61182, "Canon RF 100-400mm F5.6-8 IS USM"}, + {61182, "Canon RF 100-400mm F5.6-8 IS USM + RF1.4x"}, + {61182, "Canon RF 100-400mm F5.6-8 IS USM + RF2x"}, + {61182, "Canon RF-S 18-150mm F3.5-6.3 IS STM"}, + {61182, "Canon RF 24mm F1.8 MACRO IS STM"}, + {61182, "Canon RF 16mm F2.8 STM"}, + {61182, "Canon RF 400mm F2.8L IS USM"}, + {61182, "Canon RF 400mm F2.8L IS USM + RF1.4x"}, + {61182, "Canon RF 400mm F2.8L IS USM + RF2x"}, + {61182, "Canon RF 600mm F4L IS USM"}, + {61182, "Canon RF 15-30mm F4.5-6.3 IS STM"}, + {61182, "Canon RF 800mm F5.6L IS USM"}, + {61182, "Canon RF 1200mm F8L IS USM"}, + {61182, "Canon RF 5.2mm F2.8L Dual Fisheye 3D VR"}, {61491, "Canon CN-E 14mm T3.1 L F"}, {61492, "Canon CN-E 24mm T1.5 L F"}, {61494, "Canon CN-E 85mm T1.3 L F"}, @@ -1898,6 +1936,7 @@ public: choices[2147484678] = "EOS 6D Mark II"; choices[2147484680] = "EOS 77D / 9000D"; choices[2147484695] = "EOS Rebel SL2 / 200D / Kiss X9"; + choices[2147484705] = "EOS R5"; choices[2147484706] = "EOS Rebel T100 / 4000D / 3000D"; choices[2147484708] = "EOS R"; choices[2147484712] = "EOS-1D X Mark III"; @@ -1906,6 +1945,12 @@ public: choices[2147484725] = "EOS Rebel T8i / 850D / X10i"; choices[2147484726] = "EOS SL3 / 250D / Kiss X10"; choices[2147484727] = "EOS 90D"; + choices[2147484752] = "EOS R3"; + choices[2147484755] = "EOS R6"; + choices[2147484772] = "EOS R7"; + choices[2147484773] = "EOS R10"; + choices[2147484775] = "PowerShot ZOOM"; + choices[2147484776] = "EOS M50 Mark II / Kiss M2"; choices[2147484960] = "EOS D2000C"; choices[2147485024] = "EOS D6000C"; } diff --git a/rtexif/nikonattribs.cc b/rtexif/nikonattribs.cc index 0ea476a24..83aec22f6 100644 --- a/rtexif/nikonattribs.cc +++ b/rtexif/nikonattribs.cc @@ -611,6 +611,7 @@ const std::map NALensDataInterpreter::lenses = { {"02 3A 37 50 31 3D 02 00", "Sigma 24-50mm f/4-5.6 UC"}, {"02 3A 5E 8E 32 3D 02 00", "Sigma 75-300mm f/4.0-5.6"}, {"02 3B 44 61 30 3D 02 00", "Sigma 35-80mm f/4-5.6"}, + {"02 3B 5C 82 30 3C 02 00", "Sigma Zoom-K 70-210mm f/4-5.6"}, {"02 3C B0 B0 3C 3C 02 00", "Sigma APO 800mm f/5.6"}, {"02 3F 24 24 2C 2C 02 00", "Sigma 14mm f/3.5"}, {"02 3F 3C 5C 2D 35 02 00", "Sigma 28-70mm f/3.5-4.5 UC"}, @@ -635,6 +636,7 @@ const std::map NALensDataInterpreter::lenses = { {"07 3E 30 43 2D 35 03 00", "Soligor AF Zoom 19-35mm 1:3.5-4.5 MC"}, {"07 40 2F 44 2C 34 03 02", "Tamron AF 19-35mm f/3.5-4.5 (A10)"}, {"07 40 30 45 2D 35 03 02", "Tamron AF 19-35mm f/3.5-4.5 (A10)"}, + {"07 40 30 45 2D 35 03 02", "Voigtlander Ultragon 19-35mm f/3.5-4.5 VMV"}, {"07 40 3C 5C 2C 35 03 00", "Tokina AF 270 II (AF 28-70mm f/3.5-4.5)"}, {"07 40 3C 62 2C 34 03 00", "AF Zoom-Nikkor 28-85mm f/3.5-4.5"}, {"07 46 2B 44 24 30 03 02", "Tamron SP AF 17-35mm f/2.8-4 Di LD Aspherical (IF) (A05)"}, @@ -719,6 +721,7 @@ const std::map NALensDataInterpreter::lenses = { {"26 40 7B A0 34 40 1C 02", "Sigma APO 170-500mm f/5-6.3 Aspherical RF"}, {"26 41 3C 8E 2C 40 1C 02", "Sigma 28-300mm f/3.5-6.3 DG Macro"}, {"26 44 73 98 34 3C 1C 02", "Sigma 135-400mm f/4.5-5.6 APO Aspherical"}, + {"26 45 68 8E 34 42 1C 02", "Sigma 100-300mm f/4.5-6.7 DL"}, {"26 48 11 11 30 30 1C 02", "Sigma 8mm f/4 EX Circular Fisheye"}, {"26 48 27 27 24 24 1C 02", "Sigma 15mm f/2.8 EX Diagonal Fisheye"}, {"26 48 2D 50 24 24 1C 06", "Sigma 18-50mm f/2.8 EX DC"}, @@ -874,6 +877,7 @@ const std::map NALensDataInterpreter::lenses = { {"6E 48 98 98 24 24 74 02", "AF-S Nikkor 400mm f/2.8D IF-ED II"}, {"6F 3C A0 A0 30 30 75 02", "AF-S Nikkor 500mm f/4D IF-ED II"}, {"70 3C A6 A6 30 30 76 02", "AF-S Nikkor 600mm f/4D IF-ED II"}, + {"71 48 64 64 24 24 00 00", "Voigtlander APO-Skopar 90mm f/2.8 SL IIs"}, {"72 48 4C 4C 24 24 77 00", "Nikkor 45mm f/2.8 P"}, {"74 40 37 62 2C 34 78 06", "AF-S Zoom-Nikkor 24-85mm f/3.5-4.5G IF-ED"}, {"75 40 3C 68 2C 3C 79 06", "AF Zoom-Nikkor 28-100mm f/3.5-5.6G"}, @@ -901,6 +905,7 @@ const std::map NALensDataInterpreter::lenses = { {"7A 48 2D 50 24 24 4B 06", "Sigma 18-50mm f/2.8 EX DC Macro"}, {"7A 48 5C 80 24 24 4B 06", "Sigma 70-200mm f/2.8 EX APO DG Macro HSM II"}, {"7A 54 6E 8E 24 24 4B 02", "Sigma APO 120-300mm f/2.8 EX DG HSM"}, + {"7B 48 37 44 18 18 4B 06", "Sigma 24-35mm f/2.0 DG HSM | A"}, {"7B 48 80 98 30 30 80 0E", "AF-S VR Zoom-Nikkor 200-400mm f/4G IF-ED"}, {"7C 54 2B 50 24 24 00 06", "Tamron SP AF 17-50mm f/2.8 XR Di II LD Aspherical (IF) (A16)"}, {"7D 48 2B 53 24 24 82 06", "AF-S DX Zoom-Nikkor 17-55mm f/2.8G IF-ED"}, @@ -914,6 +919,7 @@ const std::map NALensDataInterpreter::lenses = { {"82 34 76 A6 38 40 4B 0E", "Sigma 150-600mm f/5-6.3 DG OS HSM | C"}, {"82 48 8E 8E 24 24 87 0E", "AF-S VR Nikkor 300mm f/2.8G IF-ED"}, {"83 00 B0 B0 5A 5A 88 04", "FSA-L2, EDG 65, 800mm f/13 G"}, + {"87 2C 2D 8E 2C 40 4B 0E", "Sigma 18-300mm f/3.5-6.3 DC Macro HSM"}, {"88 54 50 50 0C 0C 4B 06", "Sigma 50mm f/1.4 DG HSM | A"}, {"89 30 2D 80 2C 40 4B 0E", "Sigma 18-200mm f/3.5-6.3 DC Macro OS HS | C"}, {"89 3C 53 80 30 3C 8B 06", "AF-S DX Zoom-Nikkor 55-200mm f/4-5.6G ED"}, @@ -921,8 +927,10 @@ const std::map NALensDataInterpreter::lenses = { {"8A 54 6A 6A 24 24 8C 0E", "AF-S VR Micro-Nikkor 105mm f/2.8G IF-ED"}, {"8B 40 2D 80 2C 3C 8D 0E", "AF-S DX VR Zoom-Nikkor 18-200mm f/3.5-5.6G IF-ED"}, {"8B 40 2D 80 2C 3C FD 0E", "AF-S DX VR Zoom-Nikkor 18-200mm f/3.5-5.6G IF-ED [II]"}, + {"8B 48 1C 30 24 24 85 06", "Tokina AT-X 11-20 f/2.8 PRO DX (AF 11-20mm f/2.8)"}, {"8B 4C 2D 44 14 14 4B 06", "Sigma 18-35mm f/1.8 DC HSM"}, {"8C 40 2D 53 2C 3C 8E 06", "AF-S DX Zoom-Nikkor 18-55mm f/3.5-5.6G ED"}, + {"8C 48 29 3C 24 24 86 06", "Tokina opera 16-28mm f/2.8 FF"}, {"8D 44 5C 8E 34 3C 8F 0E", "AF-S VR Zoom-Nikkor 70-300mm f/4.5-5.6G IF-ED"}, {"8D 48 6E 8E 24 24 4B 0E", "Sigma 120-300mm f/2.8 DG OS HSM Sports"}, {"8E 3C 2B 5C 24 30 4B 0E", "Sigma 17-70mm f/2.8-4 DC Macro OS HSM | C"}, @@ -960,13 +968,17 @@ const std::map NALensDataInterpreter::lenses = { {"9E 40 2D 6A 2C 3C A0 0E", "AF-S DX VR Zoom-Nikkor 18-105mm f/3.5-5.6G ED"}, {"9F 37 50 A0 34 40 4B 0E", "Sigma 50-500mm f/4.5-6.3 DG OS HSM"}, {"9F 48 48 48 24 24 A1 06", "Yongnuo YN40mm f/2.8N"}, + {"9F 54 68 68 18 18 A2 06", "Yongnuo YN100mm f/2N"}, {"9F 58 44 44 14 14 A1 06", "AF-S DX Nikkor 35mm f/1.8G"}, + {"A0 37 5C 8E 34 3C A2 06", "Sony FE 70-300mm f/4.5-5.6 G OSS"}, {"A0 40 2D 53 2C 3C CA 0E", "AF-P DX Nikkor 18-55mm f/3.5-5.6G VR"}, {"A0 40 2D 53 2C 3C CA 8E", "AF-P DX Nikkor 18-55mm f/3.5-5.6G"}, {"A0 40 2D 74 2C 3C BB 0E", "AF-S DX Nikkor 18-140mm f/3.5-5.6G ED VR"}, {"A0 48 2A 5C 24 30 4B 0E", "Sigma 17-70mm f/2.8-4 DC Macro OS HSM"}, {"A0 54 50 50 0C 0C A2 06", "AF-S Nikkor 50mm f/1.4G"}, + {"A0 56 44 44 14 14 A2 06", "Sony FE 35mm f/1.8"}, {"A1 40 18 37 2C 34 A3 06", "AF-S DX Nikkor 10-24mm f/3.5-4.5G ED"}, + {"A1 40 2D 53 2C 3C CB 86", "AF-P DX Nikkor 18-55mm f/3.5-5.6G"}, {"A1 41 19 31 2C 2C 4B 06", "Sigma 10-20mm f/3.5 EX DC HSM"}, {"A1 48 6E 8E 24 24 DB 4E", "AF-S Nikkor 120-300mm f/2.8E FL ED SR VR"}, {"A1 54 55 55 0C 0C BC 06", "AF-S Nikkor 58mm f/1.4G"}, @@ -1040,6 +1052,7 @@ const std::map NALensDataInterpreter::lenses = { {"B6 48 37 56 24 24 1C 02", "Sigma 24-60mm f/2.8 EX DG"}, {"B7 44 60 98 34 3C B9 0E", "AF-S Nikkor 80-400mm f/4.5-5.6G ED VR"}, {"B8 40 2D 44 2C 34 BA 06", "AF-S Nikkor 18-35mm f/3.5-4.5G ED"}, + {"BB 48 5C 80 24 24 4B 4E", "Sigma 70-200mm f/2.8 DG OS HSM | S"}, {"BF 3C 1B 1B 30 30 01 04", "Irix 11mm f/4 Firefly"}, {"BF 4E 26 26 1E 1E 01 04", "Irix 15mm f/2.4 Firefly"}, {"C1 48 24 37 24 24 4B 46", "Sigma 14-24mm f/2.8 DG HSM | A"}, @@ -1051,8 +1064,10 @@ const std::map NALensDataInterpreter::lenses = { {"C8 54 62 62 0C 0C 4B 46", "Sigma 85mm f/1.4 DG HSM | A"}, {"C9 3C 44 76 25 31 DF 4E", "Tamron 35-150mm f/2.8-4 Di VC OSD (A043)"}, {"C9 48 37 5C 24 24 4B 4E", "Sigma 24-70mm f/2.8 DG OS HSM | A"}, + {"CA 3C 1F 37 30 30 4B 46", "Sigma 12-24mm f/4 DG HSM | A"}, {"CA 48 27 3E 24 24 DF 4E", "Tamron SP 15-30mm f/2.8 Di VC USD G2 (A041)"}, {"CB 3C 2B 44 24 31 DF 46", "Tamron 17-35mm f/2.8-4 Di OSD (A037)"}, + {"CC 44 68 98 34 41 DF 0E", "Tamron 100-400mm f/4.5-6.3 Di VC USD"}, {"CC 4C 50 68 14 14 4B 06", "Sigma 50-100mm f/1.8 DC HSM | A"}, {"CD 3D 2D 70 2E 3C 4B 0E", "Sigma 18-125mm f/3.8-5.6 DC OS HSM"}, {"CE 34 76 A0 38 40 4B 0E", "Sigma 150-500mm f/5-6.3 DG OS APO HSM"}, @@ -1060,6 +1075,7 @@ const std::map NALensDataInterpreter::lenses = { {"CF 38 6E 98 34 3C 4B 0E", "Sigma APO 120-400mm f/4.5-5.6 DG OS HSM"}, {"CF 47 5C 8E 31 3D DF 0E", "Tamron SP 70-300mm f/4-5.6 Di VC USD (A030)"}, {"D2 3C 8E B0 3C 3C 4B 02", "Sigma APO 300-800mm f/5.6 EX DG HSM"}, + {"DB 40 11 11 2C 2C 1C 06", "Sigma 8mm f/3.5 EX DG Circular Fisheye"}, {"DC 48 19 19 24 24 4B 06", "Sigma 10mm f/2.8 EX DC HSM Fisheye"}, {"DE 54 50 50 0C 0C 4B 06", "Sigma 50mm f/1.4 EX DG HSM"}, {"E0 3C 5C 8E 30 3C 4B 06", "Sigma 70-300mm f/4-5.6 APO DG Macro HSM"}, @@ -1067,6 +1083,7 @@ const std::map NALensDataInterpreter::lenses = { {"E1 40 19 36 2C 35 DF 4E", "Tamron 10-24mm f/3.5-4.5 Di II VC HLD (B023)"}, {"E1 58 37 37 14 14 1C 02", "Sigma 24mm f/1.8 EX DG Aspherical Macro"}, {"E2 47 5C 80 24 24 DF 4E", "Tamron SP 70-200mm f/2.8 Di VC USD G2 (A025)"}, + {"E3 40 76 A6 38 40 DF 0E", "Tamron SP 150-600mm f/5-6.3 Di VC USD G2 (A022)"}, {"E3 40 76 A6 38 40 DF 4E", "Tamron SP 150-600mm f/5-6.3 Di VC USD G2"}, {"E3 54 50 50 24 24 35 02", "Sigma Macro 50mm f/2.8 EX DG"}, {"E4 54 64 64 24 24 DF 0E", "Tamron SP 90mm f/2.8 Di VC USD Macro 1:1 (F017)"}, @@ -1081,6 +1098,7 @@ const std::map NALensDataInterpreter::lenses = { {"EA 40 29 8E 2C 40 DF 0E", "Tamron 16-300mm f/3.5-6.3 Di II VC PZD (B016)"}, {"EA 48 27 27 24 24 1C 02", "Sigma 15mm f/2.8 EX Diagonal Fisheye"}, {"EB 40 76 A6 38 40 DF 0E", "Tamron SP AF 150-600mm f/5-6.3 VC USD (A011)"}, + {"EC 3E 3C 8E 2C 40 DF 0E", "Tamron 28-300mm f/3.5-6.3 Di VC PZD A010"}, {"ED 40 2D 80 2C 40 4B 0E", "Sigma 18-200mm f/3.5-6.3 DC OS HSM"}, {"EE 48 5C 80 24 24 4B 06", "Sigma 70-200mm f/2.8 EX APO DG Macro HSM II"}, {"F0 38 1F 37 34 3C 4B 06", "Sigma 12-24mm f/4.5-5.6 EX DG Aspherical HSM"}, diff --git a/rtexif/olympusattribs.cc b/rtexif/olympusattribs.cc index 8f35120ba..63ce6bb43 100644 --- a/rtexif/olympusattribs.cc +++ b/rtexif/olympusattribs.cc @@ -130,9 +130,12 @@ public: lenses["00 32 00"] = "Olympus Zuiko Digital ED 14-35mm f/2.0 SWD"; lenses["00 32 10"] = "Olympus M.Zuiko Digital ED 12-200mm f/3.5-6.3"; lenses["00 33 00"] = "Olympus Zuiko Digital 25mm f/2.8"; + lenses["00 33 10"] = "Olympus M.Zuiko Digital 150-400mm f/4.5 TC1.25x IS Pro"; lenses["00 34 00"] = "Olympus Zuiko Digital ED 9-18mm f/4.0-5.6"; lenses["00 34 10"] = "Olympus M.Zuiko Digital ED 12-45mm f/4.0 Pro"; lenses["00 35 00"] = "Olympus Zuiko Digital 14-54mm f/2.8-3.5 II"; + lenses["00 35 10"] = "Olympus M.Zuiko 100-400mm f/5.0-6.3"; + lenses["00 36 10"] = "Olympus M.Zuiko Digital ED 8-25mm f/4 Pro"; lenses["01 01 00"] = "Sigma 18-50mm f/3.5-5.6 DC"; lenses["01 01 10"] = "Sigma 30mm f/2.8 EX DN"; lenses["01 02 00"] = "Sigma 55-200mm f/4.0-5.6 DC"; @@ -200,6 +203,7 @@ public: lenses["02 36 10"] = "Leica DG Elmarit 200mm f/2.8 Power OIS"; lenses["02 37 10"] = "Leica DG Vario-Elmarit 50-200mm f/2.8-4 Asph. Power OIS"; lenses["02 38 10"] = "Leica DG Vario-Summilux 10-25mm f/1.7 Asph."; + lenses["02 40 10"] = "Leica DG Vario-Summilux 25-50mm f/1.7 Asph."; lenses["03 01 00"] = "Leica D Vario Elmarit 14-50mm f/2.8-3.5 Asph."; lenses["03 02 00"] = "Leica D Summilux 25mm f/1.4 Asph."; lenses["05 01 10"] = "Tamron 14-150mm f/3.5-5.8 Di III"; diff --git a/rtexif/pentaxattribs.cc b/rtexif/pentaxattribs.cc index f534d549a..bf17941f8 100644 --- a/rtexif/pentaxattribs.cc +++ b/rtexif/pentaxattribs.cc @@ -924,6 +924,7 @@ public: choices.insert (p_t (256 * 8 + 21, "Sigma 17-50mm f/2.8 EX DC OS HSM")); choices.insert (p_t (256 * 8 + 22, "Sigma 85mm f/1.4 EX DG HSM")); choices.insert (p_t (256 * 8 + 23, "Sigma 70-200mm f/2.8 APO EX DG OS HSM")); + choices.insert (p_t (256 * 8 + 24, "Sigma 17-70mm f/2.8-4 DC Macro OS HSM")); choices.insert (p_t (256 * 8 + 25, "Sigma 17-50mm f/2.8 EX DC HSM")); choices.insert (p_t (256 * 8 + 27, "Sigma 18-200mm f/3.5-6.3 II DC HSM")); choices.insert (p_t (256 * 8 + 28, "Sigma 18-250mm f/3.5-6.3 DC Macro HSM")); @@ -940,6 +941,9 @@ public: choices.insert (p_t (256 * 8 + 63, "HD PENTAX-D FA 15-30mm f/2.8 ED SDM WR")); choices.insert (p_t (256 * 8 + 64, "HD PENTAX-D FA* 50mm f/1.4 SDM AW")); choices.insert (p_t (256 * 8 + 65, "HD PENTAX-D FA 70-210mm f/4 ED SDM WR")); + choices.insert (p_t (256 * 8 + 66, "HD PENTAX-D FA 85mm f/1.4 ED SDM AW")); + choices.insert (p_t (256 * 8 + 67, "HD PENTAX-D FA 21mm f/2.4 ED Limited DC WR")); + choices.insert (p_t (256 * 8 + 195, "HD PENTAX DA* 16-50mm f/2.8 ED PLM AW")); choices.insert (p_t (256 * 8 + 196, "HD PENTAX-DA* 11-18mm f/2.8 ED DC AW")); choices.insert (p_t (256 * 8 + 197, "HD PENTAX-DA 55-300mm f/4.5-6.3 ED PLM WR RE")); choices.insert (p_t (256 * 8 + 198, "smc PENTAX-DA L 18-50mm f/4-5.6 DC WR RE")); diff --git a/rtexif/sonyminoltaattribs.cc b/rtexif/sonyminoltaattribs.cc index 95aea1252..f666d7046 100644 --- a/rtexif/sonyminoltaattribs.cc +++ b/rtexif/sonyminoltaattribs.cc @@ -1035,11 +1035,13 @@ public: choices.insert (p_t (2, "Sony LA-EA2 Adapter")); choices.insert (p_t (3, "Sony LA-EA3 Adapter")); choices.insert (p_t (6, "Sony LA-EA4 Adapter")); + choices.insert (p_t (7, "Sony LA-EA5 Adapter")); choices.insert (p_t (44, "Metabones Canon EF Smart Adapter")); choices.insert (p_t (78, "Metabones Canon EF Smart Adapter Mark III or Other Adapter")); choices.insert (p_t (184, "Metabones Canon EF Speed Booster Ultra")); choices.insert (p_t (234, "Metabones Canon EF Smart Adapter Mark IV")); choices.insert (p_t (239, "Metabones Canon EF Speed Booster")); + choices.insert (p_t (24593, "LA-EA4r MonsterAdapter")); choices.insert (p_t (32784, "Sony E 16mm f/2.8")); choices.insert (p_t (32785, "Sony E 18-55mm f/3.5-5.6 OSS")); choices.insert (p_t (32786, "Sony E 55-210mm f/4.5-6.3 OSS")); @@ -1097,8 +1099,23 @@ public: choices.insert (p_t (32852, "Sony FE 600mm f/4 GM OSS")); choices.insert (p_t (32853, "Sony E 16-55mm f/2.8 G")); choices.insert (p_t (32854, "Sony E 70-350mm f/4.5-6.3 G OSS")); + choices.insert (p_t (32855, "Sony FE C 16-35mm T3.1 G")); choices.insert (p_t (32858, "Sony FE 35mm f/1.8")); choices.insert (p_t (32859, "Sony FE 20mm f/1.8 G")); + choices.insert (p_t (32860, "Sony FE 12-24mm f/2.8 GM")); + choices.insert (p_t (32862, "Sony FE 50mm f/1.2 GM")); + choices.insert (p_t (32863, "Sony FE 14mm f/1.8 GM")); + choices.insert (p_t (32864, "Sony FE 28-60mm f/4-5.6")); + choices.insert (p_t (32865, "Sony FE 35mm f/1.4 GM")); + choices.insert (p_t (32866, "Sony FE 24mm f/2.8 G")); + choices.insert (p_t (32867, "Sony FE 40mm f/2.5 G")); + choices.insert (p_t (32868, "Sony FE 50mm f/2.5 G")); + choices.insert (p_t (32871, "Sony FE PZ 16-35mm f/4 G")); + choices.insert (p_t (32873, "Sony E PZ 10-20mm f/4 G")); + choices.insert (p_t (32874, "Sony FE 70-200mm f/2.8 GM OSS II")); + choices.insert (p_t (32875, "Sony FE 24-70mm f/2.8 GM II")); + choices.insert (p_t (32876, "Sony E 11mm f/1.8")); + choices.insert (p_t (32877, "Sony E 15mm f/1.4 G")); choices.insert (p_t (33072, "Sony FE 70-200mm f/2.8 GM OSS + 1.4X Teleconverter")); choices.insert (p_t (33073, "Sony FE 70-200mm f/2.8 GM OSS + 2X Teleconverter")); choices.insert (p_t (33076, "Sony FE 100mm f/2.8 STF GM OSS (macro mode)")); @@ -1130,6 +1147,17 @@ public: choices.insert (p_t (49461, "Tamron 20mm f/2.8 Di III OSD M1:2")); choices.insert (p_t (49462, "Tamron 70-180mm f/2.8 Di III VXD")); choices.insert (p_t (49463, "Tamron 28-200mm f/2.8-5.6 Di III RXD")); + choices.insert (p_t (49464, "Tamron 70-300mm f/4.5-6.3 Di III RXD")); + choices.insert (p_t (49465, "Tamron 17-70mm f/2.8 Di III-A VC RXD")); + choices.insert (p_t (49466, "Tamron 150-500mm f/5-6.7 Di III VC VXD")); + choices.insert (p_t (49467, "Tamron 11-20mm f/2.8 Di III-A RXD")); + choices.insert (p_t (49468, "Tamron 18-300mm f/3.5-6.3 Di III-A VC VXD")); + choices.insert (p_t (49469, "Tamron 35-150mm f/2-F2.8 Di III VXD")); + choices.insert (p_t (49470, "Tamron 28-75mm f/2.8 Di III VXD G2")); + choices.insert (p_t (49471, "Tamron 50-400mm f/4.5-6.3 Di III VC VXD")); + choices.insert (p_t (49473, "Tokina atx-m 85mm f/1.8 FE or Viltrox lens")); + choices.insert (p_t (49473, "Viltrox 23mm f/1.4 E")); + choices.insert (p_t (49473, "Viltrox 56mm f/1.4 E")); choices.insert (p_t (49712, "Tokina FiRIN 20mm f/2 FE AF")); choices.insert (p_t (49713, "Tokina FiRIN 100mm f/2.8 FE MACRO")); choices.insert (p_t (50480, "Sigma 30mm f/1.4 DC DN | C")); @@ -1157,7 +1185,20 @@ public: choices.insert (p_t (50515, "Sigma 35mm f/1.2 DG DN | A")); choices.insert (p_t (50516, "Sigma 14-24mm f/2.8 DG DN | A")); choices.insert (p_t (50517, "Sigma 24-70mm f/2.8 DG DN | A")); - choices.insert (p_t (50518, "Sigma 100-400mm f/5-6.3 DG DN OS")); + choices.insert (p_t (50518, "Sigma 100-400mm f/5-6.3 DG DN OS | C")); + choices.insert (p_t (50521, "Sigma 85mm f/1.4 DG DN | A")); + choices.insert (p_t (50522, "Sigma 105mm f/2.8 DG DN MACRO | A")); + choices.insert (p_t (50523, "Sigma 65mm f/2 DG DN | C")); + choices.insert (p_t (50524, "Sigma 35mm f/2 DG DN | C")); + choices.insert (p_t (50525, "Sigma 24mm f/3.5 DG DN | C")); + choices.insert (p_t (50526, "Sigma 28-70mm f/2.8 DG DN | C")); + choices.insert (p_t (50527, "Sigma 150-600mm f/5-6.3 DG DN OS | S")); + choices.insert (p_t (50528, "Sigma 35mm f/1.4 DG DN | A")); + choices.insert (p_t (50529, "Sigma 90mm f/2.8 DG DN | C")); + choices.insert (p_t (50530, "Sigma 24mm f/2 DG DN | C")); + choices.insert (p_t (50531, "Sigma 18-50mm f/2.8 DC DN | C")); + choices.insert (p_t (50532, "Sigma 20mm f/2 DG DN | C")); + choices.insert (p_t (50533, "Sigma 16-28mm f/2.8 DG DN | C")); choices.insert (p_t (50992, "Voigtlander SUPER WIDE-HELIAR 15mm f/4.5 III")); choices.insert (p_t (50993, "Voigtlander HELIAR-HYPER WIDE 10mm f/5.6")); choices.insert (p_t (50994, "Voigtlander ULTRA WIDE-HELIAR 12mm f/5.6 III")); @@ -1170,13 +1211,21 @@ public: choices.insert (p_t (51001, "Voigtlander NOKTON 21mm f/1.4 Aspherical")); choices.insert (p_t (51002, "Voigtlander APO-LANTHAR 50mm f/2 Aspherical")); choices.insert (p_t (51003, "Voigtlander NOKTON 35mm f/1.2 Aspherical SE")); + choices.insert (p_t (51006, "Voigtlander APO-LANTHAR 35mm f/2 Aspherical")); choices.insert (p_t (51504, "Samyang AF 50mm f/1.4")); choices.insert (p_t (51505, "Samyang AF 14mm f/2.8 or Samyang AF 35mm f/2.8")); choices.insert (p_t (51505, "Samyang AF 35mm f/2.8")); choices.insert (p_t (51507, "Samyang AF 35mm f/1.4")); choices.insert (p_t (51508, "Samyang AF 45mm f/1.8")); - choices.insert (p_t (51510, "Samyang AF 18mm f/2.8")); + choices.insert (p_t (51510, "Samyang AF 18mm f/2.8 or Samyang AF 35mm f/1.8")); + choices.insert (p_t (51510, "Samyang AF 35mm f/1.8")); choices.insert (p_t (51512, "Samyang AF 75mm f/1.8")); + choices.insert (p_t (51513, "Samyang AF 35mm f/1.8")); + choices.insert (p_t (51514, "Samyang AF 24mm f/1.8")); + choices.insert (p_t (51515, "Samyang AF 12mm f/2.0")); + choices.insert (p_t (51516, "Samyang AF 24-70mm f/2.8")); + choices.insert (p_t (51517, "Samyang AF 50mm f/1.4 II")); + choices.insert (p_t (51518, "Samyang AF 135mm f/1.8")); } std::string toString (const Tag* t) const override From 727f3f7ba206df28cb6fb3125579682021619943 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Wed, 28 Sep 2022 23:24:51 +0200 Subject: [PATCH 115/170] Consistently use _TOOLTIP suffix for tooltip keys --- rtdata/languages/Catala | 22 ++++++++-------- rtdata/languages/Chinese (Simplified) | 24 ++++++++--------- rtdata/languages/Czech | 24 ++++++++--------- rtdata/languages/Dansk | 24 ++++++++--------- rtdata/languages/Deutsch | 24 ++++++++--------- rtdata/languages/English (UK) | 22 ++++++++-------- rtdata/languages/English (US) | 22 ++++++++-------- rtdata/languages/Espanol (Castellano) | 26 +++++++++---------- rtdata/languages/Espanol (Latin America) | 22 ++++++++-------- rtdata/languages/Francais | 22 ++++++++-------- rtdata/languages/Italiano | 22 ++++++++-------- rtdata/languages/Japanese | 24 ++++++++--------- rtdata/languages/Magyar | 22 ++++++++-------- rtdata/languages/Nederlands | 22 ++++++++-------- rtdata/languages/Polish | 22 ++++++++-------- rtdata/languages/Portugues | 22 ++++++++-------- rtdata/languages/Portugues (Brasil) | 22 ++++++++-------- rtdata/languages/Russian | 22 ++++++++-------- rtdata/languages/Serbian (Cyrilic Characters) | 22 ++++++++-------- rtdata/languages/Slovenian | 22 ++++++++-------- rtdata/languages/Swedish | 22 ++++++++-------- 21 files changed, 238 insertions(+), 238 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index b688095a7..a4b67eccd 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -662,11 +662,11 @@ TP_EPD_REWEIGHTINGITERATES;Iteracions de ponderació TP_EPD_SCALE;Escala TP_EPD_STRENGTH;Intensitat TP_EXPOSURE_AUTOLEVELS;Nivells automàtics -TP_EXPOSURE_AUTOLEVELS_TIP;Activa auto-nivells per a ajustar automàticament els valors dels paràmetres segons anàlisi de la imatge +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Activa auto-nivells per a ajustar automàticament els valors dels paràmetres segons anàlisi de la imatge TP_EXPOSURE_BLACKLEVEL;Negre TP_EXPOSURE_BRIGHTNESS;Brillantor TP_EXPOSURE_CLIP;Retall -TP_EXPOSURE_CLIP_TIP;Conjunt de píxels que es retallaran en l'anivellament automàtic +TP_EXPOSURE_CLIP_TOOLTIP;Conjunt de píxels que es retallaran en l'anivellament automàtic TP_EXPOSURE_COMPRHIGHLIGHTS;Quantitat recuperació de clars TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Llindar recup. clars intensos TP_EXPOSURE_COMPRSHADOWS;Recuperació de foscos @@ -748,14 +748,14 @@ TP_LABCURVE_CURVEEDITOR_LC;LC TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Cromaticitat segons la luminància TP_LABCURVE_LABEL;Ajustos Lab TP_LABCURVE_LCREDSK;LC limitat als tons vermell i pell -TP_LABCURVE_LCREDSK_TIP;Si habilitat, la corba LC (luminància segons cromaticitat) es limita als tons vermell i de pell\nSi no ho està, s'aplica a tots els tons +TP_LABCURVE_LCREDSK_TOOLTIP;Si habilitat, la corba LC (luminància segons cromaticitat) es limita als tons vermell i de pell\nSi no ho està, s'aplica a tots els tons TP_LABCURVE_RSTPROTECTION;Protecció de tons vermells i de pell TP_LABCURVE_RSTPRO_TOOLTIP;Es maneja amb el control de cromaticitat i la corba CC. TP_LENSGEOM_AUTOCROP;Auto cropa TP_LENSGEOM_FILL;Auto omple TP_LENSGEOM_LABEL;Lent / Geometria TP_LENSPROFILE_LABEL;Perfil de correcció de lent -TP_NEUTRAL_TIP;Torna els controls d'exposició a valors neutrals +TP_NEUTRAL_TOOLTIP;Torna els controls d'exposició a valors neutrals TP_PERSPECTIVE_HORIZONTAL;Horitzontal TP_PERSPECTIVE_LABEL;Perspectiva TP_PERSPECTIVE_VERTICAL;Vertical @@ -931,7 +931,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !EXPORT_BYPASS_RAW_LMMSE_ITERATIONS;Bypass [raw] LMMSE Enhancement Steps !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -1568,7 +1568,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles !PROFILEPANEL_GLOBALPROFILES;Bundled profiles -!PROFILEPANEL_MODE_TIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. +!PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles !PROFILEPANEL_PDYNAMIC;Dynamic !PROFILEPANEL_PINTERNAL;Neutral @@ -1708,7 +1708,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORAPP_MODEL;WP Model !TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SURROUND;Surround @@ -1770,7 +1770,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1856,7 +1856,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_DIRPYREQUALIZER_SKIN;Skin targetting/protection !TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EPD_GAMMA;Gamma !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve @@ -2093,7 +2093,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. @@ -2121,7 +2121,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_VIEW_UNSHARP;Unsharp mask !TP_RGBCURVES_LUMAMODE;Luminosity mode !TP_RGBCURVES_LUMAMODE_TOOLTIP;Luminosity mode allows to vary the contribution of R, G and B channels to the luminosity of the image, without altering image color. -!TP_SAVEDIALOG_OK_TIP;Shortcut: Ctrl-Enter +!TP_SAVEDIALOG_OK_TOOLTIP;Shortcut: Ctrl-Enter !TP_SHARPENING_BLUR;Blur radius !TP_SHARPENING_CONTRAST;Contrast threshold !TP_SHARPENING_ITERCHECK;Auto limit iterations diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 9ed1e5709..6246886c0 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -109,7 +109,7 @@ EXPORT_PIPELINE;输出流水线 EXPORT_PUTTOQUEUEFAST;放入快速导出队列 EXPORT_RAW_DMETHOD;去马赛克算法 EXPORT_USE_FAST_PIPELINE;专门(对缩放大小的图片应用全部处理) -EXPORT_USE_FAST_PIPELINE_TIP;使用专门的处理流水线来对图片进行处理,通过牺牲质量来换取速度。图片的缩小操作会提前,而非在正常流水线中那样在最后进行。这能够大幅提升速度,但是输出的图片中可能会杂点较多,画质较低。 +EXPORT_USE_FAST_PIPELINE_TOOLTIP;使用专门的处理流水线来对图片进行处理,通过牺牲质量来换取速度。图片的缩小操作会提前,而非在正常流水线中那样在最后进行。这能够大幅提升速度,但是输出的图片中可能会杂点较多,画质较低。 EXPORT_USE_NORMAL_PIPELINE;标准(跳过某些步骤,并在最后缩放图片) EXTPROGTARGET_1;raw EXTPROGTARGET_2;队列已处理 @@ -1024,7 +1024,7 @@ PROFILEPANEL_GLOBALPROFILES;附带档案 PROFILEPANEL_LABEL;处理参数配置 PROFILEPANEL_LOADDLGLABEL;加载处理参数为... PROFILEPANEL_LOADPPASTE;要加载的参数 -PROFILEPANEL_MODE_TIP;后期档案应用模式。\n\n按下按钮:部分性档案将被转化为全面性档案;没有被使用的工具将会用预定的参数得到处理。\n\n松开按钮:档案按照其制作时的形式被应用,只有被调整过的工具参数会被应用。 +PROFILEPANEL_MODE_TOOLTIP;后期档案应用模式。\n\n按下按钮:部分性档案将被转化为全面性档案;没有被使用的工具将会用预定的参数得到处理。\n\n松开按钮:档案按照其制作时的形式被应用,只有被调整过的工具参数会被应用。 PROFILEPANEL_MYPROFILES;我的档案 PROFILEPANEL_PASTEPPASTE;要粘贴的参数 PROFILEPANEL_PCUSTOM;自定义 @@ -1208,7 +1208,7 @@ TP_COLORAPP_MEANLUMINANCE;平均亮度(Yb%) TP_COLORAPP_MODEL;白点模型 TP_COLORAPP_MODEL_TOOLTIP;白平衡[RT]+[输出]:RT的白平衡被应用到场景,CIECAM02/16被设为D50,输出设备的白平衡被设置为观察条件\n\n白平衡[RT+CAT02/16]+[输出]:CAT02/16使用RT的白平衡设置,输出设备的白平衡被设置为观察条件\n\n自由色温+色调+CAT02/16+[输出]:用户指定色温和色调,输出设备的白平衡被设置为观察条件 TP_COLORAPP_NEUTRAL;重置 -TP_COLORAPP_NEUTRAL_TIP;将所有复选框、滑条和曲线还原到默认状态 +TP_COLORAPP_NEUTRAL_TOOLTIP;将所有复选框、滑条和曲线还原到默认状态 TP_COLORAPP_RSTPRO;红色与肤色保护 TP_COLORAPP_RSTPRO_TOOLTIP;滑条和曲线均受红色与肤色保护影响 TP_COLORAPP_SURROUND;周围环境 @@ -1262,7 +1262,7 @@ TP_COLORTONING_METHOD;方法 TP_COLORTONING_METHOD_TOOLTIP;L*a*b*混合,RGB滑条和RGB曲线使用插值色彩混合。\n阴影/中间调/高光色彩平衡和饱和度2种颜色使用直接颜色。\n\n使用任意一种色调分离方法时都可以启用黑白工具,来为黑白照片进行色调分离 TP_COLORTONING_MIDTONES;中间调 TP_COLORTONING_NEUTRAL;重置滑条 -TP_COLORTONING_NEUTRAL_TIP;重置所有数值(阴影,中间调,高光)为默认 +TP_COLORTONING_NEUTRAL_TOOLTIP;重置所有数值(阴影,中间调,高光)为默认 TP_COLORTONING_OPACITY;不透明度 TP_COLORTONING_RGBCURVES;RGB-曲线 TP_COLORTONING_RGBSLIDERS;RGB-滑条 @@ -1380,12 +1380,12 @@ TP_EPD_REWEIGHTINGITERATES;再加权迭代 TP_EPD_SCALE;规模度 TP_EPD_STRENGTH;力度 TP_EXPOSURE_AUTOLEVELS;自动色阶 -TP_EXPOSURE_AUTOLEVELS_TIP;使用自动色阶来让程序分析图像,调整曝光滑条的数值\n如果有需要的话,启用高光还原 +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;使用自动色阶来让程序分析图像,调整曝光滑条的数值\n如果有需要的话,启用高光还原 TP_EXPOSURE_BLACKLEVEL;黑点 TP_EXPOSURE_BRIGHTNESS;亮度 TP_EXPOSURE_CLAMPOOG;令超出色域的色彩溢出 TP_EXPOSURE_CLIP;可溢出% -TP_EXPOSURE_CLIP_TIP;自动色阶功能可以让占总数的多少比例的像素溢出 +TP_EXPOSURE_CLIP_TOOLTIP;自动色阶功能可以让占总数的多少比例的像素溢出 TP_EXPOSURE_COMPRHIGHLIGHTS;高光压缩 TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;高光压缩阈值 TP_EXPOSURE_COMPRSHADOWS;阴影压缩 @@ -1495,7 +1495,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;根据色相(H)调整亮度(L),L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;根据亮度(L)调整亮度(L),L=f(L) TP_LABCURVE_LABEL;Lab调整 TP_LABCURVE_LCREDSK;将LC曲线的效果限定于红色和肤色 -TP_LABCURVE_LCREDSK_TIP;勾选该选项框,LC曲线就只会影响红色和肤色。\n取消勾选,它的效果就会应用到所有色彩上 +TP_LABCURVE_LCREDSK_TOOLTIP;勾选该选项框,LC曲线就只会影响红色和肤色。\n取消勾选,它的效果就会应用到所有色彩上 TP_LABCURVE_RSTPROTECTION;红色与肤色保护 TP_LABCURVE_RSTPRO_TOOLTIP;作用在色度滑条和CC曲线的调整上 TP_LENSGEOM_AUTOCROP;自动剪切 @@ -1523,7 +1523,7 @@ TP_METADATA_MODE;元数据复制模式 TP_METADATA_STRIP;移除所有元数据 TP_METADATA_TUNNEL;原样复制 TP_NEUTRAL;重置 -TP_NEUTRAL_TIP;还原各个曝光控制滑条的值\n自动色阶所能调整的滑条都会被此还原,不论你是否使用了自动色阶功能 +TP_NEUTRAL_TOOLTIP;还原各个曝光控制滑条的值\n自动色阶所能调整的滑条都会被此还原,不论你是否使用了自动色阶功能 TP_PCVIGNETTE_FEATHER;羽化 TP_PCVIGNETTE_FEATHER_TOOLTIP;羽化:\n0 = 仅边角\n50 = 到达一半的位置\n100 = 到达中心 TP_PCVIGNETTE_LABEL;暗角滤镜 @@ -1661,7 +1661,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;角度 TP_ROTATE_LABEL;旋转 TP_ROTATE_SELECTLINE;选择基准线 -TP_SAVEDIALOG_OK_TIP;快捷键:Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;快捷键:Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;高光 TP_SHADOWSHLIGHTS_HLTONALW;色调范围 TP_SHADOWSHLIGHTS_LABEL;阴影/高光 @@ -2918,7 +2918,7 @@ TP_COLORAPP_GEN;设置 - 预设 TP_COLORAPP_MODELCAT;色貌模型 TP_COLORAPP_MODELCAT_TOOLTIP;允许你在CIECAM02或CIECAM16之间进行选择\nCIECAM02在某些时候会更加准确\nCIECAM16的杂点应该更少 !TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode -!TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +!TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. TP_COLORAPP_SURROUNDSRC;周围 - 场景亮度 TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n平均:平均的亮度条件(标准)。图像不被改变\n\n昏暗:较暗的场景。图像会被略微提亮\n\n黑暗:黑暗的环境。图像会被提亮\n\n极暗:非常暗的环境。图片会变得非常亮 @@ -2943,7 +2943,7 @@ TP_DEHAZE_SATURATION;饱和度 !TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fine: closer to the colors of the skin, minimizing the action on other colors\nLarge: avoid more artifacts. !TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;This pyramid is for the upper part, so far as the algorithm at its maximum efficiency.\nTo the lower part, the transition zones.\nIf you need to move the area significantly to the left or right - or if there are artifacts: the white balance is incorrect\nYou can slightly reduce the zone to prevent the rest of the image is affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -TP_DISTORTION_AUTO_TIP;如果Raw文件内有矫正畸变的内嵌JPEG,则会将Raw图像与其对比并自动矫正畸变 +TP_DISTORTION_AUTO_TOOLTIP;如果Raw文件内有矫正畸变的内嵌JPEG,则会将Raw图像与其对比并自动矫正畸变 TP_FILMNEGATIVE_BLUEBALANCE;冷/暖 TP_FILMNEGATIVE_COLORSPACE;反转色彩空间: TP_FILMNEGATIVE_COLORSPACE_INPUT;输入色彩空间 @@ -3966,7 +3966,7 @@ TP_RETINEX_ITERF;色调映射 !TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending TP_RETINEX_NEIGHBOR;半径 TP_RETINEX_NEUTRAL;重置 -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index 72c696923..b57d8c807 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -147,7 +147,7 @@ EXPORT_PIPELINE;Fronta zpracování EXPORT_PUTTOQUEUEFAST; Vložit do fronty pro rychlý export EXPORT_RAW_DMETHOD;Metoda demozajkování EXPORT_USE_FAST_PIPELINE;Vyhrazený (kompletní zpracování zmenšeného obrázku) -EXPORT_USE_FAST_PIPELINE_TIP;Použije vyhrazenou frontu zpracování v režimu rychlého exportu a vymění tak kvalitu za rychlost. Zmenšení obrázku se provede co nejdříve po zahájení zpracování, na rozdíl od standardního zpracování, kde se provádí až na závěr. Zrychlení může být velmi významné, ale připravte se na artefakty a celkové zhoršení kvality výstupu. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Použije vyhrazenou frontu zpracování v režimu rychlého exportu a vymění tak kvalitu za rychlost. Zmenšení obrázku se provede co nejdříve po zahájení zpracování, na rozdíl od standardního zpracování, kde se provádí až na závěr. Zrychlení může být velmi významné, ale připravte se na artefakty a celkové zhoršení kvality výstupu. EXPORT_USE_NORMAL_PIPELINE;Standardní (přeskočí některé kroky, zmenší až na konci) EXTPROGTARGET_1;raw EXTPROGTARGET_2;Zpracování fronty @@ -1308,7 +1308,7 @@ PROFILEPANEL_GLOBALPROFILES;Přiložené profily PROFILEPANEL_LABEL;Profily zpracování PROFILEPANEL_LOADDLGLABEL;Načíst parametry zpracování... PROFILEPANEL_LOADPPASTE;Parametry nahrávání -PROFILEPANEL_MODE_TIP;Režim uplatnění profilu zpracování.\n\nTlačítko je stisknuto: částečné profily budou aplikovány jako kompletní; chybějící hodnoty budou doplněny přednastavenými hodnotami.\n\nTlačítko není stisknuto: profily budou aplikovány tak jak jsou, změní se pouze v profilu obsažené hodnoty. +PROFILEPANEL_MODE_TOOLTIP;Režim uplatnění profilu zpracování.\n\nTlačítko je stisknuto: částečné profily budou aplikovány jako kompletní; chybějící hodnoty budou doplněny přednastavenými hodnotami.\n\nTlačítko není stisknuto: profily budou aplikovány tak jak jsou, změní se pouze v profilu obsažené hodnoty. PROFILEPANEL_MYPROFILES;Mé profily PROFILEPANEL_PASTEPPASTE;Parametry pro vložení PROFILEPANEL_PCUSTOM;Vlastní @@ -1525,9 +1525,9 @@ TP_COLORAPP_MEANLUMINANCE;Střední jas (Yb%) TP_COLORAPP_MODEL;VB - Model TP_COLORAPP_MODEL_TOOLTIP;Model bílého bodu.\n\nWB [RT] + [výstup]: Pro scénu je použito vyvážení bílé RawTherapee , CIECAM02 je nastaven na D50 a vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení.\n\nWB [RT+CAT02] + [výstup]: CAT02 používá RawTherapee nastavení vyvážení bílé a vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení.\n\nVolná teplota+zelená + CAT02 + [výstup]: teplota a zelená je vybrána uživatelem, vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení. TP_COLORAPP_NEUTRAL;Obnovit -TP_COLORAPP_NEUTRAL_TIP;Obnoví původní hodnoty u všech posuvníků a křivek. +TP_COLORAPP_NEUTRAL_TOOLTIP;Obnoví původní hodnoty u všech posuvníků a křivek. TP_COLORAPP_PRESETCAT02;Automatické přednastavení Cat02 -TP_COLORAPP_PRESETCAT02_TIP;Nastaví volby, posuvníky, teplotu a zelenou podle Cat02 automatického přednastavení.\nMusíte nastavit světelné podmínky při fotografování.\nPokud je potřeba, musíte změnit Cat02 podmínky přizpůsobení pro prohlížení.\nPokud je potřeba, můžete změnit teplotu a odstín podmínek při prohlížení a také další nastavení. +TP_COLORAPP_PRESETCAT02_TOOLTIP;Nastaví volby, posuvníky, teplotu a zelenou podle Cat02 automatického přednastavení.\nMusíte nastavit světelné podmínky při fotografování.\nPokud je potřeba, musíte změnit Cat02 podmínky přizpůsobení pro prohlížení.\nPokud je potřeba, můžete změnit teplotu a odstín podmínek při prohlížení a také další nastavení. TP_COLORAPP_RSTPRO;Ochrana červených a pleťových tónů TP_COLORAPP_RSTPRO_TOOLTIP;Ochrana červených a pleťových tónů ovlivňuje posuvníky i křivky. TP_COLORAPP_SURROUND;Okolí @@ -1591,7 +1591,7 @@ TP_COLORTONING_METHOD;Metoda TP_COLORTONING_METHOD_TOOLTIP;"Mísení L*a*b*", "RGB posuvníky" a "RGB křivky" používají interpolované mísení barev.\n"Vyvážení barev (Stíny, střední tóny a světla)" a "Nasycení dvou barev" používají přímé barvy.\n\nNástroj Černobílá může být povolen při použití kterékoli metody barevného tónování. TP_COLORTONING_MIDTONES;Střední tóny TP_COLORTONING_NEUTRAL;Vrátit posuvníky -TP_COLORTONING_NEUTRAL_TIP;Vrátí všechny hodnoty (stíny, střední tóny a světla) na výchozí pozice. +TP_COLORTONING_NEUTRAL_TOOLTIP;Vrátí všechny hodnoty (stíny, střední tóny a světla) na výchozí pozice. TP_COLORTONING_OPACITY;Neprůhlednost TP_COLORTONING_RGBCURVES;RGB - křivky TP_COLORTONING_RGBSLIDERS;RGB - Posuvníky @@ -1707,7 +1707,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Hodnota -100: zaměřeno na pleťové tóny.\nH TP_DIRPYREQUALIZER_THRESHOLD;Práh TP_DIRPYREQUALIZER_TOOLTIP;Počet pokusů pro redukci artefaktů vzniklých přenosem barvy (odstín, barevnost a jas) pleti na zbytek obrázku. TP_DISTORTION_AMOUNT;Míra -TP_DISTORTION_AUTO_TIP;Automaticky opraví zkreslení objektivu v raw souborech podle vložených JPEG obrázků (pokud existují a byly automaticky opraveny fotoaparátem). +TP_DISTORTION_AUTO_TOOLTIP;Automaticky opraví zkreslení objektivu v raw souborech podle vložených JPEG obrázků (pokud existují a byly automaticky opraveny fotoaparátem). TP_DISTORTION_LABEL;Korekce zkreslení TP_EPD_EDGESTOPPING;Zachování hran TP_EPD_GAMMA;Gama @@ -1716,12 +1716,12 @@ TP_EPD_REWEIGHTINGITERATES;Počet průchodů převážení TP_EPD_SCALE;Měřítko TP_EPD_STRENGTH;Síla TP_EXPOSURE_AUTOLEVELS;Automatické úrovně -TP_EXPOSURE_AUTOLEVELS_TIP;Přepne provedení Automatické úrovně na automatickou sadu hodnot parametrů založených na analýze obrázku\nPokud to je nezbytné, povolí rekonstrukci světel. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Přepne provedení Automatické úrovně na automatickou sadu hodnot parametrů založených na analýze obrázku\nPokud to je nezbytné, povolí rekonstrukci světel. TP_EXPOSURE_BLACKLEVEL;Černá TP_EXPOSURE_BRIGHTNESS;Světlost TP_EXPOSURE_CLAMPOOG;Oříznout barvy mimo gamut TP_EXPOSURE_CLIP;Oříznutí % -TP_EXPOSURE_CLIP_TIP;Podíl klipujících bodů v automatických operacích úrovní. +TP_EXPOSURE_CLIP_TOOLTIP;Podíl klipujících bodů v automatických operacích úrovní. TP_EXPOSURE_COMPRHIGHLIGHTS;Komprese světel TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Práh komprese světel TP_EXPOSURE_COMPRSHADOWS;Komprese stínů @@ -1867,7 +1867,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Jas dle jasu odstínu L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Jas dle jasu L=f(L) TP_LABCURVE_LABEL;L*a*b* úpravy TP_LABCURVE_LCREDSK;Omezit LC na tóny červené a pleti -TP_LABCURVE_LCREDSK_TIP;Pokud je povoleno, je LC křivka omezena pouze na červené a pleťové tóny\nPokud je zakázáno, aplikuje se na všechny tóny +TP_LABCURVE_LCREDSK_TOOLTIP;Pokud je povoleno, je LC křivka omezena pouze na červené a pleťové tóny\nPokud je zakázáno, aplikuje se na všechny tóny TP_LABCURVE_RSTPROTECTION;Ochrana červených a pleťových tónů TP_LABCURVE_RSTPRO_TOOLTIP;Pracuje s posuvníkem barevnosti a CC křivkou. TP_LENSGEOM_AUTOCROP;Automatický ořez @@ -1895,7 +1895,7 @@ TP_METADATA_MODE;Režim kopírování metadat TP_METADATA_STRIP;Odstranit všechna metadata TP_METADATA_TUNNEL;Kopírovat beze změny TP_NEUTRAL;Obnovit -TP_NEUTRAL_TIP;Nastaví posuvníky expozice na neutrální hodnoty,\nPoužije stejné kontroly jako volba "Automatické úrovně" bez ohledu na to, zda jsou nebo nejsou Automatické úrovně použity. +TP_NEUTRAL_TOOLTIP;Nastaví posuvníky expozice na neutrální hodnoty,\nPoužije stejné kontroly jako volba "Automatické úrovně" bez ohledu na to, zda jsou nebo nejsou Automatické úrovně použity. TP_PCVIGNETTE_FEATHER;Rozptyl TP_PCVIGNETTE_FEATHER_TOOLTIP;Rozptyl:\n0 = pouze rohy,\n50 = napůl do středu,\n100 = do středu. TP_PCVIGNETTE_LABEL;Viněta @@ -2084,7 +2084,7 @@ TP_RETINEX_MLABEL;Obnovený bez závoje Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Mělo by být poblíž min=0 max=32768\nObnovený obraz bez příměsí. TP_RETINEX_NEIGHBOR;Poloměr TP_RETINEX_NEUTRAL;Obnovit -TP_RETINEX_NEUTRAL_TIP;Obnoví původní hodnoty u všech posuvníků a křivek. +TP_RETINEX_NEUTRAL_TOOLTIP;Obnoví původní hodnoty u všech posuvníků a křivek. TP_RETINEX_OFFSET;Posun (jasu) TP_RETINEX_SCALES;Gaussův gradient TP_RETINEX_SCALES_TOOLTIP;Pokud je posuvník na nule jsou všechny průchody stejné,\nPokud je větší než nula, tak jsou Rozsah a Průměr s přibývajícími průběhy omezovány. A obráceně. @@ -2120,7 +2120,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Stupně TP_ROTATE_LABEL;Otočení TP_ROTATE_SELECTLINE;Vyznačit rovinu -TP_SAVEDIALOG_OK_TIP;Zkratka: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Zkratka: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Světla TP_SHADOWSHLIGHTS_HLTONALW;Tónový rozsah světel TP_SHADOWSHLIGHTS_LABEL;Stíny/Světla diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk index 6e49c8cb3..349ffe3dc 100644 --- a/rtdata/languages/Dansk +++ b/rtdata/languages/Dansk @@ -101,7 +101,7 @@ EXPORT_PIPELINE;Redigeringspipeline EXPORT_PUTTOQUEUEFAST; Sæt i kø for hurtig eksport EXPORT_RAW_DMETHOD;Demosaisk metode EXPORT_USE_FAST_PIPELINE;Dedikeret (fuld redigering på ændret billedstørrelse) -EXPORT_USE_FAST_PIPELINE_TIP;Brug en dedikeret redigeringspipeline til billeder i hurtig eksporttilstand, der bruger hastighed frem for kvalitet. Ændring af størrelsen på billedet udføres så tidligt som muligt, i stedet for at gøre det til sidst som i den normale pipeline. Hastighedsforbedringen kan være betydelig, men vær forberedt på at se artefakter, og en generel forringelse af outputkvaliteten. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Brug en dedikeret redigeringspipeline til billeder i hurtig eksporttilstand, der bruger hastighed frem for kvalitet. Ændring af størrelsen på billedet udføres så tidligt som muligt, i stedet for at gøre det til sidst som i den normale pipeline. Hastighedsforbedringen kan være betydelig, men vær forberedt på at se artefakter, og en generel forringelse af outputkvaliteten. EXPORT_USE_NORMAL_PIPELINE;Standard (spring over enkelte trin, ændre størrelse til sidst) EXTPROGTARGET_1;raw EXTPROGTARGET_2;kø-bearbejdet @@ -1226,7 +1226,7 @@ PROFILEPANEL_GLOBALPROFILES;Medfølgende profiler PROFILEPANEL_LABEL;Redigeringsprofiler PROFILEPANEL_LOADDLGLABEL;Indlæs redigeringsparametre... PROFILEPANEL_LOADPPASTE;Parametre til indlæsning -PROFILEPANEL_MODE_TIP;Behandler profiludfyldningstilstand.\n\nKnap trykket: delvise profiler vil blive konverteret til hele profiler; de manglende værdier vil blive erstattet med hårdtkodede standarder.\n\nKnap frigivet: profiler vil blive anvendt, som de er, og ændrer kun de værdier, som de indeholder. +PROFILEPANEL_MODE_TOOLTIP;Behandler profiludfyldningstilstand.\n\nKnap trykket: delvise profiler vil blive konverteret til hele profiler; de manglende værdier vil blive erstattet med hårdtkodede standarder.\n\nKnap frigivet: profiler vil blive anvendt, som de er, og ændrer kun de værdier, som de indeholder. PROFILEPANEL_MYPROFILES;Mine profiler PROFILEPANEL_PASTEPPASTE;Parametre der skal indsættes PROFILEPANEL_PCUSTOM;Standard @@ -1433,7 +1433,7 @@ TP_COLORAPP_MEANLUMINANCE;Gennemsnitlig luminans (Yb%) TP_COLORAPP_MODEL;Hvidpunktsmodel TP_COLORAPP_MODEL_TOOLTIP;Hvidpunktsmodel.\n\nWB [RT] + [output]: RTs hvidbalance bruges til scenen, CIEFM02 er sat til D50, og outputenhedens hvidbalance er indstillet i visningsbetingelser.\n \nWB [RT+CAT02] + [output]: RTs hvidbalance-indstillinger bruges af CAT02, og output-enhedens hvidbalance er indstillet i visningsbetingelser.\n\nFri temp+grøn + CAT02 + [output]: temp og grøn vælges af brugeren, outputenhedens hvidbalance indstilles i Visningsbetingelser. TP_COLORAPP_NEUTRAL;Nulstil -TP_COLORAPP_NEUTRAL_TIP;Nulstil alle skydere i afkrydsningsfeltet og kurverne til deres standardværdier +TP_COLORAPP_NEUTRAL_TOOLTIP;Nulstil alle skydere i afkrydsningsfeltet og kurverne til deres standardværdier TP_COLORAPP_RSTPRO;Rød- & hud-toner beskyttelse TP_COLORAPP_RSTPRO_TOOLTIP;Rød- & hud-toner; hudtone beskyttelse påvirker både skydere og kurver. TP_COLORAPP_SURROUND;Efter omgivelserne @@ -1495,7 +1495,7 @@ TP_COLORTONING_METHOD;Metode TP_COLORTONING_METHOD_TOOLTIP;"L*a*b*-blanding", "RGB-skydere" og "RGB-kurver" bruger interpoleret farveblanding.\n"Farvebalance (Skygger/Mellemtoner/Højlys)" og "Mætning 2 farver" bruger direkte farver.\n\ nSort-og-Hvid-værktøjet kan aktiveres, når du bruger enhver farvetonemetode, som giver mulighed for farvetoning. TP_COLORTONING_MIDTONES;Mellemtoner TP_COLORTONING_NEUTRAL;Nulstil skydere -TP_COLORTONING_NEUTRAL_TIP;Nulstil alle værdier (Skygger, Mellemtoner, Højlys) til standard. +TP_COLORTONING_NEUTRAL_TOOLTIP;Nulstil alle værdier (Skygger, Mellemtoner, Højlys) til standard. TP_COLORTONING_OPACITY;Opacitet TP_COLORTONING_RGBCURVES;RGB - Kurver TP_COLORTONING_RGBSLIDERS;RGB - Skydere @@ -1611,7 +1611,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Ved -100 bliver hudtoner angrebet.\nVed 0 behand TP_DIRPYREQUALIZER_THRESHOLD;Tærskel TP_DIRPYREQUALIZER_TOOLTIP;Forsøger at reducere artefakter i overgangene mellem hudfarver (nuance, kroma, luma) og resten af billedet. TP_DISTORTION_AMOUNT;Mængde -TP_DISTORTION_AUTO_TIP;Korrigerer automatisk objektivforvrængning i raw filer ved at matche dem med det indlejrede JPEG-billede, hvis et sådant findes og har fået dets objektivforvrængning automatisk korrigeret af kameraet. +TP_DISTORTION_AUTO_TOOLTIP;Korrigerer automatisk objektivforvrængning i raw filer ved at matche dem med det indlejrede JPEG-billede, hvis et sådant findes og har fået dets objektivforvrængning automatisk korrigeret af kameraet. TP_DISTORTION_LABEL;Forvrængningskorrektion TP_EPD_EDGESTOPPING;Kantstopper TP_EPD_GAMMA;Gamma @@ -1620,12 +1620,12 @@ TP_EPD_REWEIGHTINGITERATES;Genvægtning gentages TP_EPD_SCALE;Vægt TP_EPD_STRENGTH;Styrke TP_EXPOSURE_AUTOLEVELS;Auto Niveauer -TP_EXPOSURE_AUTOLEVELS_TIP;Skifter udførelse af Auto Niveauer til automatisk at indstille Eksponeringsskyderværdier baseret på en billedanalyse.\nAktivér Højlys Rekonstruktion om nødvendigt. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Skifter udførelse af Auto Niveauer til automatisk at indstille Eksponeringsskyderværdier baseret på en billedanalyse.\nAktivér Højlys Rekonstruktion om nødvendigt. TP_EXPOSURE_BLACKLEVEL;Sort TP_EXPOSURE_BRIGHTNESS;Lyshed TP_EXPOSURE_CLAMPOOG;Klip udenfor-farveskala farver TP_EXPOSURE_CLIP;Klip % -TP_EXPOSURE_CLIP_TIP;Den del af pixels, der skal klippes i Auto Niveauer-indstilling. +TP_EXPOSURE_CLIP_TOOLTIP;Den del af pixels, der skal klippes i Auto Niveauer-indstilling. TP_EXPOSURE_COMPRHIGHLIGHTS;Højlys kompression TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Tærskel for højlys kompression TP_EXPOSURE_COMPRSHADOWS;Skygge kompression @@ -1768,7 +1768,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminans i forhold til farvetone L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminans i forhold til luminans L=f(L) TP_LABCURVE_LABEL;L*a*b* Justeringer TP_LABCURVE_LCREDSK;Begræns LC til rød og hudtoner -TP_LABCURVE_LCREDSK_TIP;Hvis den er aktiveret, påvirker LC-kurven kun rød og hudtoner.\nHvis den er deaktiveret, gælder den for alle toner. +TP_LABCURVE_LCREDSK_TOOLTIP;Hvis den er aktiveret, påvirker LC-kurven kun rød og hudtoner.\nHvis den er deaktiveret, gælder den for alle toner. TP_LABCURVE_RSTPROTECTION;Rød og hudtone beskyttelse TP_LABCURVE_RSTPRO_TOOLTIP;Virker på Kromaticitet-skyderen og CC-kurven. TP_LENSGEOM_AUTOCROP;Auto-beskæring TP_LENSGEOM_FILL;Auto-udfyld @@ -1795,7 +1795,7 @@ TP_METADATA_MODE;Metadata kopiér mode TP_METADATA_STRIP;Fjern alle metadata TP_METADATA_TUNNEL;Kopiér uændret TP_NEUTRAL;Nulstil -TP_NEUTRAL_TIP;Nulstiller eksponeringsskyderne til neutrale værdier.\nGælder for de samme kontroller, som Auto Niveauer gælder for, uanset om du har brugt Auto Niveauer eller ej. +TP_NEUTRAL_TOOLTIP;Nulstiller eksponeringsskyderne til neutrale værdier.\nGælder for de samme kontroller, som Auto Niveauer gælder for, uanset om du har brugt Auto Niveauer eller ej. TP_PCVIGNETTE_FEATHER;Fjer TP_PCVIGNETTE_FEATHER_TOOLTIP;Fler(blødgøring):\n0 = kun hjørner,\n50 = halvvejs til center,\n100 = til center. TP_PCVIGNETTE_LABEL;Vignetteringsfilter @@ -1980,7 +1980,7 @@ TP_RETINEX_MLABEL;Gendannet dis-fri Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Bør være tæt på min=0 max=32768\nGendannet billede uden blanding. TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Nulstil -TP_RETINEX_NEUTRAL_TIP;Nulstil alle skydere og kurver til deres standardværdier. +TP_RETINEX_NEUTRAL_TOOLTIP;Nulstil alle skydere og kurver til deres standardværdier. TP_RETINEX_OFFSET;Offset (lysstyrke) TP_RETINEX_SCALES;Gaussian gradient TP_RETINEX_SCALES_TOOLTIP;Hvis skyderen står på 0, er alle iterationer identiske.\nHvis > 0 Vægt og radius reduceres, når iterationer øges, og omvendt. @@ -2016,7 +2016,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Grad TP_ROTATE_LABEL;Rotér TP_ROTATE_SELECTLINE;Vælg lige linje -TP_SAVEDIALOG_OK_TIP;Genvej: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Genvej: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Højlys TP_SHADOWSHLIGHTS_HLTONALW;Højlys tonal bredde TP_SHADOWSHLIGHTS_LABEL;Skygger/Højlys @@ -3123,7 +3123,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_COLORAPP_MODELCAT;CAM Model !TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts !TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode -!TP_COLORAPP_PRESETCAT02_TIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled +!TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index aa7057daa..38fbfff97 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -190,7 +190,7 @@ EXPORT_PIPELINE;Verarbeitungspipeline EXPORT_PUTTOQUEUEFAST;Zur Warteschlange 'Schneller Export' hinzufügen EXPORT_RAW_DMETHOD;Demosaikmethode EXPORT_USE_FAST_PIPELINE;Priorität Geschwindigkeit -EXPORT_USE_FAST_PIPELINE_TIP;Wendet alle Bearbeitungsschritte, im Gegensatz zu 'Standard', auf das bereits skalierte Bild an.\nDadurch steigt die Verarbeitungsgeschwindigkeit auf Kosten der Qualität. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Wendet alle Bearbeitungsschritte, im Gegensatz zu 'Standard', auf das bereits skalierte Bild an.\nDadurch steigt die Verarbeitungsgeschwindigkeit auf Kosten der Qualität. EXPORT_USE_NORMAL_PIPELINE;Standard EXTPROGTARGET_1;RAW EXTPROGTARGET_2;Stapelverarbeitung beendet @@ -2076,7 +2076,7 @@ PROFILEPANEL_GLOBALPROFILES;Standardprofile PROFILEPANEL_LABEL;Bearbeitungsprofile PROFILEPANEL_LOADDLGLABEL;Bearbeitungsparameter laden... PROFILEPANEL_LOADPPASTE;Zu ladende Parameter -PROFILEPANEL_MODE_TIP;Ist der Button aktiviert, werden Teilprofile\nals vollständige Profile geladen.\nFehlende Parameter werden durch\nStandardwerte aufgefüllt. +PROFILEPANEL_MODE_TOOLTIP;Ist der Button aktiviert, werden Teilprofile\nals vollständige Profile geladen.\nFehlende Parameter werden durch\nStandardwerte aufgefüllt. PROFILEPANEL_MYPROFILES;Meine Profile PROFILEPANEL_PASTEPPASTE;Einzufügende Parameter PROFILEPANEL_PCUSTOM;Benutzerdefiniert @@ -2308,9 +2308,9 @@ TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CIECAM02 oder CIEC TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_NEUTRAL;Zurücksetzen -TP_COLORAPP_NEUTRAL_TIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. +TP_COLORAPP_NEUTRAL_TOOLTIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. TP_COLORAPP_PRESETCAT02;Voreinstellung Modus CAT02/16 Automatisch - Symmetrisch -TP_COLORAPP_PRESETCAT02_TIP;Stellen Sie die Combobox-Schieberegler Temp, Grün so ein, dass Cat02/16 automatisch voreingestellt ist.\nSie können die Beleuchtungsbedingungen für die Aufnahme ändern.\nCAT02/16-Anpassung an die Betrachtungsbedingungen, Temperatur, Farbton und andere Einstellungen können, falls erforderlich, geändert werden.\nAlle automatischen Kontrollkästchen sind deaktiviert. +TP_COLORAPP_PRESETCAT02_TOOLTIP;Stellen Sie die Combobox-Schieberegler Temp, Grün so ein, dass Cat02/16 automatisch voreingestellt ist.\nSie können die Beleuchtungsbedingungen für die Aufnahme ändern.\nCAT02/16-Anpassung an die Betrachtungsbedingungen, Temperatur, Farbton und andere Einstellungen können, falls erforderlich, geändert werden.\nAlle automatischen Kontrollkästchen sind deaktiviert. TP_COLORAPP_RSTPRO;Hautfarbtöne schützen TP_COLORAPP_RSTPRO_TOOLTIP;Hautfarbtöne schützen\nWirkt sich auf Regler und Kurven aus. TP_COLORAPP_SOURCEF_TOOLTIP;Entspricht den Aufnahmebedingungen und wie man die Bedingungen und Daten wieder in einen normalen Bereich bringt. 'Normal' bedeutet Durchschnitts- oder Standardbedingungen und Daten, d. h. ohne Berücksichtigung von CIECAM-Korrekturen. @@ -2380,7 +2380,7 @@ TP_COLORTONING_METHOD;Methode TP_COLORTONING_METHOD_TOOLTIP;L*a*b*-Überlagerung, RGB-Regler und RGB-Kurven\nverwenden eine interpolierte Farbüberlagerung.\n\nFarbausgleich (Schatten/Mitten/Lichter) und Sättigung\n(2-Farben) verwenden direkte Farben. TP_COLORTONING_MIDTONES;Mitten TP_COLORTONING_NEUTRAL;Regler zurücksetzen -TP_COLORTONING_NEUTRAL_TIP;Alle Werte auf Standard zurücksetzen.\n(Schatten, Mitten, Lichter) +TP_COLORTONING_NEUTRAL_TOOLTIP;Alle Werte auf Standard zurücksetzen.\n(Schatten, Mitten, Lichter) TP_COLORTONING_OPACITY;Deckkraft TP_COLORTONING_RGBCURVES;RGB-Kurven TP_COLORTONING_RGBSLIDERS;RGB-Regler @@ -2497,7 +2497,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;-100: Nur Farben innerhalb des Bereichs werden v TP_DIRPYREQUALIZER_THRESHOLD;Schwelle TP_DIRPYREQUALIZER_TOOLTIP;Verringert Artefakte an den Übergängen\nzwischen Hautfarbtönen und dem Rest des Bildes. TP_DISTORTION_AMOUNT;Intensität -TP_DISTORTION_AUTO_TIP;Korrigiert die Verzeichnung in RAW-Bildern durch Vergleich mit dem eingebetteten JPEG, falls dieses existiert und die Verzeichnung durch die Kamera korrigiert wurde. +TP_DISTORTION_AUTO_TOOLTIP;Korrigiert die Verzeichnung in RAW-Bildern durch Vergleich mit dem eingebetteten JPEG, falls dieses existiert und die Verzeichnung durch die Kamera korrigiert wurde. TP_DISTORTION_LABEL;Verzeichnungskorrektur TP_EPD_EDGESTOPPING;Kantenschutz TP_EPD_GAMMA;Gamma @@ -2506,12 +2506,12 @@ TP_EPD_REWEIGHTINGITERATES;Iterationen TP_EPD_SCALE;Faktor TP_EPD_STRENGTH;Intensität TP_EXPOSURE_AUTOLEVELS;Auto -TP_EXPOSURE_AUTOLEVELS_TIP;Automatische Belichtungseinstellung\nBasierend auf Bildanalyse. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Automatische Belichtungseinstellung\nBasierend auf Bildanalyse. TP_EXPOSURE_BLACKLEVEL;Schwarzwert TP_EXPOSURE_BRIGHTNESS;Helligkeit TP_EXPOSURE_CLAMPOOG;Farben auf Farbraum beschränken TP_EXPOSURE_CLIP;Clip %: -TP_EXPOSURE_CLIP_TIP;Anteil der Pixel, die sich bei automatischer\nBelichtungseinstellung im Bereich der\nSpitzlichter und Schatten befinden sollen. +TP_EXPOSURE_CLIP_TOOLTIP;Anteil der Pixel, die sich bei automatischer\nBelichtungseinstellung im Bereich der\nSpitzlichter und Schatten befinden sollen. TP_EXPOSURE_COMPRHIGHLIGHTS;Lichterkompression TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Lichterkompression Schwelle TP_EXPOSURE_COMPRSHADOWS;Schattenkompression @@ -2712,7 +2712,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanz als Funktion der Luminanz L=f(L) TP_LABCURVE_LABEL;L*a*b* - Anpassungen TP_LABCURVE_LCREDSK;LC-Kurve auf Hautfarbtöne beschränken -TP_LABCURVE_LCREDSK_TIP;Wenn aktiviert, wird die LC-Kurve auf\nHautfarbtöne beschränkt.\nWenn deaktiviert, wird die LC-Kurve auf\nalle Farbtöne angewendet. +TP_LABCURVE_LCREDSK_TOOLTIP;Wenn aktiviert, wird die LC-Kurve auf\nHautfarbtöne beschränkt.\nWenn deaktiviert, wird die LC-Kurve auf\nalle Farbtöne angewendet. TP_LABCURVE_RSTPROTECTION;Hautfarbtöne schützen TP_LABCURVE_RSTPRO_TOOLTIP;Kann mit dem Chromatizitätsregler und\nder CC-Kurve verwendet werden. TP_LENSGEOM_AUTOCROP;Auto-Schneiden @@ -3541,7 +3541,7 @@ TP_METADATA_MODE;Kopiermodus TP_METADATA_STRIP;Keine TP_METADATA_TUNNEL;Unveränderte Daten TP_NEUTRAL;Zurücksetzen -TP_NEUTRAL_TIP;Belichtungseinstellungen auf neutrale Werte zurücksetzen. +TP_NEUTRAL_TOOLTIP;Belichtungseinstellungen auf neutrale Werte zurücksetzen. TP_PCVIGNETTE_FEATHER;Bereich TP_PCVIGNETTE_FEATHER_TOOLTIP;Bereich:\n0 = nur Bildecken\n50 = halbe Strecke zum Mittelpunkt\n100 = bis zum Mittelpunkt TP_PCVIGNETTE_LABEL;Vignettierungsfilter @@ -3766,7 +3766,7 @@ TP_RETINEX_MLABEL;Schleierred: Min = %1, Max = %2 TP_RETINEX_MLABEL_TOOLTIP;Sollte nahe bei Min = 0 und Max = 32768 sein aber auch andere Werte sind möglich. TP_RETINEX_NEIGHBOR;Radius TP_RETINEX_NEUTRAL;Zurücksetzen -TP_RETINEX_NEUTRAL_TIP;Setzt alle Regler und Kurven\nauf ihre Standardwerte zurück. +TP_RETINEX_NEUTRAL_TOOLTIP;Setzt alle Regler und Kurven\nauf ihre Standardwerte zurück. TP_RETINEX_OFFSET;Versatz (Helligkeit) TP_RETINEX_SCALES;Gauß'scher Gradient TP_RETINEX_SCALES_TOOLTIP;Steht der Regler auf 0 sind alle Iterationen identisch.\nBei > 0 werden Skalierung und Radius reduziert,\nbei < 0 erhöht. @@ -3802,7 +3802,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Winkel TP_ROTATE_LABEL;Drehen TP_ROTATE_SELECTLINE;Leitlinie wählen -TP_SAVEDIALOG_OK_TIP;Taste: Strg + Enter +TP_SAVEDIALOG_OK_TOOLTIP;Taste: Strg + Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Lichter TP_SHADOWSHLIGHTS_HLTONALW;Tonwertbreite Lichter TP_SHADOWSHLIGHTS_LABEL;Schatten/Lichter diff --git a/rtdata/languages/English (UK) b/rtdata/languages/English (UK) index 4e8136885..002e7f4c4 100644 --- a/rtdata/languages/English (UK) +++ b/rtdata/languages/English (UK) @@ -222,7 +222,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !EXPORT_PUTTOQUEUEFAST; Put to queue for fast export !EXPORT_RAW_DMETHOD;Demosaic method !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !EXTPROGTARGET_1;raw !EXTPROGTARGET_2;queue-processed @@ -1294,7 +1294,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PROFILEPANEL_LABEL;Processing Profiles !PROFILEPANEL_LOADDLGLABEL;Load Processing Parameters... !PROFILEPANEL_LOADPPASTE;Parameters to load -!PROFILEPANEL_MODE_TIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. +!PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles !PROFILEPANEL_PASTEPPASTE;Parameters to paste !PROFILEPANEL_PCUSTOM;Custom @@ -1484,7 +1484,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORAPP_MODEL;WP Model !TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SURROUND;Surround @@ -1538,7 +1538,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORTONING_METHOD;Method !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1643,7 +1643,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_THRESHOLD;Threshold !TP_DISTORTION_AMOUNT;Amount -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_DISTORTION_LABEL;Distortion Correction !TP_EPD_EDGESTOPPING;Edge stopping !TP_EPD_GAMMA;Gamma @@ -1652,11 +1652,11 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_EPD_SCALE;Scale !TP_EPD_STRENGTH;Strength !TP_EXPOSURE_AUTOLEVELS;Auto Levels -!TP_EXPOSURE_AUTOLEVELS_TIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. +!TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. !TP_EXPOSURE_BLACKLEVEL;Black !TP_EXPOSURE_BRIGHTNESS;Lightness !TP_EXPOSURE_CLIP;Clip % -!TP_EXPOSURE_CLIP_TIP;The fraction of pixels to be clipped in Auto Levels operation. +!TP_EXPOSURE_CLIP_TOOLTIP;The fraction of pixels to be clipped in Auto Levels operation. !TP_EXPOSURE_COMPRHIGHLIGHTS;Highlight compression !TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Highlight compression threshold !TP_EXPOSURE_COMPRSHADOWS;Shadow compression @@ -1786,7 +1786,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) !TP_LABCURVE_LABEL;L*a*b* Adjustments !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones -!TP_LABCURVE_LCREDSK_TIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. +!TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. !TP_LABCURVE_RSTPROTECTION;Red and skin-tones protection !TP_LABCURVE_RSTPRO_TOOLTIP;Works on the Chromaticity slider and the CC curve. !TP_LENSGEOM_AUTOCROP;Auto-Crop @@ -1814,7 +1814,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_METADATA_STRIP;Strip all metadata !TP_METADATA_TUNNEL;Copy unchanged !TP_NEUTRAL;Reset -!TP_NEUTRAL_TIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. +!TP_NEUTRAL_TOOLTIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. !TP_PCVIGNETTE_FEATHER;Feather !TP_PCVIGNETTE_LABEL;Vignette Filter !TP_PCVIGNETTE_ROUNDNESS;Roundness @@ -1994,7 +1994,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. @@ -2029,7 +2029,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_ROTATE_DEGREE;Degree !TP_ROTATE_LABEL;Rotate !TP_ROTATE_SELECTLINE;Select Straight Line -!TP_SAVEDIALOG_OK_TIP;Shortcut: Ctrl-Enter +!TP_SAVEDIALOG_OK_TOOLTIP;Shortcut: Ctrl-Enter !TP_SHADOWSHLIGHTS_HIGHLIGHTS;Highlights !TP_SHADOWSHLIGHTS_HLTONALW;Highlights tonal width !TP_SHADOWSHLIGHTS_LABEL;Shadows/Highlights diff --git a/rtdata/languages/English (US) b/rtdata/languages/English (US) index dea4c423d..9114c09c1 100644 --- a/rtdata/languages/English (US) +++ b/rtdata/languages/English (US) @@ -104,7 +104,7 @@ !EXPORT_PUTTOQUEUEFAST; Put to queue for fast export !EXPORT_RAW_DMETHOD;Demosaic method !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !EXTPROGTARGET_1;raw !EXTPROGTARGET_2;queue-processed @@ -1228,7 +1228,7 @@ !PROFILEPANEL_LABEL;Processing Profiles !PROFILEPANEL_LOADDLGLABEL;Load Processing Parameters... !PROFILEPANEL_LOADPPASTE;Parameters to load -!PROFILEPANEL_MODE_TIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. +!PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles !PROFILEPANEL_PASTEPPASTE;Parameters to paste !PROFILEPANEL_PCUSTOM;Custom @@ -1435,7 +1435,7 @@ !TP_COLORAPP_MODEL;WP Model !TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SURROUND;Surround @@ -1497,7 +1497,7 @@ !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1613,7 +1613,7 @@ !TP_DIRPYREQUALIZER_THRESHOLD;Threshold !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. !TP_DISTORTION_AMOUNT;Amount -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_DISTORTION_LABEL;Distortion Correction !TP_EPD_EDGESTOPPING;Edge stopping !TP_EPD_GAMMA;Gamma @@ -1622,12 +1622,12 @@ !TP_EPD_SCALE;Scale !TP_EPD_STRENGTH;Strength !TP_EXPOSURE_AUTOLEVELS;Auto Levels -!TP_EXPOSURE_AUTOLEVELS_TIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. +!TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Toggles execution of Auto Levels to automatically set Exposure slider values based on an image analysis.\nEnables Highlight Reconstruction if necessary. !TP_EXPOSURE_BLACKLEVEL;Black !TP_EXPOSURE_BRIGHTNESS;Lightness !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_CLIP;Clip % -!TP_EXPOSURE_CLIP_TIP;The fraction of pixels to be clipped in Auto Levels operation. +!TP_EXPOSURE_CLIP_TOOLTIP;The fraction of pixels to be clipped in Auto Levels operation. !TP_EXPOSURE_COMPRHIGHLIGHTS;Highlight compression !TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Highlight compression threshold !TP_EXPOSURE_COMPRSHADOWS;Shadow compression @@ -1770,7 +1770,7 @@ !TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) !TP_LABCURVE_LABEL;L*a*b* Adjustments !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones -!TP_LABCURVE_LCREDSK_TIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. +!TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. !TP_LABCURVE_RSTPROTECTION;Red and skin-tones protection !TP_LABCURVE_RSTPRO_TOOLTIP;Works on the Chromaticity slider and the CC curve. !TP_LENSGEOM_AUTOCROP;Auto-Crop @@ -1798,7 +1798,7 @@ !TP_METADATA_STRIP;Strip all metadata !TP_METADATA_TUNNEL;Copy unchanged !TP_NEUTRAL;Reset -!TP_NEUTRAL_TIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. +!TP_NEUTRAL_TOOLTIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. !TP_PCVIGNETTE_FEATHER;Feather !TP_PCVIGNETTE_FEATHER_TOOLTIP;Feathering:\n0 = corners only,\n50 = halfway to center,\n100 = to center. !TP_PCVIGNETTE_LABEL;Vignette Filter @@ -1983,7 +1983,7 @@ !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. @@ -2019,7 +2019,7 @@ !TP_ROTATE_DEGREE;Degree !TP_ROTATE_LABEL;Rotate !TP_ROTATE_SELECTLINE;Select Straight Line -!TP_SAVEDIALOG_OK_TIP;Shortcut: Ctrl-Enter +!TP_SAVEDIALOG_OK_TOOLTIP;Shortcut: Ctrl-Enter !TP_SHADOWSHLIGHTS_HIGHLIGHTS;Highlights !TP_SHADOWSHLIGHTS_HLTONALW;Highlights tonal width !TP_SHADOWSHLIGHTS_LABEL;Shadows/Highlights diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index 1b056fd5f..d95ea45ca 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -102,7 +102,7 @@ EXPORT_PIPELINE;Circuito de revelado EXPORT_PUTTOQUEUEFAST;Enviar a la cola para exportación rápida EXPORT_RAW_DMETHOD;Método de desentramado EXPORT_USE_FAST_PIPELINE;Circuito rápido (cambia el tamaño al principio) -EXPORT_USE_FAST_PIPELINE_TIP;Usa un circuito de revelado que favorece la velocidad a costa de la calidad: el cambio de tamaño de la imagen se realiza lo antes posible, en lugar de hacerlo al final como en el circuito normal.\n\nEl incremento de velocidad puede ser importante, pero probablemente aparecerán artefactos de compresión y se producirá una degradación general de la calidad en el archivo de salida. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Usa un circuito de revelado que favorece la velocidad a costa de la calidad: el cambio de tamaño de la imagen se realiza lo antes posible, en lugar de hacerlo al final como en el circuito normal.\n\nEl incremento de velocidad puede ser importante, pero probablemente aparecerán artefactos de compresión y se producirá una degradación general de la calidad en el archivo de salida. EXPORT_USE_NORMAL_PIPELINE;Circuito estándar (cambia el tamaño al final) EXTPROGTARGET_1;raw EXTPROGTARGET_2;revelado en la cola @@ -1967,7 +1967,7 @@ PROFILEPANEL_GLOBALPROFILES;Perfiles incorporados PROFILEPANEL_LABEL;Perfiles de procesamiento PROFILEPANEL_LOADDLGLABEL;Cargar parámetros de procesamiento... PROFILEPANEL_LOADPPASTE;Parámetros a cargar -PROFILEPANEL_MODE_TIP;Modo de rellenado del perfil de revelado.\n\nBotón pulsado: los perfiles parciales se convertirán en completos; los valores no presentes se reemplazarán por los internos predeterminados del programa.\n\nBotón no pulsado: los perfiles se aplicarán tal como están, alterando solamente los valores de los parámetros que contienen. +PROFILEPANEL_MODE_TOOLTIP;Modo de rellenado del perfil de revelado.\n\nBotón pulsado: los perfiles parciales se convertirán en completos; los valores no presentes se reemplazarán por los internos predeterminados del programa.\n\nBotón no pulsado: los perfiles se aplicarán tal como están, alterando solamente los valores de los parámetros que contienen. PROFILEPANEL_MYPROFILES;Mis perfiles PROFILEPANEL_PASTEPPASTE;Parámetros a pegar PROFILEPANEL_PCUSTOM;Personalizado @@ -2067,7 +2067,7 @@ TP_BWMIX_ALGO_LI;Lineal TP_BWMIX_ALGO_SP;Efectos especiales TP_BWMIX_ALGO_TOOLTIP;Lineal: producirá una respuesta lineal normal.\nEfectos especiales: se producirán efectos especiales mediante la mezcla no lineal de canales. TP_BWMIX_AUTOCH;Automático -TP_BWMIX_AUTOCH_TIP;Automático +TP_BWMIX_AUTOCH_TOOLTIP;Automático TP_BWMIX_CC_ENABLED;Ajustar color complementario TP_BWMIX_CC_TOOLTIP;Actívese para permitir el ajuste automático de los colores complementarios en modo ROYGCBPM. TP_BWMIX_CHANNEL;Ecualizador de luminancia @@ -2207,9 +2207,9 @@ TP_COLORAPP_MODELCAT;Modelo CAM TP_COLORAPP_MODELCAT_TOOLTIP;Permite elegir entre CIECAM02 o CIECAM16.\nA veces CIECAM02 será más preciso.\nCIECAM16 debería generar menos artefactos. TP_COLORAPP_MODEL_TOOLTIP;Modelo de punto blanco.\n\nWB [RT] + [salida]: Se usa el balance de blancos de RT para la escena, CIECAM02/16 se ajusta a D50, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nWB [RT+CAT02/16] + [salida]: CAT02 usa los ajustes de balance de blancos de RT, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nTemperatura+verde libres + CAT02 + [salida]:El usuario elige la temperatura y el nivel de verde, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización. TP_COLORAPP_NEUTRAL;Restablecer -TP_COLORAPP_NEUTRAL_TIP;Restablece todos los deslizadores, casillas de verificación y curvas a sus valores predeterminados. +TP_COLORAPP_NEUTRAL_TOOLTIP;Restablece todos los deslizadores, casillas de verificación y curvas a sus valores predeterminados. TP_COLORAPP_PRESETCAT02;Preselección CAT02/16 automática - Modo simétrico -TP_COLORAPP_PRESETCAT02_TIP;Ajusta las listas desplegables, deslizadores, temperatura y verde de modo que se preselecciona CAT02/16 automático.\nSe pueden cambiar las condiciones de toma del iluminante.\nDeben cambiarse las condiciones de visualización de la adaptación CAT02/16 si es necesario.\nSe pueden cambiar las condiciones de visualización Temperatura y Tinte si es necesario, así como otros ajustes.\nTodas las casillas auto se desactivan. +TP_COLORAPP_PRESETCAT02_TOOLTIP;Ajusta las listas desplegables, deslizadores, temperatura y verde de modo que se preselecciona CAT02/16 automático.\nSe pueden cambiar las condiciones de toma del iluminante.\nDeben cambiarse las condiciones de visualización de la adaptación CAT02/16 si es necesario.\nSe pueden cambiar las condiciones de visualización Temperatura y Tinte si es necesario, así como otros ajustes.\nTodas las casillas auto se desactivan. TP_COLORAPP_RSTPRO;Protección de rojo y tonos de piel TP_COLORAPP_RSTPRO_TOOLTIP;La Protección de rojo y tonos de piel afecta tanto a los deslizadores como a las curvas. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponde a las condiciones de toma y cómo llevar las condiciones y los datos a una zona «normal». «Normal» significa aquí condiciones y datos promedio o estándar, es decir, sin tener en cuenta las correcciones CIECAM. @@ -2280,7 +2280,7 @@ TP_COLORTONING_METHOD;Método TP_COLORTONING_METHOD_TOOLTIP;Los métodos «Mezcla L*a*b*», «Deslizadores RGB» y «Curvas RGB» usan la mezcla interpolada de color.\n\nLos métodos «Balance de color (Sombras/Tonos medios/Luces)» y «Saturación 2 colores» usan colores directos.\n\nLa herramienta Blanco y negro se puede activar mientras se usa cualquier método de virado de color, lo que permite el virado. TP_COLORTONING_MIDTONES;Tonos medios TP_COLORTONING_NEUTRAL;Reiniciar deslizadores -TP_COLORTONING_NEUTRAL_TIP;Reiniciar todos los valores (Sombras, Tonos medios, Luces) a los predeterminados. +TP_COLORTONING_NEUTRAL_TOOLTIP;Reiniciar todos los valores (Sombras, Tonos medios, Luces) a los predeterminados. TP_COLORTONING_OPACITY;Opacidad TP_COLORTONING_RGBCURVES;RGB - Curvas TP_COLORTONING_RGBSLIDERS;RGB - Deslizadores @@ -2398,7 +2398,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Al valor -100, el efecto se focaliza en los tono TP_DIRPYREQUALIZER_THRESHOLD;Umbral TP_DIRPYREQUALIZER_TOOLTIP;Intenta reducir los artefactos en las transiciones entre colores de piel (matiz, cromaticidad, luminancia) y el resto de la imagen. TP_DISTORTION_AMOUNT;Cantidad -TP_DISTORTION_AUTO_TIP;Corrige automáticamente la distorsión del objetivo en archivos raw, contrastándola con la imagen JPEG embebida, si ésta existe y su distorsión de objetivo ha sido corregida automáticamente por la cámara. +TP_DISTORTION_AUTO_TOOLTIP;Corrige automáticamente la distorsión del objetivo en archivos raw, contrastándola con la imagen JPEG embebida, si ésta existe y su distorsión de objetivo ha sido corregida automáticamente por la cámara. TP_DISTORTION_LABEL;Corrección de distorsión TP_EPD_EDGESTOPPING;Parada en bordes TP_EPD_GAMMA;Gamma @@ -2407,12 +2407,12 @@ TP_EPD_REWEIGHTINGITERATES;Iteraciones de reponderación TP_EPD_SCALE;Escala TP_EPD_STRENGTH;Intensidad TP_EXPOSURE_AUTOLEVELS;Niveles automáticos -TP_EXPOSURE_AUTOLEVELS_TIP;Activa/desactiva la ejecución de Niveles automáticos, que ajusta automáticamente los valores de los deslizadores de Exposición basándose en un análisis de la imagen.\nSi es necesario, se activa la Reconstrucción de luces. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Activa/desactiva la ejecución de Niveles automáticos, que ajusta automáticamente los valores de los deslizadores de Exposición basándose en un análisis de la imagen.\nSi es necesario, se activa la Reconstrucción de luces. TP_EXPOSURE_BLACKLEVEL;Negro TP_EXPOSURE_BRIGHTNESS;Brillo TP_EXPOSURE_CLAMPOOG;Recortar colores fuera de rango TP_EXPOSURE_CLIP;% Recorte -TP_EXPOSURE_CLIP_TIP;La fracción de píxels que quedarán recortados tras la ejecución de Niveles automáticos. +TP_EXPOSURE_CLIP_TOOLTIP;La fracción de píxels que quedarán recortados tras la ejecución de Niveles automáticos. TP_EXPOSURE_COMPRHIGHLIGHTS;Compresión de luces TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Umbral de compresión de luces TP_EXPOSURE_COMPRSHADOWS;Compresión de sombras @@ -2613,7 +2613,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminancia en función del matiz L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminancia en función de la luminancia L=f(L) TP_LABCURVE_LABEL;Ajustes L*a*b* TP_LABCURVE_LCREDSK;Restringir LC a rojos y tonos de piel -TP_LABCURVE_LCREDSK_TIP;Si se activa, la curva LC afecta solamente a los rojos y los tonos de piel.\nSi se desactiva, afecta a todos los tonos. +TP_LABCURVE_LCREDSK_TOOLTIP;Si se activa, la curva LC afecta solamente a los rojos y los tonos de piel.\nSi se desactiva, afecta a todos los tonos. TP_LABCURVE_RSTPROTECTION;Protección de rojos y tonos de piel TP_LABCURVE_RSTPRO_TOOLTIP;Opera sobre el deslizador de Cromaticidad y la curva CC. TP_LENSGEOM_AUTOCROP;Auto-recorte @@ -3437,7 +3437,7 @@ TP_METADATA_MODE;Modo de copia de metadatos TP_METADATA_STRIP;Eliminar todos los metadatos TP_METADATA_TUNNEL;Copiar sin cambios TP_NEUTRAL;Reiniciar -TP_NEUTRAL_TIP;Reinicia los deslizadores de exposición a valores neutros.\nActúa sobre los mismos controles que Niveles automáticos, independientemente de si se ha usado Niveles automáticos o no. +TP_NEUTRAL_TOOLTIP;Reinicia los deslizadores de exposición a valores neutros.\nActúa sobre los mismos controles que Niveles automáticos, independientemente de si se ha usado Niveles automáticos o no. TP_PCVIGNETTE_FEATHER;Anchura de gradiente TP_PCVIGNETTE_FEATHER_TOOLTIP;Anchura de gradiente:\n0 = sólo en las esquinas,\n50 = hasta mitad de camino al centro,\n100 = hasta el centro. TP_PCVIGNETTE_LABEL;Filtro de viñeteado @@ -3658,7 +3658,7 @@ TP_RETINEX_MLABEL;Datos restaurados Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Los valores deberían estar cerca de min=0 max=32768 (modo logarítmico), pero son posibles otros valores. Se puede ajustar «Recortar datos restaurados (ganancia)» y «Desplazamiento» para normalizar.\nRecupera los datos de la imagen sin mezclar. TP_RETINEX_NEIGHBOR;Radio TP_RETINEX_NEUTRAL;Reiniciar -TP_RETINEX_NEUTRAL_TIP;Reinicia todos los deslizadores y curvas a sus valores predeterminados. +TP_RETINEX_NEUTRAL_TOOLTIP;Reinicia todos los deslizadores y curvas a sus valores predeterminados. TP_RETINEX_OFFSET;Desplazamiento (brillo) TP_RETINEX_SCALES;Gradiente gaussiano TP_RETINEX_SCALES_TOOLTIP;Si el deslizador está a 0, todas las iteraciones son idénticas.\nSi es > 0, la Escala y el Radio se reducen al incrementarse las iteraciones, y viceversa. @@ -3694,7 +3694,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Grados TP_ROTATE_LABEL;Rotación TP_ROTATE_SELECTLINE;Seleccionar línea recta -TP_SAVEDIALOG_OK_TIP;Atajo de teclado: Ctrl-Intro +TP_SAVEDIALOG_OK_TOOLTIP;Atajo de teclado: Ctrl-Intro TP_SHADOWSHLIGHTS_HIGHLIGHTS;Luces TP_SHADOWSHLIGHTS_HLTONALW;Anchura tonal de las luces TP_SHADOWSHLIGHTS_LABEL;Sombras/Luces diff --git a/rtdata/languages/Espanol (Latin America) b/rtdata/languages/Espanol (Latin America) index 56f408f9e..a9bbcc30a 100644 --- a/rtdata/languages/Espanol (Latin America) +++ b/rtdata/languages/Espanol (Latin America) @@ -162,7 +162,7 @@ EXPORT_PIPELINE;Fuente de procesamiento EXPORT_PUTTOQUEUEFAST; Poner en la cola de Exportación Rápida EXPORT_RAW_DMETHOD;Método de interpolado EXPORT_USE_FAST_PIPELINE;Dedicado (procesamiento completo en imagen redimensionada) -EXPORT_USE_FAST_PIPELINE_TIP;Usar un conducto de procesamiento dedicado para las imágenes en el modo Exportación rápida, que cambia la velocidad por la calidad. El cambio de tamaño de la imagen se realiza lo antes posible, en lugar de hacerlo al final como en el conducto normal. La aceleración puede ser importante, pero prepárese para ver elementos extraños y una degradación general de la calidad de salida. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Usar un conducto de procesamiento dedicado para las imágenes en el modo Exportación rápida, que cambia la velocidad por la calidad. El cambio de tamaño de la imagen se realiza lo antes posible, en lugar de hacerlo al final como en el conducto normal. La aceleración puede ser importante, pero prepárese para ver elementos extraños y una degradación general de la calidad de salida. EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) EXTPROGTARGET_1;Raw EXTPROGTARGET_2;procesado en cola @@ -1258,7 +1258,7 @@ PROFILEPANEL_GLOBALPROFILES;Perfiles empaquetados PROFILEPANEL_LABEL;Perfiles de procesamiento PROFILEPANEL_LOADDLGLABEL;Cargar parámetros de procesamiento... PROFILEPANEL_LOADPPASTE;Parámetros a cargar -PROFILEPANEL_MODE_TIP;Modo de procesamiento de perfiles.\n\nBotón Presionado: los perfiles parciales son completados; Los valores faltantes son llenados usando valores predeterminados de fábrica.\n\nBotón Liberado: Los perfiles son aplicados tal como están, alterando solo los valores que contienen; los parámetros sin valores en el perfil se dejan en la imagen tal como están. +PROFILEPANEL_MODE_TOOLTIP;Modo de procesamiento de perfiles.\n\nBotón Presionado: los perfiles parciales son completados; Los valores faltantes son llenados usando valores predeterminados de fábrica.\n\nBotón Liberado: Los perfiles son aplicados tal como están, alterando solo los valores que contienen; los parámetros sin valores en el perfil se dejan en la imagen tal como están. PROFILEPANEL_MYPROFILES;Mis perfiles PROFILEPANEL_PASTEPPASTE;Parámetros PROFILEPANEL_PCUSTOM;A medida @@ -1458,7 +1458,7 @@ TP_COLORAPP_MEANLUMINANCE;Luminancia media (Yb%) TP_COLORAPP_MODEL;Modelo de Punto Blanco TP_COLORAPP_MODEL_TOOLTIP;Modelo de Punto Blanco\n\nWB [RT] + [salida]:\nEl Balance de Blancos de RT es usado para la escena, CIECAM02 es establecido a D50, y el Balance de Blancos del dispositivo de salida es el establecido en Preferencias > Gestión de Color\n\nWB [RT+CAT02] + [salida]:\nEl Balance de Blancos de RT es usado por CAT02 y el del dispositivo de salida es el establecido en preferencias TP_COLORAPP_NEUTRAL;Restablecer -TP_COLORAPP_NEUTRAL_TIP;Restablecer todos los controles deslizantes y las curvas a sus valores predeterminados +TP_COLORAPP_NEUTRAL_TOOLTIP;Restablecer todos los controles deslizantes y las curvas a sus valores predeterminados TP_COLORAPP_RSTPRO; Protección de tonos rojos y color piel TP_COLORAPP_RSTPRO_TOOLTIP;Intensidad de protección de tonos rojos y color piel (en curvas y en controles deslizantes) TP_COLORAPP_SURROUND;Entorno @@ -1520,7 +1520,7 @@ TP_COLORTONING_METHOD;Método TP_COLORTONING_METHOD_TOOLTIP;"Mezcla Lab", "Controles deslizantes RGB" y "Curvas RGB" utilizan mezcla de color interpolada.\n"Balance de Color (Sombras/Tonos Medios/Luces Altas)" y "Saturación 2 colores" utilizan colores directos.\n\nCualquier método de tonificación de color puede ser aplicado aún estando la herramienta Blanco y Negro activada. TP_COLORTONING_MIDTONES;Tonos Medios TP_COLORTONING_NEUTRAL;Restablecer controles deslizantes -TP_COLORTONING_NEUTRAL_TIP;Restablecer todos los valores predeterminados(Sombras, Tonos Medios, Luces Altas). +TP_COLORTONING_NEUTRAL_TOOLTIP;Restablecer todos los valores predeterminados(Sombras, Tonos Medios, Luces Altas). TP_COLORTONING_OPACITY;Opacidad TP_COLORTONING_RGBCURVES;RGB - Curvas TP_COLORTONING_RGBSLIDERS;RGB - Controles deslizantes @@ -1634,7 +1634,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;A -100 se focalizan los tonos de piel.\nA 0 todo TP_DIRPYREQUALIZER_THRESHOLD;Umbral TP_DIRPYREQUALIZER_TOOLTIP;Reduce los elementos extraños producidos en la transición entre los colores de piel (matiz, crominancia, luminancia) y el resto de la imagen. TP_DISTORTION_AMOUNT;Cantidad -TP_DISTORTION_AUTO_TIP;Corrige automáticamente la distorsión de la lente en archivos sin procesar al compararla con la imagen JPEG incrustada, si existe, y la cámara ha corregido automáticamente la distorsión de la lente. +TP_DISTORTION_AUTO_TOOLTIP;Corrige automáticamente la distorsión de la lente en archivos sin procesar al compararla con la imagen JPEG incrustada, si existe, y la cámara ha corregido automáticamente la distorsión de la lente. TP_DISTORTION_LABEL;Corrección de Distorsión TP_EPD_EDGESTOPPING;Parada en los bordes TP_EPD_GAMMA;Gamma @@ -1643,12 +1643,12 @@ TP_EPD_REWEIGHTINGITERATES;Iteraciones de reponderación TP_EPD_SCALE;Escala TP_EPD_STRENGTH;Intensidad TP_EXPOSURE_AUTOLEVELS;Niveles automáticos -TP_EXPOSURE_AUTOLEVELS_TIP;Ejecuta Niveles Automáticos. Establece automáticamente los valores de los parámetros basándose en el análisis de la imagen.\nHabilita la reconstrucción de luces altas si es necesario +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Ejecuta Niveles Automáticos. Establece automáticamente los valores de los parámetros basándose en el análisis de la imagen.\nHabilita la reconstrucción de luces altas si es necesario TP_EXPOSURE_BLACKLEVEL;Nivel de Negro TP_EXPOSURE_BRIGHTNESS;Brillo TP_EXPOSURE_CLAMPOOG;Corte fuera de la gama de colores TP_EXPOSURE_CLIP;Recorte % -TP_EXPOSURE_CLIP_TIP;Fracción de los píxeles que se recortará en una operación de Niveles Automáticos +TP_EXPOSURE_CLIP_TOOLTIP;Fracción de los píxeles que se recortará en una operación de Niveles Automáticos TP_EXPOSURE_COMPRHIGHLIGHTS;Compresión de luces altas TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Umbral de recuperación de luces altas TP_EXPOSURE_COMPRSHADOWS;Compresión de sombras @@ -1785,7 +1785,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminancia en función del Matiz L=f(M) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminancia en función de la Luminancia L=f(L) TP_LABCURVE_LABEL;Ajustes Lab TP_LABCURVE_LCREDSK;Restringe LC a tonos rojos y piel -TP_LABCURVE_LCREDSK_TIP;Si se activa, la 'Curva LC' afecta solo a los tonos rojos y piel\nSi se desactiva, se aplica a todos los colores +TP_LABCURVE_LCREDSK_TOOLTIP;Si se activa, la 'Curva LC' afecta solo a los tonos rojos y piel\nSi se desactiva, se aplica a todos los colores TP_LABCURVE_RSTPROTECTION;Protección de rojos y tonos piel TP_LABCURVE_RSTPRO_TOOLTIP;Puede usarse con el deslizador Cromaticidad y con la curva CC. TP_LENSGEOM_AUTOCROP;Auto recorte @@ -1806,7 +1806,7 @@ TP_METADATA_MODE;Modo de copia de metadatos TP_METADATA_STRIP;Eliminar todos los metadatos TP_METADATA_TUNNEL;Copiar sin cambios TP_NEUTRAL;Reiniciar -TP_NEUTRAL_TIP;Restablecer controles de exposición a valores neutros\nAplica a los mismos controles que son afectados por Niveles Automáticos, sin importar si usa o no Niveles Automáticos +TP_NEUTRAL_TOOLTIP;Restablecer controles de exposición a valores neutros\nAplica a los mismos controles que son afectados por Niveles Automáticos, sin importar si usa o no Niveles Automáticos TP_PCVIGNETTE_FEATHER;Difuminado TP_PCVIGNETTE_FEATHER_TOOLTIP;Difuminación: \n0=Solo Esquinas\n50=Hasta medio camino al centro\n100=Hasta el Centro TP_PCVIGNETTE_LABEL;Filtro quitar Viñeteado @@ -1988,7 +1988,7 @@ TP_RETINEX_MLABEL;Restaurado sin turbidez Min. =% 1 Max =% 2. TP_RETINEX_MLABEL_TOOLTIP;Debe estar cerca del mín = 0 máx = 32768 \nImagen restaurada sin mezcla. TP_RETINEX_NEIGHBOR;Radio TP_RETINEX_NEUTRAL;Restablecer -TP_RETINEX_NEUTRAL_TIP;Restablecer todos los controles deslizantes y curvas a sus valores predeterminados. +TP_RETINEX_NEUTRAL_TOOLTIP;Restablecer todos los controles deslizantes y curvas a sus valores predeterminados. TP_RETINEX_OFFSET;compensar(brillo) TP_RETINEX_SCALES;Gradiente gaussiano TP_RETINEX_SCALES_TOOLTIP;Si el control deslizante está en 0, todas las iteraciones son idénticas. \nSi es mayor a 0 la escala y el radio se reducen cuando aumentan las iteraciones, y viceversa. @@ -2024,7 +2024,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Grados TP_ROTATE_LABEL;Rotar TP_ROTATE_SELECTLINE;Seleccionar línea recta -TP_SAVEDIALOG_OK_TIP;Tecla de Atajo Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Tecla de Atajo Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Luces altas TP_SHADOWSHLIGHTS_HLTONALW;Ancho tonal de Luces Altas TP_SHADOWSHLIGHTS_LABEL;Sombras/Luces altas diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index a165453a6..1651ef069 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -101,7 +101,7 @@ EXPORT_PIPELINE;Pipeline de Traitement EXPORT_PUTTOQUEUEFAST;Mettre dans la file de traitement\npour Export Rapide EXPORT_RAW_DMETHOD;Méthode de dématriçage EXPORT_USE_FAST_PIPELINE;Dédié\n(traitement complet sur une image rédimmentionnée) -EXPORT_USE_FAST_PIPELINE_TIP;Utilise un pipeline de traitement dédié pour les images en Export Rapide, qui privilégie la vitesse sur la qualité. Le redimensionnement des images est fait dès que possible, au lieu d'être fait à la fin comme dans le pipeline normal. L'accélération peut être significative, mais soyez prêt à voir des artéfacts et une dégradation générale de la qualité de sortie. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Utilise un pipeline de traitement dédié pour les images en Export Rapide, qui privilégie la vitesse sur la qualité. Le redimensionnement des images est fait dès que possible, au lieu d'être fait à la fin comme dans le pipeline normal. L'accélération peut être significative, mais soyez prêt à voir des artéfacts et une dégradation générale de la qualité de sortie. EXPORT_USE_NORMAL_PIPELINE;Standard\n(ignore des étapes, redimentionne à la fin) EXTPROGTARGET_1;raw EXTPROGTARGET_2;file de traitement @@ -1210,7 +1210,7 @@ PROFILEPANEL_GLOBALPROFILES;Profils fournis PROFILEPANEL_LABEL;Profils de post-traitement PROFILEPANEL_LOADDLGLABEL;Charger les paramètres de post-traitement... PROFILEPANEL_LOADPPASTE;Paramètres à charger -PROFILEPANEL_MODE_TIP;Mode de complètement des profils de traitement.\n\nBouton pressé: les profils partiels seront convertis en profils complets; les valeurs manquantes seront remplacées par les valeurs internes par défaut\n\nBouton relevé: les profils seront appliqués tel quel, altérant seulement les paramètres qu'ils contiennent. +PROFILEPANEL_MODE_TOOLTIP;Mode de complètement des profils de traitement.\n\nBouton pressé: les profils partiels seront convertis en profils complets; les valeurs manquantes seront remplacées par les valeurs internes par défaut\n\nBouton relevé: les profils seront appliqués tel quel, altérant seulement les paramètres qu'ils contiennent. PROFILEPANEL_MYPROFILES;Mes profils PROFILEPANEL_PASTEPPASTE;Paramètres à coller PROFILEPANEL_PCUSTOM;Personnel @@ -1411,7 +1411,7 @@ TP_COLORAPP_MEANLUMINANCE;Luminance moyenne (Yb%) TP_COLORAPP_MODEL;Modèle de Point Blanc TP_COLORAPP_MODEL_TOOLTIP;Modèle de Point Blanc\n\nBB [RT] + [sortie]:\nLa BB de RT est utilisée pour la scène, CIECAM est réglé sur D50, le blanc du périphérique de sortie utilise la valeur réglée dans Préférences\n\nBB [RT+CAT02] + [sortie]:\nLes réglages de BB de RT sont utilisés par CAT02 et le blanc du périphérique de sortie utilise la valeur réglée dans Préférences TP_COLORAPP_NEUTRAL;Résinitialiser -TP_COLORAPP_NEUTRAL_TIP;Réinitialiser tous les curseurs, cases à cocher et courbes à leurs valeur par défaut +TP_COLORAPP_NEUTRAL_TOOLTIP;Réinitialiser tous les curseurs, cases à cocher et courbes à leurs valeur par défaut TP_COLORAPP_RSTPRO;Protection des tons chairs et rouges TP_COLORAPP_RSTPRO_TOOLTIP;Protection des tons chairs et rouges (curseurs et courbes) TP_COLORAPP_SURROUND;Entourage @@ -1475,7 +1475,7 @@ TP_COLORTONING_METHOD;Méthode TP_COLORTONING_METHOD_TOOLTIP;Mixage Lab - RVB courbes - RVB curseurs utilise une interpolation\nBalance couleur(ombres / tons moyens / hautes lumières)\nSaturation 2 couleurs utilise couleurs directes\nDans tous les méthodes vous pouvez activer Noir et Blanc TP_COLORTONING_MIDTONES;Tons Moyens TP_COLORTONING_NEUTRAL;Réinit. curseurs -TP_COLORTONING_NEUTRAL_TIP;Réinitialise toutes les valeurs (Ombres, Tons moyens, Hautes lumières) à leur valeur par défaut. +TP_COLORTONING_NEUTRAL_TOOLTIP;Réinitialise toutes les valeurs (Ombres, Tons moyens, Hautes lumières) à leur valeur par défaut. TP_COLORTONING_OPACITY;Opacité TP_COLORTONING_RGBCURVES;RVB - Courbes TP_COLORTONING_RGBSLIDERS;RVB - Curseurs @@ -1589,7 +1589,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;A -100, les tons chairs sont ciblés.\nA 0 tous TP_DIRPYREQUALIZER_THRESHOLD;Seuil TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts due to the transitions between the color (hue, chroma, luma) of the skin and the rest of the image. TP_DISTORTION_AMOUNT;Quantité -TP_DISTORTION_AUTO_TIP;Corrige automatiquement la distortion optique dans les fichiers raw en opérant une mise en correspondance avec le fichier JPEG incorporé, si elle existe, et sur laquelle la correction de la distortion a été appliqué par le boitier. +TP_DISTORTION_AUTO_TOOLTIP;Corrige automatiquement la distortion optique dans les fichiers raw en opérant une mise en correspondance avec le fichier JPEG incorporé, si elle existe, et sur laquelle la correction de la distortion a été appliqué par le boitier. TP_DISTORTION_LABEL;Distorsion TP_EPD_EDGESTOPPING;Arrêt des bords TP_EPD_GAMMA;Gamma @@ -1598,12 +1598,12 @@ TP_EPD_REWEIGHTINGITERATES;Itérations de la pondération TP_EPD_SCALE;Échelle TP_EPD_STRENGTH;Force TP_EXPOSURE_AUTOLEVELS;Niveaux Auto -TP_EXPOSURE_AUTOLEVELS_TIP;Bascule l'usage de Niveaux automatiques afin de régler automatiquement les valeurs basé sur l'analyse de l'image\nActive la Reconstruction des Hautes Lumières si nécessaire. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Bascule l'usage de Niveaux automatiques afin de régler automatiquement les valeurs basé sur l'analyse de l'image\nActive la Reconstruction des Hautes Lumières si nécessaire. TP_EXPOSURE_BLACKLEVEL;Noir TP_EXPOSURE_BRIGHTNESS;Luminosité TP_EXPOSURE_CLAMPOOG;Tronquer les couleurs hors gamut TP_EXPOSURE_CLIP;Rognage % -TP_EXPOSURE_CLIP_TIP;La fraction de pixels que l'outil Niveaux Auto passera en dehors du domaine +TP_EXPOSURE_CLIP_TOOLTIP;La fraction de pixels que l'outil Niveaux Auto passera en dehors du domaine TP_EXPOSURE_COMPRHIGHLIGHTS;Compression hautes lumières TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Seuil de compression\ndes hautes lumières TP_EXPOSURE_COMPRSHADOWS;Compression des ombres @@ -1740,7 +1740,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance en fonction de la Teinte L=f(T) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance en fonction de la Luminance L=f(L) TP_LABCURVE_LABEL;Ajustements Lab TP_LABCURVE_LCREDSK;Restreindre LC aux tons rouge et peau -TP_LABCURVE_LCREDSK_TIP;Si activé, la courbe 'LC' est limitée au tons rouge et peau.\nSi désactivé, elle s'applique à toutes les teintes. +TP_LABCURVE_LCREDSK_TOOLTIP;Si activé, la courbe 'LC' est limitée au tons rouge et peau.\nSi désactivé, elle s'applique à toutes les teintes. TP_LABCURVE_RSTPROTECTION;Protection des tons rouges et chair TP_LABCURVE_RSTPRO_TOOLTIP;Peut être utilisé avec le curseur Chromaticité et la courbe CC. TP_LENSGEOM_AUTOCROP;Recadrage auto @@ -2608,7 +2608,7 @@ TP_METADATA_MODE;Mode de copie des métadonnées TP_METADATA_STRIP;Retirer toutes les métadonnées TP_METADATA_TUNNEL;Copier à l'identique TP_NEUTRAL;Réinit. -TP_NEUTRAL_TIP;Réinitialise les valeurs de l'exposition à des valeurs neutres +TP_NEUTRAL_TOOLTIP;Réinitialise les valeurs de l'exposition à des valeurs neutres TP_PCVIGNETTE_FEATHER;Étendue TP_PCVIGNETTE_FEATHER_TOOLTIP;Étendue: 0=bords uniquement, 50=mi-chemin du centre, 100=jusqu'au centre TP_PCVIGNETTE_LABEL;Filtre Vignettage @@ -2815,7 +2815,7 @@ TP_RETINEX_MLABEL;Recomposition sans 'brume' Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Devrait être proche de min=0 max=32768\nImage recomposée sans mélange. TP_RETINEX_NEIGHBOR;Rayon TP_RETINEX_NEUTRAL;Réinit. -TP_RETINEX_NEUTRAL_TIP;Réinitialise tous les curseurs et courbes à leur valeur par défaut. +TP_RETINEX_NEUTRAL_TOOLTIP;Réinitialise tous les curseurs et courbes à leur valeur par défaut. TP_RETINEX_OFFSET;Décalage (brillance) TP_RETINEX_SCALES;Gradient gaussien TP_RETINEX_SCALES_TOOLTIP;Si le curseur est à 0, toutes les itérations sont identiques.\nSi > 0, l'Échelle et le Rayon sont réduit à chaque nouvelle itération, et inversement. @@ -2851,7 +2851,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Degré TP_ROTATE_LABEL;Rotation TP_ROTATE_SELECTLINE;Choisir la ligne d'horizon -TP_SAVEDIALOG_OK_TIP;Raccourci: Ctrl-Entrée +TP_SAVEDIALOG_OK_TOOLTIP;Raccourci: Ctrl-Entrée TP_SHADOWSHLIGHTS_HIGHLIGHTS;Hautes lumières TP_SHADOWSHLIGHTS_HLTONALW;Amplitude tonale des\nhautes lumières TP_SHADOWSHLIGHTS_LABEL;Ombres/Hautes lumières diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index 51b536cde..79463a854 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -703,7 +703,7 @@ PROFILEPANEL_GLOBALPROFILES;Profili inclusi PROFILEPANEL_LABEL;Profili di sviluppo PROFILEPANEL_LOADDLGLABEL;Carico i parametri di sviluppo... PROFILEPANEL_LOADPPASTE;Parametri da caricare -PROFILEPANEL_MODE_TIP;Modalità di riempimento del Profilo di Sviluppo.\n\nPulsante premuto: i profili parziali verranno convertiti in profili completi; i valori mancanti verranno sostituiti con i valori predefiniti.\n\nPulsante rilasciato: i Profili saranno applicati così come sono, modificando solo i valori che contengono. +PROFILEPANEL_MODE_TOOLTIP;Modalità di riempimento del Profilo di Sviluppo.\n\nPulsante premuto: i profili parziali verranno convertiti in profili completi; i valori mancanti verranno sostituiti con i valori predefiniti.\n\nPulsante rilasciato: i Profili saranno applicati così come sono, modificando solo i valori che contengono. PROFILEPANEL_MYPROFILES;Miei profili PROFILEPANEL_PASTEPPASTE;Parametri da incollare PROFILEPANEL_PCUSTOM;Personalizzato @@ -946,11 +946,11 @@ TP_EPD_REWEIGHTINGITERATES;Iterazioni di Ribilanciamento TP_EPD_SCALE;Scala TP_EPD_STRENGTH;Forza TP_EXPOSURE_AUTOLEVELS;Livelli automatici -TP_EXPOSURE_AUTOLEVELS_TIP;Abilita l'esecuzione dei livelli automatici per impostare automaticamente il cursore Esposizione in base all'analisi dell'immagine.\nSe necessario, abilita Ricostruzione Alteluci. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Abilita l'esecuzione dei livelli automatici per impostare automaticamente il cursore Esposizione in base all'analisi dell'immagine.\nSe necessario, abilita Ricostruzione Alteluci. TP_EXPOSURE_BLACKLEVEL;Livello del nero TP_EXPOSURE_BRIGHTNESS;Luminosità TP_EXPOSURE_CLIP;Tosaggio % -TP_EXPOSURE_CLIP_TIP;La frazione di pixel da tosare nell'operazione di livelli automatici. +TP_EXPOSURE_CLIP_TOOLTIP;La frazione di pixel da tosare nell'operazione di livelli automatici. TP_EXPOSURE_COMPRHIGHLIGHTS;Compressione Alteluci TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Soglia di Compressione Alteluci TP_EXPOSURE_COMPRSHADOWS;Compressione Ombre @@ -1058,14 +1058,14 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanza secondo Tonalità L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanza secondo Luminanza L=f(L) TP_LABCURVE_LABEL;Regolazioni Lab TP_LABCURVE_LCREDSK;Limita LC ai toni rossi e all'incarnato -TP_LABCURVE_LCREDSK_TIP;Se abilitato, la Curva LC è applicata solo ai toni rossi e dell'incarnato.\nSe disabilitato, ha effetto su tutti i toni. +TP_LABCURVE_LCREDSK_TOOLTIP;Se abilitato, la Curva LC è applicata solo ai toni rossi e dell'incarnato.\nSe disabilitato, ha effetto su tutti i toni. TP_LABCURVE_RSTPROTECTION;Protezione Toni rossi e dell'incarnato TP_LABCURVE_RSTPRO_TOOLTIP;Può essere utilizzato con il cursore Cromaticità e la curva CC. TP_LENSGEOM_AUTOCROP; Ritaglio automatico TP_LENSGEOM_FILL;Adattamento automatico TP_LENSGEOM_LABEL;Obiettivo/Geometria TP_LENSPROFILE_LABEL;Profilo di Correzione dell'Obiettivo -TP_NEUTRAL_TIP;Riporta i controlli dell'esposizione ai valori neutrali.\nVale per gli stessi controlli cui è applicato Livelli Automatici, indipendentemente dal fatto che Livelli Automatici sia abilitato. +TP_NEUTRAL_TOOLTIP;Riporta i controlli dell'esposizione ai valori neutrali.\nVale per gli stessi controlli cui è applicato Livelli Automatici, indipendentemente dal fatto che Livelli Automatici sia abilitato. TP_PCVIGNETTE_FEATHER;Scia TP_PCVIGNETTE_FEATHER_TOOLTIP;Scia:\n0 = solo i bordi,\n50 = a metà strada con il centro,\n100 = al centro. TP_PCVIGNETTE_LABEL;Filtro Vignettatura @@ -1122,7 +1122,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Angolo TP_ROTATE_LABEL;Ruota TP_ROTATE_SELECTLINE; Seleziona una linea dritta -TP_SAVEDIALOG_OK_TIP;Scorciatoia: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Scorciatoia: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Alteluci TP_SHADOWSHLIGHTS_HLTONALW;Ampiezza Tonale delle Alteluci TP_SHADOWSHLIGHTS_LABEL;Ombre/Alteluci @@ -1260,7 +1260,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !EXPORT_BYPASS_EQUALIZER;Bypass Wavelet Levels !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -1795,7 +1795,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic @@ -1836,7 +1836,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1908,7 +1908,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_DIRPYRDENOISE_TYPE_7X7;7×7 !TP_DIRPYRDENOISE_TYPE_9X9;9×9 !TP_DIRPYREQUALIZER_ARTIF;Reduce artifacts -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EPD_GAMMA;Gamma !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve @@ -2105,7 +2105,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index 2ed179747..bf4dfc25f 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -112,7 +112,7 @@ EXPORT_PIPELINE;処理の流れ EXPORT_PUTTOQUEUEFAST; 高速書き出しのキューに追加 EXPORT_RAW_DMETHOD;デモザイクの方式 EXPORT_USE_FAST_PIPELINE;処理速度優先(リサイズした画像に調整を全て行う) -EXPORT_USE_FAST_PIPELINE_TIP;処理速度を優先すると、処理は速くなりますが、画像の質は落ちます。通常、画像のリサイズは全処理工程の最後で行われますが、ここでは処理工程の初めの方でリサイズが行われます。処理速度は著しく上がりますが、処理された画像にアーティファクトが発生したり、全体的な質が低下したりします。 +EXPORT_USE_FAST_PIPELINE_TOOLTIP;処理速度を優先すると、処理は速くなりますが、画像の質は落ちます。通常、画像のリサイズは全処理工程の最後で行われますが、ここでは処理工程の初めの方でリサイズが行われます。処理速度は著しく上がりますが、処理された画像にアーティファクトが発生したり、全体的な質が低下したりします。 EXPORT_USE_NORMAL_PIPELINE;標準(リサイズ処理は最後、幾つかの処理を迂回) EXTPROGTARGET_1;raw EXTPROGTARGET_2;キュー処理 @@ -2019,7 +2019,7 @@ PROFILEPANEL_GLOBALPROFILES;付属のプロファイル PROFILEPANEL_LABEL;処理プロファイル PROFILEPANEL_LOADDLGLABEL;処理プロファイルを読み込む... PROFILEPANEL_LOADPPASTE;読み込むパラメータ -PROFILEPANEL_MODE_TIP;処理プロファイルの適用モードボタン\n\nボタンが押された状態:処理プロファイルで設定されている値が適用され、且つ、他の値はプログラムにハードコーディングされているデフォルト値に置き換えられます\n\nボタンが離された状態:その処理プロファイルで設定されている値だけが適用されます +PROFILEPANEL_MODE_TOOLTIP;処理プロファイルの適用モードボタン\n\nボタンが押された状態:処理プロファイルで設定されている値が適用され、且つ、他の値はプログラムにハードコーディングされているデフォルト値に置き換えられます\n\nボタンが離された状態:その処理プロファイルで設定されている値だけが適用されます PROFILEPANEL_MYPROFILES;自分のプロファイル PROFILEPANEL_PASTEPPASTE;貼り付けるパラメータ PROFILEPANEL_PCUSTOM;カスタム @@ -2251,9 +2251,9 @@ TP_COLORAPP_MODELCAT;色の見えモデル TP_COLORAPP_MODELCAT_TOOLTIP;色の見えモデルはCIECAM02或いはCIECAM16のどちらかを選択出来ます\n CIECAM02の方がより正確な場合があります\n CIECAM16の方がアーティファクトの発生が少ないでしょう TP_COLORAPP_MODEL_TOOLTIP;ホワイトポイントモデル\n\nWB [RT] + [出力]\:周囲環境のホワイトバランスは、カラータブのホワイトバランスが使われます。CIECAM02/16の光源にはD50が使われ, 出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\nWB [RT+CAT02] + [出力]:カラータブのホワイトバランスがCAT02で使われます。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\n任意の色温度と色偏差 + CAT02 + [出力]:色温度と色偏差はユーザーが設定します。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます TP_COLORAPP_NEUTRAL;リセット -TP_COLORAPP_NEUTRAL_TIP;全てのスライダーチェックボックスとカーブをデフォルトにリセットします +TP_COLORAPP_NEUTRAL_TOOLTIP;全てのスライダーチェックボックスとカーブをデフォルトにリセットします TP_COLORAPP_PRESETCAT02;cat02/16の自動プリセット シンメトリックモード -TP_COLORAPP_PRESETCAT02_TIP;これを有効にすると、CAT02/16のためのスライダー、色温度、色偏差が自動的に設定されます。\n 撮影環境の輝度は変えることが出来ます。\n 必要であれば、CAT02/16の観視環境を変更します。\n 必要に応じて観視環境の色温度、色偏差、を変更します。\n 全ての自動チェックボックスが無効になります。 +TP_COLORAPP_PRESETCAT02_TOOLTIP;これを有効にすると、CAT02/16のためのスライダー、色温度、色偏差が自動的に設定されます。\n 撮影環境の輝度は変えることが出来ます。\n 必要であれば、CAT02/16の観視環境を変更します。\n 必要に応じて観視環境の色温度、色偏差、を変更します。\n 全ての自動チェックボックスが無効になります。 TP_COLORAPP_RSTPRO;レッドと肌色トーンを保護 TP_COLORAPP_RSTPRO_TOOLTIP;レッドと肌色トーンを保護はスライダーとカーブの両方に影響します TP_COLORAPP_SOURCEF_TOOLTIP;撮影条件に合わせて、その条件とデータを通常の範囲に収めます。ここで言う“通常”とは、平均的或いは標準的な条件とデータのことです。例えば、CIECAM02の補正を計算に入れずに収める。 @@ -2323,7 +2323,7 @@ TP_COLORTONING_METHOD;方法 TP_COLORTONING_METHOD_TOOLTIP;L*a*b*モデルのブレンドはカラー補間を使います\nカラーバランスは、シャドウ、ミッドトーン、ハイライトでバランスをとります\nSH+バランスは、ダイレクトカラーを使ってシャドウとハイライトでカラートン調整とバランスを調整します\n全ての方法で白黒変換を有効に出来ます TP_COLORTONING_MIDTONES;中間トーン TP_COLORTONING_NEUTRAL;スライダーをリセット -TP_COLORTONING_NEUTRAL_TIP;スライダーの全ての値(SMH:シャドウ、ミッドトーン、ハイライト)をデフォルトに戻す +TP_COLORTONING_NEUTRAL_TOOLTIP;スライダーの全ての値(SMH:シャドウ、ミッドトーン、ハイライト)をデフォルトに戻す TP_COLORTONING_OPACITY;不透明度: TP_COLORTONING_RGBCURVES;RGB - カーブ TP_COLORTONING_RGBSLIDERS;RGB - スライダー @@ -2440,7 +2440,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;-100 肌色トーンの調整が目的にな TP_DIRPYREQUALIZER_THRESHOLD;しきい値 TP_DIRPYREQUALIZER_TOOLTIP;肌色(色相、色度、明度)と他の色の間の遷移でアーティファクトが発生するのを軽減します TP_DISTORTION_AMOUNT;適用量 -TP_DISTORTION_AUTO_TIP;rawファイルの歪曲収差を、埋め込まれたJPEG画像とカメラによる自動歪曲収差補正と合わせることで自動的に補正します +TP_DISTORTION_AUTO_TOOLTIP;rawファイルの歪曲収差を、埋め込まれたJPEG画像とカメラによる自動歪曲収差補正と合わせることで自動的に補正します TP_DISTORTION_LABEL;歪曲収差補正 TP_EPD_EDGESTOPPING;エッジ停止 TP_EPD_GAMMA;ガンマ @@ -2449,12 +2449,12 @@ TP_EPD_REWEIGHTINGITERATES;再加重反復 TP_EPD_SCALE;スケール TP_EPD_STRENGTH;強さ TP_EXPOSURE_AUTOLEVELS;自動露光補正 -TP_EXPOSURE_AUTOLEVELS_TIP;画像を解析し、露光補正を自動で行います\n必要に応じてハイライト復元を有効にします +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;画像を解析し、露光補正を自動で行います\n必要に応じてハイライト復元を有効にします TP_EXPOSURE_BLACKLEVEL;黒レベル TP_EXPOSURE_BRIGHTNESS;明るさ TP_EXPOSURE_CLAMPOOG;色域から外れた色を切り取る TP_EXPOSURE_CLIP;クリップ % -TP_EXPOSURE_CLIP_TIP;自動露光補正で使う飽和ピクセルの割合 +TP_EXPOSURE_CLIP_TOOLTIP;自動露光補正で使う飽和ピクセルの割合 TP_EXPOSURE_COMPRHIGHLIGHTS;ハイライト圧縮 TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;ハイライト圧縮 しきい値 TP_EXPOSURE_COMPRSHADOWS;シャドウ圧縮 @@ -2657,7 +2657,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;色相に応じた輝度 L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;輝度に応じた輝度 L*a*b* L=f(L) TP_LABCURVE_LABEL;L*a*b* 調整 TP_LABCURVE_LCREDSK;LCの適用をレッドと肌色トーンだけに制限 -TP_LABCURVE_LCREDSK_TIP;有効の場合 LC カーブ(色度に応じた輝度)の適用は、レッドと肌色トーンだけ制限されます\n無効の場合は、すべてのトーンに適用されます +TP_LABCURVE_LCREDSK_TOOLTIP;有効の場合 LC カーブ(色度に応じた輝度)の適用は、レッドと肌色トーンだけ制限されます\n無効の場合は、すべてのトーンに適用されます TP_LABCURVE_RSTPROTECTION;レッドと肌色トーンを保護 TP_LABCURVE_RSTPRO_TOOLTIP;色度スライダーとCCカーブを使用することができます TP_LENSGEOM_AUTOCROP;自動的に切り抜き選択 @@ -3522,7 +3522,7 @@ TP_METADATA_MODE;メタデータ コピーモード TP_METADATA_STRIP;メタデータを全て取り除く TP_METADATA_TUNNEL;変更なしでコピー TP_NEUTRAL;リセット -TP_NEUTRAL_TIP;露光量補正のスライダー値をニュートラルにリセットします。\n自動露光補正の調整値ついても同様にリセットされます +TP_NEUTRAL_TOOLTIP;露光量補正のスライダー値をニュートラルにリセットします。\n自動露光補正の調整値ついても同様にリセットされます TP_PCVIGNETTE_FEATHER;フェザー TP_PCVIGNETTE_FEATHER_TOOLTIP;フェザー: 0=四隅だけ、50=中央までの半分、100=中央まで TP_PCVIGNETTE_LABEL;ビネットフィルター @@ -3747,7 +3747,7 @@ TP_RETINEX_MLABEL;霞のない画像に修復 最小値=%1 最大値=%2 TP_RETINEX_MLABEL_TOOLTIP;修復のためには最低値を0、最大値を32768(対数モード)に近づける必要がありますが、他の数値も使えます。標準化のために、”ゲイン”と”オフセット”を調整します\nブレンドせずに画像を回復します TP_RETINEX_NEIGHBOR;半径 TP_RETINEX_NEUTRAL;リセット -TP_RETINEX_NEUTRAL_TIP;全てのスライダー値とカーブをデフォルトの状態に戻します +TP_RETINEX_NEUTRAL_TOOLTIP;全てのスライダー値とカーブをデフォルトの状態に戻します TP_RETINEX_OFFSET;オフセット TP_RETINEX_SCALES;ガウスフィルタの勾配 TP_RETINEX_SCALES_TOOLTIP;スライダー値が0の場合、同一の作業を繰り返します\n0より大きい値を設定すると、繰り返し作業を増やした時に、スケールと隣接するピクセルに対する作用は減ります。0より小さい場合は、その逆です @@ -3783,7 +3783,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;角度 TP_ROTATE_LABEL;回転 TP_ROTATE_SELECTLINE;直線選択・角度補正ツール -TP_SAVEDIALOG_OK_TIP;ショートカット Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;ショートカット Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;ハイライト TP_SHADOWSHLIGHTS_HLTONALW;ハイライトトーンの幅 TP_SHADOWSHLIGHTS_LABEL;シャドウ/ハイライト diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index de072e25a..672622cd8 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -634,11 +634,11 @@ TP_EPD_REWEIGHTINGITERATES;Újrasúlyozási ismétlések TP_EPD_SCALE;Skála TP_EPD_STRENGTH;Erősség TP_EXPOSURE_AUTOLEVELS;Auto szint -TP_EXPOSURE_AUTOLEVELS_TIP;Az automatikus szintek ki/bekapcsolása, mely a kép elemzése alapján állítja be a paramétereket +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Az automatikus szintek ki/bekapcsolása, mely a kép elemzése alapján állítja be a paramétereket TP_EXPOSURE_BLACKLEVEL;Feketeszint TP_EXPOSURE_BRIGHTNESS;Fényerő TP_EXPOSURE_CLIP;Vágás -TP_EXPOSURE_CLIP_TIP;Automatikus szintek meghatározásához a kiégett pixelek aránya +TP_EXPOSURE_CLIP_TOOLTIP;Automatikus szintek meghatározásához a kiégett pixelek aránya TP_EXPOSURE_COMPRHIGHLIGHTS;Világos tónusok tömörítése TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Csúcsfények helyreállításának küszöbe TP_EXPOSURE_COMPRSHADOWS;Sötét tónusok tömörítése @@ -691,7 +691,7 @@ TP_LABCURVE_LABEL;Lab görbék TP_LENSGEOM_AUTOCROP;Automatikus vágás TP_LENSGEOM_FILL;Automatikus kitöltés TP_LENSGEOM_LABEL;Objektív / Geometria -TP_NEUTRAL_TIP;Expozíciós paraméterek visszaállítása a semleges értékre +TP_NEUTRAL_TOOLTIP;Expozíciós paraméterek visszaállítása a semleges értékre TP_PERSPECTIVE_HORIZONTAL;Vízszintes TP_PERSPECTIVE_LABEL;Perspektíva TP_PERSPECTIVE_VERTICAL;Függőleges @@ -857,7 +857,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !EXPORT_BYPASS_RAW_LMMSE_ITERATIONS;Bypass [raw] LMMSE Enhancement Steps !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !EXTPROGTARGET_1;raw !EXTPROGTARGET_2;queue-processed @@ -1508,7 +1508,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles !PROFILEPANEL_GLOBALPROFILES;Bundled profiles -!PROFILEPANEL_MODE_TIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. +!PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles !PROFILEPANEL_PDYNAMIC;Dynamic !PROFILEPANEL_PINTERNAL;Neutral @@ -1662,7 +1662,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORAPP_MODEL;WP Model !TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SURROUND;Surround @@ -1724,7 +1724,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1812,7 +1812,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_DIRPYREQUALIZER_SKIN;Skin targetting/protection !TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EPD_GAMMA;Gamma !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_CURVEEDITOR1;Tone curve 1 @@ -1909,7 +1909,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) !TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones -!TP_LABCURVE_LCREDSK_TIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. +!TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. !TP_LABCURVE_RSTPROTECTION;Red and skin-tones protection !TP_LABCURVE_RSTPRO_TOOLTIP;Works on the Chromaticity slider and the CC curve. !TP_LENSGEOM_LIN;Linear @@ -2086,7 +2086,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. @@ -2114,7 +2114,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_VIEW_UNSHARP;Unsharp mask !TP_RGBCURVES_LUMAMODE;Luminosity mode !TP_RGBCURVES_LUMAMODE_TOOLTIP;Luminosity mode allows to vary the contribution of R, G and B channels to the luminosity of the image, without altering image color. -!TP_SAVEDIALOG_OK_TIP;Shortcut: Ctrl-Enter +!TP_SAVEDIALOG_OK_TOOLTIP;Shortcut: Ctrl-Enter !TP_SHARPENING_BLUR;Blur radius !TP_SHARPENING_CONTRAST;Contrast threshold !TP_SHARPENING_ITERCHECK;Auto limit iterations diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index cc40e7941..a7623a28b 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -108,7 +108,7 @@ EXPORT_PIPELINE;Verwerken EXPORT_PUTTOQUEUEFAST;Plaats in verwerkingsrij voor Snelle Export EXPORT_RAW_DMETHOD;Demozaïekmethode EXPORT_USE_FAST_PIPELINE;Snel (volledige verwerking op gewijzigd formaat van de afbeelding) -EXPORT_USE_FAST_PIPELINE_TIP;Gebruikt een speciale verwerkingslijn waarbij kwaliteit ten koste gaat van snelheid. Het formaat van de afbeelding wordt zo snel mogelijk gewijzigd, ipv aan het eind van de verwerking. De snelheidswinst is aanzienlijk, maar de kwaliteit van de afbeelding zal minder zijn. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Gebruikt een speciale verwerkingslijn waarbij kwaliteit ten koste gaat van snelheid. Het formaat van de afbeelding wordt zo snel mogelijk gewijzigd, ipv aan het eind van de verwerking. De snelheidswinst is aanzienlijk, maar de kwaliteit van de afbeelding zal minder zijn. EXPORT_USE_NORMAL_PIPELINE;Standaard (wijzigt formaat aan het eind) EXTPROGTARGET_1;raw EXTPROGTARGET_2;verwerkingsrij @@ -1023,7 +1023,7 @@ PROFILEPANEL_GLOBALPROFILES;Gebundelde profielen PROFILEPANEL_LABEL;Profielen PROFILEPANEL_LOADDLGLABEL;Kies profiel... PROFILEPANEL_LOADPPASTE;Te laden parameters -PROFILEPANEL_MODE_TIP;Profiel aanvullen.\n\nKnop ingedrukt: gedeeltelijke profielen worden omgezet naar volledige profielen. De ontbrekende waarden worden vervangen door hard-coded defaults.\n\nKnop neutraal: profielen worden toegepast zo als ze zijn, alleen de aanwezige waarden worden gewijzigd. +PROFILEPANEL_MODE_TOOLTIP;Profiel aanvullen.\n\nKnop ingedrukt: gedeeltelijke profielen worden omgezet naar volledige profielen. De ontbrekende waarden worden vervangen door hard-coded defaults.\n\nKnop neutraal: profielen worden toegepast zo als ze zijn, alleen de aanwezige waarden worden gewijzigd. PROFILEPANEL_MYPROFILES;Mijn profielen PROFILEPANEL_PASTEPPASTE;Te plakken parameters PROFILEPANEL_PCUSTOM;Handmatig @@ -1240,7 +1240,7 @@ TP_COLORTONING_METHOD;Methode TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* menging", "RGB schuifbalk" en "RGB curven" gebruiken interpolatie kleurmenging.\n"Kleurbalans" (Schaduwen/Midden tonen/Hoge lichten) en "Verzadigen 2 kleuren" gebruiken directe kleuren.\nAlle methodes werken ook op Zwart-Wit. TP_COLORTONING_MIDTONES;Midden tonen TP_COLORTONING_NEUTRAL;Terug naar beginstand -TP_COLORTONING_NEUTRAL_TIP;Zet alle waarden (Schaduwen, Midden tonen, Hoge lichten) terug naar default. +TP_COLORTONING_NEUTRAL_TOOLTIP;Zet alle waarden (Schaduwen, Midden tonen, Hoge lichten) terug naar default. TP_COLORTONING_OPACITY;Dekking TP_COLORTONING_RGBCURVES;RGB - Curven TP_COLORTONING_RGBSLIDERS;RGB - Schuifbalken @@ -1346,7 +1346,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Bij -100 huidtinten worden gewijzigd.\nBij 0 all TP_DIRPYREQUALIZER_THRESHOLD;Drempel TP_DIRPYREQUALIZER_TOOLTIP;Probeert artefacten te verminderen die het gevolg zijn van kleurverschuiving van de huidtinten(hue, chroma, luma) en de rest van de afbeelding TP_DISTORTION_AMOUNT;Hoeveelheid -TP_DISTORTION_AUTO_TIP;Corrigeert automatisch lens afwijkingen in raw afbeeldingen op basis van de ingebedde JPEG indien deze is gecorrigeerd door de camera. +TP_DISTORTION_AUTO_TOOLTIP;Corrigeert automatisch lens afwijkingen in raw afbeeldingen op basis van de ingebedde JPEG indien deze is gecorrigeerd door de camera. TP_DISTORTION_LABEL;Corrigeer lensvervorming TP_EPD_EDGESTOPPING;Randen TP_EPD_GAMMA;Gamma @@ -1355,11 +1355,11 @@ TP_EPD_REWEIGHTINGITERATES;Herhaling TP_EPD_SCALE;Schaal TP_EPD_STRENGTH;Sterkte TP_EXPOSURE_AUTOLEVELS;Autom. niveaus -TP_EXPOSURE_AUTOLEVELS_TIP;Activeer automatische niveaus\nActiveer Herstel Hoge lichten indien nodig. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Activeer automatische niveaus\nActiveer Herstel Hoge lichten indien nodig. TP_EXPOSURE_BLACKLEVEL;Schaduwen TP_EXPOSURE_BRIGHTNESS;Helderheid TP_EXPOSURE_CLIP;Clip % -TP_EXPOSURE_CLIP_TIP;Het deel van de pixels dat moet worden hersteld bij gebruik van automatische niveaus. +TP_EXPOSURE_CLIP_TOOLTIP;Het deel van de pixels dat moet worden hersteld bij gebruik van automatische niveaus. TP_EXPOSURE_COMPRHIGHLIGHTS;Hoge lichten Comprimeren TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Drempel Hoge lichten Comprimeren TP_EXPOSURE_COMPRSHADOWS;Schaduwcompressie @@ -1489,7 +1489,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminantie volgens hue L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminantie volgens luminantie L=f(L) TP_LABCURVE_LABEL;Lab TP_LABCURVE_LCREDSK;Beperkt LC tot Rode en Huidtinten -TP_LABCURVE_LCREDSK_TIP;Indien ingeschakeld, beïnvloed de LC Curve alleen rode en huidtinten\nIndien uitgeschakeld, is het van toepassing op all tinten +TP_LABCURVE_LCREDSK_TOOLTIP;Indien ingeschakeld, beïnvloed de LC Curve alleen rode en huidtinten\nIndien uitgeschakeld, is het van toepassing op all tinten TP_LABCURVE_RSTPROTECTION;Rode en huidtinten Bescherming TP_LABCURVE_RSTPRO_TOOLTIP;Kan worden gebruikt met de chromaticiteits schuifbalk en de CC curve. TP_LENSGEOM_AUTOCROP;Automatisch bijsnijden @@ -1497,7 +1497,7 @@ TP_LENSGEOM_FILL;Automatisch uitvullen TP_LENSGEOM_LABEL;Objectief / Geometrie TP_LENSPROFILE_LABEL;Lenscorrectie Profielen TP_NEUTRAL;Terugzetten -TP_NEUTRAL_TIP;Alle belichtingsinstellingen naar 0 +TP_NEUTRAL_TOOLTIP;Alle belichtingsinstellingen naar 0 TP_PCVIGNETTE_FEATHER;Straal TP_PCVIGNETTE_FEATHER_TOOLTIP;Straal: \n0=alleen hoeken \n50=halverwege tot het centrum \n100=tot aan het centrum TP_PCVIGNETTE_LABEL;Vignettering Filter @@ -1647,7 +1647,7 @@ TP_RETINEX_MLABEL;Teruggeplaatst sluier-vrij Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Zou min=0 en max=32768 moeten benaderen\nTeruggeplaatste afbeelding zonder mixture. TP_RETINEX_NEIGHBOR;Naburige pixels TP_RETINEX_NEUTRAL;Beginwaarde -TP_RETINEX_NEUTRAL_TIP;Zet alles terug naar de beginwaarde. +TP_RETINEX_NEUTRAL_TOOLTIP;Zet alles terug naar de beginwaarde. TP_RETINEX_OFFSET;Beginpunt TP_RETINEX_SCALES;Gaussiaans verloop TP_RETINEX_SCALES_TOOLTIP;Indien schuifbalk=0: alle herhalingen zijn gelijk.\nIndien > 0 Schaal en straal worden verkleind als herhaling toeneemt, en omgekeerd. @@ -1683,7 +1683,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Graden TP_ROTATE_LABEL;Roteren TP_ROTATE_SELECTLINE;Bepaal rechte lijn -TP_SAVEDIALOG_OK_TIP;Sneltoets: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Sneltoets: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Hoge lichten TP_SHADOWSHLIGHTS_HLTONALW;Toonomvang TP_SHADOWSHLIGHTS_LABEL;Schaduwen/hoge lichten @@ -2209,7 +2209,7 @@ TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bij manuele aanpassing worden waardon boven TP_COLORAPP_FREE;Vrije temp+groen + CAT02 + [uitvoer] TP_COLORAPP_MEANLUMINANCE;Gemiddelde luminantie (Yb%) TP_COLORAPP_NEUTRAL;Terugzetten -TP_COLORAPP_NEUTRAL_TIP;Zet alle regelaars, vinkjes en curves terug naar hun standaardwaarde +TP_COLORAPP_NEUTRAL_TOOLTIP;Zet alle regelaars, vinkjes en curves terug naar hun standaardwaarde TP_COLORAPP_TEMP_TOOLTIP;Zet altijd Tint=1 om een lichtbron te selecteren.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 TP_COLORTONING_LABGRID;L*a*b* kleurcorrectie raster TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index 2558178c0..ccebfaa46 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -1044,7 +1044,7 @@ PROFILEPANEL_GLOBALPROFILES;Załączone profile przetwarzania PROFILEPANEL_LABEL;Profil przetwarzania PROFILEPANEL_LOADDLGLABEL;Wczytaj profil przetwarzania końcowego... PROFILEPANEL_LOADPPASTE;Parametry do załadowania -PROFILEPANEL_MODE_TIP;Tryb wypełnienia parametrów przetwarzania.\n\nWduszone: częściowe profile zostaną przetworzone w profile pełne; brakujące wartości zostana wypełnione domyślnymi, zakodowanymi w silniku RawTherapee.\n\nWyłączone: profile zostaną zastosowane takie, jakie są, zmieniając tylko te wartości, które zawierają. +PROFILEPANEL_MODE_TOOLTIP;Tryb wypełnienia parametrów przetwarzania.\n\nWduszone: częściowe profile zostaną przetworzone w profile pełne; brakujące wartości zostana wypełnione domyślnymi, zakodowanymi w silniku RawTherapee.\n\nWyłączone: profile zostaną zastosowane takie, jakie są, zmieniając tylko te wartości, które zawierają. PROFILEPANEL_MYPROFILES;Moje profile przetwarzania PROFILEPANEL_PASTEPPASTE;Parametry do wklejenia PROFILEPANEL_PCUSTOM;Własny @@ -1242,7 +1242,7 @@ TP_COLORAPP_LIGHT_TOOLTIP;Światłość w CIECAM02 różni się od światłości TP_COLORAPP_MODEL;Model PB TP_COLORAPP_MODEL_TOOLTIP;Model punktu bieli.\n\nBB [RT] + [wyjściowy]:\nBalans bieli RawTherapee jest użyty dla sceny, CIECAM02 jest ustawione na D50, i balans bieli urządzenia wyjściowego ustawiony jest w Ustawieniach > Zarządzanie Kolorami\n\nBB [RT+CAT02] + [wyjściowe]:\nUstawienia balansu bieli RawTherapee są używane przez CAT02, i balans bieli urządzenia wyjściowego jest ustawione w Ustawieniach > Zarządzanie Kolorami. TP_COLORAPP_NEUTRAL;Reset -TP_COLORAPP_NEUTRAL_TIP;Przywróć wszystkie suwaki oraz krzywe do wartości domyślnych +TP_COLORAPP_NEUTRAL_TOOLTIP;Przywróć wszystkie suwaki oraz krzywe do wartości domyślnych TP_COLORAPP_RSTPRO;Ochrona odcieni skóry i czerwieni TP_COLORAPP_RSTPRO_TOOLTIP;Ochrona odcieni skóry i czerwieni (suwaki i krzywe) TP_COLORAPP_SURROUND;Otoczenie @@ -1298,7 +1298,7 @@ TP_COLORTONING_METHOD;Metoda TP_COLORTONING_METHOD_TOOLTIP;"Mieszanie L*a*b*", "Suwaki RGB" oraz "Krzywe RGB" stosują interpolację do mieszania kolorów.\n"Balansowanie kolorów (cienie, półcienie, podświetlenia)" oraz "Nasycenie - Dwa Kolory" stosują kolory bezpośrednio.\n\nNarzędzie "Czarno-białe" można używac jednocześnie z narzędziem "Koloryzacji", co umożliwi tonowanie zdjęcia. TP_COLORTONING_MIDTONES;Półcienie TP_COLORTONING_NEUTRAL;Zresetuj suwaki -TP_COLORTONING_NEUTRAL_TIP;Zresetuj wszystkie wartości (cienie, półcienie, podświetlenia) na domyślne. +TP_COLORTONING_NEUTRAL_TOOLTIP;Zresetuj wszystkie wartości (cienie, półcienie, podświetlenia) na domyślne. TP_COLORTONING_OPACITY;Przezroczystość TP_COLORTONING_RGBCURVES;RGB - Krzywe TP_COLORTONING_RGBSLIDERS;RGB - Suwaki @@ -1406,12 +1406,12 @@ TP_EPD_REWEIGHTINGITERATES;Powtarzanie rozważania TP_EPD_SCALE;Skala TP_EPD_STRENGTH;Siła TP_EXPOSURE_AUTOLEVELS;Wyrównaj poziomy -TP_EXPOSURE_AUTOLEVELS_TIP;Dokonaj automatycznego ustawienia parametrów ekspozycji na podstawie analizy obrazu +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Dokonaj automatycznego ustawienia parametrów ekspozycji na podstawie analizy obrazu TP_EXPOSURE_BLACKLEVEL;Czerń TP_EXPOSURE_BRIGHTNESS;Jasność TP_EXPOSURE_CLAMPOOG;Przytnij kolory spoza gamy kolorów TP_EXPOSURE_CLIP;Przytnij % -TP_EXPOSURE_CLIP_TIP;Ułamek pikseli ktore mają zostać rozjaśnione do punktu prześwietlenia podczas automatycznego wyrównania poziomów. +TP_EXPOSURE_CLIP_TOOLTIP;Ułamek pikseli ktore mają zostać rozjaśnione do punktu prześwietlenia podczas automatycznego wyrównania poziomów. TP_EXPOSURE_COMPRHIGHLIGHTS;Kompresja podświetleń TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Próg kompresji podświetleń TP_EXPOSURE_COMPRSHADOWS;Kompresja cieni @@ -1541,7 +1541,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance według odcieni (hue) L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminancja według luminancji L=f(L) TP_LABCURVE_LABEL;Regulacja L*a*b* TP_LABCURVE_LCREDSK;Ogranicz LC do odcieni skóry oraz czerwieni -TP_LABCURVE_LCREDSK_TIP;Kiedy opcja jest włączona, wpływ krzywej LC (Luminancja według chromatyczności) jest ograniczony do odcieni skóry oraz czerwieni.\nKiedy opcja jest wyłączona, krzywa LC wpływa na wszystkie barwy. +TP_LABCURVE_LCREDSK_TOOLTIP;Kiedy opcja jest włączona, wpływ krzywej LC (Luminancja według chromatyczności) jest ograniczony do odcieni skóry oraz czerwieni.\nKiedy opcja jest wyłączona, krzywa LC wpływa na wszystkie barwy. TP_LABCURVE_RSTPROTECTION;Ochrona skóry oraz czerwieni TP_LABCURVE_RSTPRO_TOOLTIP;Ma wpływ na suwak Chromatyczności oraz na krzywą CC. TP_LENSGEOM_AUTOCROP;Auto-kadrowanie @@ -1568,7 +1568,7 @@ TP_METADATA_MODE;Tryb kopiowania metadanych TP_METADATA_STRIP;Usuń wszystkie metadane TP_METADATA_TUNNEL;Kopiuj niezmienione TP_NEUTRAL;Reset -TP_NEUTRAL_TIP;Zresetuj ustawienia do wartości neutralnych.\nDziała na tych samych suwakach na których funkcja "Wyrównaj poziomy" działa, niezależnie od tego czy funkcja ta była użyta czy nie. +TP_NEUTRAL_TOOLTIP;Zresetuj ustawienia do wartości neutralnych.\nDziała na tych samych suwakach na których funkcja "Wyrównaj poziomy" działa, niezależnie od tego czy funkcja ta była użyta czy nie. TP_PCVIGNETTE_FEATHER;Wtapianie TP_PCVIGNETTE_FEATHER_TOOLTIP;Wtapianie:\n0 = tylko brzegi,\n50 = w pół drogi do środka,\n100 = aż do środka. TP_PCVIGNETTE_LABEL;Winietowanie @@ -1728,7 +1728,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Stopnie TP_ROTATE_LABEL;Obrót TP_ROTATE_SELECTLINE;Wyprostuj obraz -TP_SAVEDIALOG_OK_TIP;Skrót: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Skrót: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Podświetlenia TP_SHADOWSHLIGHTS_HLTONALW;Szerokość tonalna TP_SHADOWSHLIGHTS_LABEL;Cienie/Podświetlenia @@ -1957,7 +1957,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !EXPORT_BYPASS_EQUALIZER;Bypass Wavelet Levels !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? @@ -2172,7 +2172,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. !TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Apply a median filter of the desired window size. The larger the window's size, the longer it takes.\n\n3×3 soft: treats 5 pixels in a 3×3 pixel window.\n3×3: treats 9 pixels in a 3×3 pixel window.\n5×5 soft: treats 13 pixels in a 5×5 pixel window.\n5×5: treats 25 pixels in a 5×5 pixel window.\n7×7: treats 49 pixels in a 7×7 pixel window.\n9×9: treats 81 pixels in a 9×9 pixel window.\n\nSometimes it is possible to achieve higher quality running several iterations with a smaller window size than one iteration with a larger one. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. !TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) @@ -2234,7 +2234,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. !TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. !TP_RETINEX_SLOPE;Free gamma slope diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index 4e8ac2d49..fa01b5a2b 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -102,7 +102,7 @@ EXPORT_PIPELINE;Preparação do processamento EXPORT_PUTTOQUEUEFAST; Colocar na fila para exportação rápida EXPORT_RAW_DMETHOD;Método de desmatrização EXPORT_USE_FAST_PIPELINE;Dedicado (processamento completo na imagem redimensionada) -EXPORT_USE_FAST_PIPELINE_TIP;Usar uma preparação de processamento dedicado para imagens no modo de exportação rápida, que troca velocidade pela qualidade. O redimensionamento da imagem é feito o mais cedo possível, em vez de fazê-lo no fim, como na preparação normal. O aumento de velocidade pode ser significativo, mas esteja preparado para ver artefactos e uma degradação geral da qualidade de saída. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Usar uma preparação de processamento dedicado para imagens no modo de exportação rápida, que troca velocidade pela qualidade. O redimensionamento da imagem é feito o mais cedo possível, em vez de fazê-lo no fim, como na preparação normal. O aumento de velocidade pode ser significativo, mas esteja preparado para ver artefactos e uma degradação geral da qualidade de saída. EXPORT_USE_NORMAL_PIPELINE;Padrão (ignorar algumas etapas, redimensionar no fim) EXTPROGTARGET_1;raw EXTPROGTARGET_2;processado na fila @@ -1202,7 +1202,7 @@ PROFILEPANEL_GLOBALPROFILES;Perfis incluídos PROFILEPANEL_LABEL;Perfis de processamento PROFILEPANEL_LOADDLGLABEL;Carregar parâmetros de processamento... PROFILEPANEL_LOADPPASTE;Parâmetros a carregar -PROFILEPANEL_MODE_TIP;Modo de preenchimento do perfil de processamento.\n\nBotão pressionado: os perfis parciais serão convertidos em perfis completos; os valores que faltam serão substituídos pelos padrões codificados.\n\nBotão largado: os perfis serão aplicados como estão, alterando apenas os valores que eles contêm. +PROFILEPANEL_MODE_TOOLTIP;Modo de preenchimento do perfil de processamento.\n\nBotão pressionado: os perfis parciais serão convertidos em perfis completos; os valores que faltam serão substituídos pelos padrões codificados.\n\nBotão largado: os perfis serão aplicados como estão, alterando apenas os valores que eles contêm. PROFILEPANEL_MYPROFILES;Meus perfis PROFILEPANEL_PASTEPPASTE;Parâmetros a colar PROFILEPANEL_PCUSTOM;Personalizado @@ -1402,7 +1402,7 @@ TP_COLORAPP_MEANLUMINANCE;Luminância média (Yb%) TP_COLORAPP_MODEL;Modelo de ponto branco TP_COLORAPP_MODEL_TOOLTIP;Modelo de ponto branco.\n\nBalanço brancos [RT] + [saída]: o balanço de brancos do RT é usado para a cena, o CIECAM02 está definido para D50 e o balanço de brancos do dispositivo de saída é definido em condições de visualização.\n\nBalanço brancos [RT+CAT02] + [saída]: as configurações de balanço de brancos do RT são usadas pelo CAT02 e o balanço de brancos do dispositivo de saída é definido em condições de visualização.\n\nTemp+verde livre + CAT02 + [saída]: temp e verde são selecionados pelo utilizador, o balanço de brancos do dispositivo de saída é definido em condições de visualização. TP_COLORAPP_NEUTRAL;Repor -TP_COLORAPP_NEUTRAL_TIP;Repor todas as caixas de seleção dos controlos deslizantes e as curvas para os seus valores padrão +TP_COLORAPP_NEUTRAL_TOOLTIP;Repor todas as caixas de seleção dos controlos deslizantes e as curvas para os seus valores padrão TP_COLORAPP_RSTPRO;Proteção do vermelho e cor da pele TP_COLORAPP_RSTPRO_TOOLTIP;Vermelho e proteção de cor da pele afeta os controlos deslizantes e as curvas. TP_COLORAPP_SURROUND;Ambiente @@ -1464,7 +1464,7 @@ TP_COLORTONING_METHOD;Método TP_COLORTONING_METHOD_TOOLTIP;"Mistura L*a*b*", "Controlos deslizantes RGB" e "Curvas RGB" usam mistura de cores interpoladas.\n"Balanço de cor (sombras/meios tons/altas luzes)" e "Saturação 2 cores" usa cores diretas.\n\nA ferramenta preto e branco pode ser ativada ao usar qualquer método, o que permite a tonificação de cores. TP_COLORTONING_MIDTONES;Meios tons TP_COLORTONING_NEUTRAL;Repor os controlos deslizantes -TP_COLORTONING_NEUTRAL_TIP;Repor todos os valores padrão (sombras, meios tons, altas luzes). +TP_COLORTONING_NEUTRAL_TOOLTIP;Repor todos os valores padrão (sombras, meios tons, altas luzes). TP_COLORTONING_OPACITY;Opacidade TP_COLORTONING_RGBCURVES;RGB - Curvas TP_COLORTONING_RGBSLIDERS;RGB - Controlos deslizantes @@ -1578,7 +1578,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Com -100 afeta as cores da pele.\nCom 0 todos os TP_DIRPYREQUALIZER_THRESHOLD;Limite TP_DIRPYREQUALIZER_TOOLTIP;Tenta reduzir os artefactos nas transições entre as cores da pele (matiz, croma, luminância) e o resto da imagem. TP_DISTORTION_AMOUNT;Quantidade -TP_DISTORTION_AUTO_TIP;Corrige automaticamente a distorção da lente em ficheiros RAW, combinando-a com a imagem JPEG incorporada, caso exista, e tenha sua distorção de lente corrigida automaticamente pela câmara. +TP_DISTORTION_AUTO_TOOLTIP;Corrige automaticamente a distorção da lente em ficheiros RAW, combinando-a com a imagem JPEG incorporada, caso exista, e tenha sua distorção de lente corrigida automaticamente pela câmara. TP_DISTORTION_LABEL;Correção de distorção TP_EPD_EDGESTOPPING;Paragem nas bordas TP_EPD_GAMMA;Gama @@ -1587,12 +1587,12 @@ TP_EPD_REWEIGHTINGITERATES;Reponderando iterações TP_EPD_SCALE;Escala TP_EPD_STRENGTH;Intensidade TP_EXPOSURE_AUTOLEVELS;Níveis automáticos -TP_EXPOSURE_AUTOLEVELS_TIP;Alterna a execução dos níveis automáticos para definir automaticamente os valores do controlo deslizante da exposição baseado numa análise de imagem.\nAtiva a reconstrução das altas luzes se necessário. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Alterna a execução dos níveis automáticos para definir automaticamente os valores do controlo deslizante da exposição baseado numa análise de imagem.\nAtiva a reconstrução das altas luzes se necessário. TP_EXPOSURE_BLACKLEVEL;Preto TP_EXPOSURE_BRIGHTNESS;Claridade TP_EXPOSURE_CLAMPOOG;Cortar cores fora da gama TP_EXPOSURE_CLIP;% de corte -TP_EXPOSURE_CLIP_TIP;A fração de píxeis a ser cortada na operação níveis automáticos. +TP_EXPOSURE_CLIP_TOOLTIP;A fração de píxeis a ser cortada na operação níveis automáticos. TP_EXPOSURE_COMPRHIGHLIGHTS;Compressão das altas luzes TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Limite de compressão de altas luzes TP_EXPOSURE_COMPRSHADOWS;Compressão das sombras @@ -1729,7 +1729,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminância de acordo com a matiz L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminância de acordo com a luminância L=f(L) TP_LABCURVE_LABEL;Ajustes L*a*b* TP_LABCURVE_LCREDSK;Restringir o LC aos tons vermelhos e cor da pele -TP_LABCURVE_LCREDSK_TIP;Se ativada, a curva LC afeta apenas os tons vermelhos e tons de pele.\nSe desativado, aplica-se a todos os tons. +TP_LABCURVE_LCREDSK_TOOLTIP;Se ativada, a curva LC afeta apenas os tons vermelhos e tons de pele.\nSe desativado, aplica-se a todos os tons. TP_LABCURVE_RSTPROTECTION;Proteção de tons vermelhos e tons de pele TP_LABCURVE_RSTPRO_TOOLTIP;Funciona no controlo deslizante de cromaticidade e na curva CC. TP_LENSGEOM_AUTOCROP;Recorte automático @@ -1750,7 +1750,7 @@ TP_METADATA_MODE;Modo de cópia de metadados TP_METADATA_STRIP;Remover todos os metadados TP_METADATA_TUNNEL;Copiar inalterado TP_NEUTRAL;Repor -TP_NEUTRAL_TIP;Repor os controlos deslizantes de exposição para valores neutros.\nAplica-se aos mesmos controlos aplicados aos níveis automáticos, independentemente se usa os níveis automáticos ou não. +TP_NEUTRAL_TOOLTIP;Repor os controlos deslizantes de exposição para valores neutros.\nAplica-se aos mesmos controlos aplicados aos níveis automáticos, independentemente se usa os níveis automáticos ou não. TP_PCVIGNETTE_FEATHER;Difusão TP_PCVIGNETTE_FEATHER_TOOLTIP;Difusão:\n0 = apenas cantos,\n50 = a meio caminho do centro,\n100 = para o centro. TP_PCVIGNETTE_LABEL;Filtro de vinhetagem @@ -1932,7 +1932,7 @@ TP_RETINEX_MLABEL;Restaurado sem névoa mín=%1 máx=%2 TP_RETINEX_MLABEL_TOOLTIP;Deve estar perto de mín=0 máx=32768\nImagem restaurada sem mistura. TP_RETINEX_NEIGHBOR;Raio TP_RETINEX_NEUTRAL;Repor -TP_RETINEX_NEUTRAL_TIP;Repõe todos os controlos deslizantes e curvas nos seus valores padrão. +TP_RETINEX_NEUTRAL_TOOLTIP;Repõe todos os controlos deslizantes e curvas nos seus valores padrão. TP_RETINEX_OFFSET;Deslocamento (brilho) TP_RETINEX_SCALES;Gradiente gaussiano TP_RETINEX_SCALES_TOOLTIP;Se o controlo deslizante for 0, todas as iterações serão idênticas.\nSe > 0 a escala e raio são reduzidos quando as iterações aumentam e inversamente. @@ -1968,7 +1968,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Graus TP_ROTATE_LABEL;Rodar TP_ROTATE_SELECTLINE;Desenhar linha vertical -TP_SAVEDIALOG_OK_TIP;Atalho: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Atalho: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Altas luzes TP_SHADOWSHLIGHTS_HLTONALW;Largura tonal das altas luzes TP_SHADOWSHLIGHTS_LABEL;Sombras/altas luzes diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index 464734481..e8d7f0ed1 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -102,7 +102,7 @@ EXPORT_PIPELINE;Processamento pipeline EXPORT_PUTTOQUEUEFAST; Coloque na fila para exportação rápida EXPORT_RAW_DMETHOD;Método Demosaico EXPORT_USE_FAST_PIPELINE;Dedicado (processamento completo na imagem redimensionada) -EXPORT_USE_FAST_PIPELINE_TIP;Use um processamento dedicado pipeline para imagens no modo de Exportação Rápida, que troca velocidade por qualidade. O redimensionamento da imagem é feito o mais cedo possível, em vez de fazê-lo no final, como no pipeline normal. O aumento de velocidade pode ser significativo, mas esteja preparado para ver artefatos e uma degradação geral da qualidade de saída. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use um processamento dedicado pipeline para imagens no modo de Exportação Rápida, que troca velocidade por qualidade. O redimensionamento da imagem é feito o mais cedo possível, em vez de fazê-lo no final, como no pipeline normal. O aumento de velocidade pode ser significativo, mas esteja preparado para ver artefatos e uma degradação geral da qualidade de saída. EXPORT_USE_NORMAL_PIPELINE;Padrão (ignorar algumas etapas, redimensionar no final) EXTPROGTARGET_1;raw EXTPROGTARGET_2;processado em fila @@ -1209,7 +1209,7 @@ PROFILEPANEL_GLOBALPROFILES;Perfis agrupados PROFILEPANEL_LABEL;Perfis de Processamento PROFILEPANEL_LOADDLGLABEL;Carregar Parâmetros de Processamento... PROFILEPANEL_LOADPPASTE;Parâmetros para carregar -PROFILEPANEL_MODE_TIP;Modo de preenchimento do perfil de processamento.\n\nBotão pressionado: perfis parciais serão convertidos em perfis completos; os valores ausentes serão substituídos por padrões codificados.\n\nBotão liberado: os perfis serão aplicados como estão, alterando apenas os valores que eles contêm. +PROFILEPANEL_MODE_TOOLTIP;Modo de preenchimento do perfil de processamento.\n\nBotão pressionado: perfis parciais serão convertidos em perfis completos; os valores ausentes serão substituídos por padrões codificados.\n\nBotão liberado: os perfis serão aplicados como estão, alterando apenas os valores que eles contêm. PROFILEPANEL_MYPROFILES;Meus perfis PROFILEPANEL_PASTEPPASTE;Parâmetros para colar PROFILEPANEL_PCUSTOM;Personalizado @@ -1413,7 +1413,7 @@ TP_COLORAPP_MEANLUMINANCE;Luminância média (Yb%) TP_COLORAPP_MODEL;Modelo de Ponto Branco TP_COLORAPP_MODEL_TOOLTIP;Modelo de Ponto Branco.\n\nWB [RT] + [saída]: O balanço de branco do RT é usado para a cena, CIECAM02 está definido para D50, e o balanço de branco do dispositivo de saída é definido em Condições de Visualização.\n\nWB [RT+CAT02] + [saída]: As configurações de balanço de branco do RT são usadas pelo CAT02 e o balanço de branco do dispositivo de saída é definido em Condições de Visualização.\n\nTemp+verde livre + CAT02 + [saída]: temp e verde são selecionados pelo usuário, o balanço de branco do dispositivo de saída é definido em Condições de Visualização. TP_COLORAPP_NEUTRAL;Restaurar -TP_COLORAPP_NEUTRAL_TIP;Restaurar todas as caixas de seleção e curvas dos controles deslizantes para seus valores padrão +TP_COLORAPP_NEUTRAL_TOOLTIP;Restaurar todas as caixas de seleção e curvas dos controles deslizantes para seus valores padrão TP_COLORAPP_RSTPRO;Proteção vermelho e de tons de pele TP_COLORAPP_RSTPRO_TOOLTIP;Vermelho & proteção de tons de pele afeta os controles deslizantes e as curvas. TP_COLORAPP_SURROUND;Ambiente @@ -1473,7 +1473,7 @@ TP_COLORTONING_METHOD;Método TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* mistura", "Controles deslizantes RGB" e "Curvas RGB" usar mistura de cores interpoladas.\n"Balanço de Cor (Sombras/Meios tons/Realces)" e "Saturação 2 cores" use cores diretas.\n\nA ferramenta Preto-e-Branco pode ser ativada ao usar qualquer método, que permita a tonificação de cores. TP_COLORTONING_MIDTONES;Meios tons TP_COLORTONING_NEUTRAL;Restaurar controles deslizantes -TP_COLORTONING_NEUTRAL_TIP;Restaurar todos os valores (Sombras, Meios tons, Realces) para o padrão. +TP_COLORTONING_NEUTRAL_TOOLTIP;Restaurar todos os valores (Sombras, Meios tons, Realces) para o padrão. TP_COLORTONING_OPACITY;Opacidade TP_COLORTONING_RGBCURVES;RGB - Curvas TP_COLORTONING_RGBSLIDERS;RGB - Controles deslizantes @@ -1587,7 +1587,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;São segmentados em -100 tons de pele.\nEm 0 tod TP_DIRPYREQUALIZER_THRESHOLD;Limite TP_DIRPYREQUALIZER_TOOLTIP;Tenta reduzir artefatos nas transições entre as cores da pele (matiz, croma, luma) e o restante da imagem. TP_DISTORTION_AMOUNT;Montante -TP_DISTORTION_AUTO_TIP;Corrige automaticamente a distorção da lente em arquivos RAW, combinando-a com a imagem JPEG incorporada, caso exista, e tenha sua distorção de lente corrigida automaticamente pela câmera. +TP_DISTORTION_AUTO_TOOLTIP;Corrige automaticamente a distorção da lente em arquivos RAW, combinando-a com a imagem JPEG incorporada, caso exista, e tenha sua distorção de lente corrigida automaticamente pela câmera. TP_DISTORTION_LABEL;Correção de Distorção TP_EPD_EDGESTOPPING;Borda parando TP_EPD_GAMMA;Gama @@ -1596,12 +1596,12 @@ TP_EPD_REWEIGHTINGITERATES;Reponderando iterações TP_EPD_SCALE;Escala TP_EPD_STRENGTH;Intensidade TP_EXPOSURE_AUTOLEVELS;Níveis Automáticos -TP_EXPOSURE_AUTOLEVELS_TIP;Alterna a execução dos Níveis Automáticos para definir automaticamente os valores do controle deslizante de Exposição baseado numa análise de imagem.\nHabilita a Reconstrução de Realce se necessário. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Alterna a execução dos Níveis Automáticos para definir automaticamente os valores do controle deslizante de Exposição baseado numa análise de imagem.\nHabilita a Reconstrução de Realce se necessário. TP_EXPOSURE_BLACKLEVEL;Preto TP_EXPOSURE_BRIGHTNESS;Claridade TP_EXPOSURE_CLAMPOOG;Recortar cores fora da gama TP_EXPOSURE_CLIP;Recortar % -TP_EXPOSURE_CLIP_TIP;A fração de píxeis a ser recortada na operação Níveis Automáticos. +TP_EXPOSURE_CLIP_TOOLTIP;A fração de píxeis a ser recortada na operação Níveis Automáticos. TP_EXPOSURE_COMPRHIGHLIGHTS;Compressão de realce TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Limite de compressão de realce TP_EXPOSURE_COMPRSHADOWS;Compressão de sombra @@ -1741,7 +1741,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminância de acordo com a matiz L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminância de acordo com a luminância L=f(L) TP_LABCURVE_LABEL;L*a*b* Ajustes TP_LABCURVE_LCREDSK;Restringir o LC aos tons vermelho e cor de pele -TP_LABCURVE_LCREDSK_TIP;Se ativada, a curva LC afeta somente tons vermelhos e cor de pele.\nSe desativado, aplica-se a todos os tons. +TP_LABCURVE_LCREDSK_TOOLTIP;Se ativada, a curva LC afeta somente tons vermelhos e cor de pele.\nSe desativado, aplica-se a todos os tons. TP_LABCURVE_RSTPROTECTION;Proteção para tons vermelho e cor de pele TP_LABCURVE_RSTPRO_TOOLTIP;Funciona no controle deslizante de cromaticidade e na curva CC. TP_LENSGEOM_AUTOCROP;Corte automático @@ -1765,7 +1765,7 @@ TP_METADATA_MODE;Modo de cópia de metadados TP_METADATA_STRIP;Remover todos os metadados TP_METADATA_TUNNEL;Copiar inalterado TP_NEUTRAL;Restaurar -TP_NEUTRAL_TIP;Restaurar os controles deslizantes de exposição para valores neutros.\nAplica-se aos mesmos controles aplicados aos Níveis Automáticos, independentemente da utilização dos Níveis Automáticos. +TP_NEUTRAL_TOOLTIP;Restaurar os controles deslizantes de exposição para valores neutros.\nAplica-se aos mesmos controles aplicados aos Níveis Automáticos, independentemente da utilização dos Níveis Automáticos. TP_PCVIGNETTE_FEATHER;Difusão TP_PCVIGNETTE_FEATHER_TOOLTIP;Difundindo:\n0 = apenas cantos,\n50 = a meio caminho do centro,\n100 = para centrar. TP_PCVIGNETTE_LABEL;Filtro de Vinheta @@ -1944,7 +1944,7 @@ TP_RETINEX_MLABEL;Restaurado sem névoa Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Deve estar perto min=0 max=32768\nImagem restaurada sem mistura. TP_RETINEX_NEIGHBOR;Raio TP_RETINEX_NEUTRAL;Restaurar -TP_RETINEX_NEUTRAL_TIP;Restaura todos os controles deslizantes e curvas para seus valores padrão. +TP_RETINEX_NEUTRAL_TOOLTIP;Restaura todos os controles deslizantes e curvas para seus valores padrão. TP_RETINEX_OFFSET;Compensação (brilho) TP_RETINEX_SCALES;Gradiente gaussiano TP_RETINEX_SCALES_TOOLTIP;Se o controle deslizante for 0, todas as iterações serão idênticas.\nSe > 0 Escala e raio são reduzidos quando as iterações aumentam e inversamente. @@ -1980,7 +1980,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Graus TP_ROTATE_LABEL;Girar TP_ROTATE_SELECTLINE;Selecione Linha Reta -TP_SAVEDIALOG_OK_TIP;Atalho: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Atalho: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Realces TP_SHADOWSHLIGHTS_HLTONALW;Largura tonal dos realces TP_SHADOWSHLIGHTS_LABEL;Sombras/Realces diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index fbfd086a3..d2067d161 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -845,7 +845,7 @@ PROFILEPANEL_GLOBALPROFILES;Предустановленные профили PROFILEPANEL_LABEL;Профиль обработки PROFILEPANEL_LOADDLGLABEL;Загрузить профиль обработки... PROFILEPANEL_LOADPPASTE;Параметры для загрузки -PROFILEPANEL_MODE_TIP;Режим применения профиля\n\nКнопка зажата: Частичные профили будут сконвертированы в полные профили, отсутствующие значения заменятся на значения по умолчанию.\n\nКнопка отжата: Профили будут применяться как они есть, изменяя только те параметры, которые в них прописаны. +PROFILEPANEL_MODE_TOOLTIP;Режим применения профиля\n\nКнопка зажата: Частичные профили будут сконвертированы в полные профили, отсутствующие значения заменятся на значения по умолчанию.\n\nКнопка отжата: Профили будут применяться как они есть, изменяя только те параметры, которые в них прописаны. PROFILEPANEL_MYPROFILES;Мои профили PROFILEPANEL_PASTEPPASTE;Параметры для вставки PROFILEPANEL_PCUSTOM;Пользовательский @@ -1091,12 +1091,12 @@ TP_EPD_REWEIGHTINGITERATES;Перевзвешивание проходов TP_EPD_SCALE;Масштаб TP_EPD_STRENGTH;Интенсивность TP_EXPOSURE_AUTOLEVELS;Автоуровни -TP_EXPOSURE_AUTOLEVELS_TIP;Переключение выполнения автоуровней для автоматической установки параметров экспозиции на основе анализа изображения +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Переключение выполнения автоуровней для автоматической установки параметров экспозиции на основе анализа изображения TP_EXPOSURE_BLACKLEVEL;Уровень чёрного TP_EXPOSURE_BRIGHTNESS;Яркость TP_EXPOSURE_CLAMPOOG;Обрезать цвета за пределами охвата TP_EXPOSURE_CLIP;Ограничить -TP_EXPOSURE_CLIP_TIP;Часть пикселей, обрезаемая операцией автоматических уровней +TP_EXPOSURE_CLIP_TOOLTIP;Часть пикселей, обрезаемая операцией автоматических уровней TP_EXPOSURE_COMPRHIGHLIGHTS;Сжатие светов TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Порог восстановления светов TP_EXPOSURE_COMPRSHADOWS;Сжатие теней @@ -1211,7 +1211,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Яркость в соответствии с TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Яркость в соответствии с яркостью.\nL=f(L) TP_LABCURVE_LABEL;Кривые L*a*b* TP_LABCURVE_LCREDSK;Ограничить применение кривой ЯЦ -TP_LABCURVE_LCREDSK_TIP;Если включено, то кривая яркости от цвета применится лишь для тонов кожи и красных оттенков.\nИначе применится для всех тонов +TP_LABCURVE_LCREDSK_TOOLTIP;Если включено, то кривая яркости от цвета применится лишь для тонов кожи и красных оттенков.\nИначе применится для всех тонов TP_LABCURVE_RSTPROTECTION;Защита красного и тонов кожи TP_LABCURVE_RSTPRO_TOOLTIP;Защита красных тонов и оттенков кожи\nМожно использовать вместе со слайдером Цветность и кривой ЦЦ. TP_LENSGEOM_AUTOCROP;Автокадрирование @@ -1232,7 +1232,7 @@ TP_METADATA_MODE;Режим копирования метаданных TP_METADATA_STRIP;Удалить всё TP_METADATA_TUNNEL;Скопировать неизменённо TP_NEUTRAL;Сбросить -TP_NEUTRAL_TIP;Сбросить настройки выдержки на средние значения +TP_NEUTRAL_TOOLTIP;Сбросить настройки выдержки на средние значения TP_PCVIGNETTE_FEATHER;Размытие TP_PCVIGNETTE_FEATHER_TOOLTIP;Размытие:\n0=только углы, 50=наполовину к центру, 100=к центру. TP_PCVIGNETTE_LABEL;Фильтр виньетирования @@ -1326,7 +1326,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Угол TP_ROTATE_LABEL;Поворот TP_ROTATE_SELECTLINE;Выбрать прямую линию -TP_SAVEDIALOG_OK_TIP;Горячая клавиша Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Горячая клавиша Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Света TP_SHADOWSHLIGHTS_HLTONALW;Уровень TP_SHADOWSHLIGHTS_LABEL;Тени/света @@ -1459,7 +1459,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !EXPORT_BYPASS_EQUALIZER;Bypass Wavelet Levels !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -1877,7 +1877,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) !TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. !TP_COLORAPP_SURROUND;Surround @@ -1938,7 +1938,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1985,7 +1985,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_DIRPYREQUALIZER_SKIN;Skin targetting/protection !TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio @@ -2122,7 +2122,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index fcbbf9206..9d2c95845 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -671,7 +671,7 @@ PROFILEPANEL_GLOBALPROFILES;Профили из програма PROFILEPANEL_LABEL;Профили обраде PROFILEPANEL_LOADDLGLABEL;Учитај профил за обраду... PROFILEPANEL_LOADPPASTE;Параметри за учитавање -PROFILEPANEL_MODE_TIP;Начин допуне профила који се користи за обраду.\n\nПритиснута дугмад: делимични профили се преводе у потпуне профиле, а недостајуће вредносоти се мењају подразумеваним вредностим.\n\nПуштена дугмад: профили ће бити примењени какви јесу, уз измени само оних вредности које садржи профил. +PROFILEPANEL_MODE_TOOLTIP;Начин допуне профила који се користи за обраду.\n\nПритиснута дугмад: делимични профили се преводе у потпуне профиле, а недостајуће вредносоти се мењају подразумеваним вредностим.\n\nПуштена дугмад: профили ће бити примењени какви јесу, уз измени само оних вредности које садржи профил. PROFILEPANEL_MYPROFILES;Моји профили PROFILEPANEL_PASTEPPASTE;Параметри за убацивање PROFILEPANEL_PCUSTOM;Произвољно @@ -902,11 +902,11 @@ TP_EPD_REWEIGHTINGITERATES;Број поновних мерења TP_EPD_SCALE;Размера TP_EPD_STRENGTH;Јачина TP_EXPOSURE_AUTOLEVELS;Ауто-нивои -TP_EXPOSURE_AUTOLEVELS_TIP;Омогућава аутоматско одређивање нивоа, који подешава клизаче експозиције на основу податка о самој слици.\nУкључује чупање светлих делова уколико је неопходно. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Омогућава аутоматско одређивање нивоа, који подешава клизаче експозиције на основу податка о самој слици.\nУкључује чупање светлих делова уколико је неопходно. TP_EXPOSURE_BLACKLEVEL;Црна TP_EXPOSURE_BRIGHTNESS;Осветљеност TP_EXPOSURE_CLIP;Одсеци -TP_EXPOSURE_CLIP_TIP;Део пиксела које ће бити одсечени применом аутоматских нивоа. +TP_EXPOSURE_CLIP_TOOLTIP;Део пиксела које ће бити одсечени применом аутоматских нивоа. TP_EXPOSURE_COMPRHIGHLIGHTS;Сабијање светлог TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Праг за чупање светлих делова TP_EXPOSURE_COMPRSHADOWS;Сабијање сенки @@ -1013,7 +1013,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Светлост као функција ни TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Светлост као функција светлости L=f(L) TP_LABCURVE_LABEL;Лаб крива TP_LABCURVE_LCREDSK;Ограничи LC на црвену и боју коже -TP_LABCURVE_LCREDSK_TIP;Уколико је укључено, LC крива ће утицати само на црвену и боју коже.\nУ супротном се примењује на све тонове. +TP_LABCURVE_LCREDSK_TOOLTIP;Уколико је укључено, LC крива ће утицати само на црвену и боју коже.\nУ супротном се примењује на све тонове. TP_LABCURVE_RSTPROTECTION;Заштита црвене и боје коже TP_LABCURVE_RSTPRO_TOOLTIP;Може се користити са клизачем за Хроминансу и CC кривом. TP_LENSGEOM_AUTOCROP;Сам исеци @@ -1021,7 +1021,7 @@ TP_LENSGEOM_FILL;Сам попуни TP_LENSGEOM_LABEL;Објектив и геометрија TP_LENSPROFILE_LABEL;Профили за исправљање изобличења објектива TP_NEUTRAL;Неутрално -TP_NEUTRAL_TIP;Враћа клизаче експозиције на неутралне вредности.\nПримењује се на исте контроле као у Ауто нивои, без обзира на то да ли сте користили Ауто нивое или не. +TP_NEUTRAL_TOOLTIP;Враћа клизаче експозиције на неутралне вредности.\nПримењује се на исте контроле као у Ауто нивои, без обзира на то да ли сте користили Ауто нивое или не. TP_PCVIGNETTE_FEATHER;Умекшавање TP_PCVIGNETTE_FEATHER_TOOLTIP;Умекшавање:\n0 = само углове,\n50 = на половину од центра,\n100 = центар. TP_PCVIGNETTE_LABEL;Филтер вињетарења @@ -1078,7 +1078,7 @@ TP_RGBCURVES_RED;Ц TP_ROTATE_DEGREE;Степени: TP_ROTATE_LABEL;Ротација TP_ROTATE_SELECTLINE; Постави праву линију -TP_SAVEDIALOG_OK_TIP;Пречица: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Пречица: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Светло TP_SHADOWSHLIGHTS_HLTONALW;Ширина тонова TP_SHADOWSHLIGHTS_LABEL;Сенке/Светло @@ -1219,7 +1219,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !EXPORT_BYPASS_EQUALIZER;Bypass Wavelet Levels !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -1786,7 +1786,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic @@ -1827,7 +1827,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders -!TP_COLORTONING_NEUTRAL_TIP;Reset all values (Shadows, Midtones, Highlights) to default. +!TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. !TP_COLORTONING_OPACITY;Opacity !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders @@ -1907,7 +1907,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_DIRPYREQUALIZER_SKIN;Skin targetting/protection !TP_DIRPYREQUALIZER_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EPD_GAMMA;Gamma !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve @@ -2105,7 +2105,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset -!TP_RETINEX_NEUTRAL_TIP;Reset all sliders and curves to their default values. +!TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index 69594ffd8..17b6990a9 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -101,7 +101,7 @@ EXPORT_PIPELINE;Vrstni red obdelav EXPORT_PUTTOQUEUEFAST; Vstavi v čakalno vrsto za hiter izvoz EXPORT_RAW_DMETHOD;Demosaic method EXPORT_USE_FAST_PIPELINE;Namenska (polna obdelava na sliki spremenjene velikosti) -EXPORT_USE_FAST_PIPELINE_TIP;Uporabite namenski tok obdelav za hitri izvoz za primer, kjer je hitrost pomembnejša od kakovosti. Sprememba velikosti slike se izvede čimprej namesto na koncu kot pri običajnem toku obdelav. Delovanje je bistveno hitrejše a bodite pripravljeni na pojav artefaktov in splošno znužanje kakovosti izdelanih slik. +EXPORT_USE_FAST_PIPELINE_TOOLTIP;Uporabite namenski tok obdelav za hitri izvoz za primer, kjer je hitrost pomembnejša od kakovosti. Sprememba velikosti slike se izvede čimprej namesto na koncu kot pri običajnem toku obdelav. Delovanje je bistveno hitrejše a bodite pripravljeni na pojav artefaktov in splošno znužanje kakovosti izdelanih slik. EXPORT_USE_NORMAL_PIPELINE;Standardno (preskoči nekatere korake, spremeni velikost na koncu) EXTPROGTARGET_1;surovo EXTPROGTARGET_2;čakalna vrsta-obdelano @@ -1227,7 +1227,7 @@ PROFILEPANEL_GLOBALPROFILES;Skupni profili PROFILEPANEL_LABEL;Profili za obdelovanje PROFILEPANEL_LOADDLGLABEL;Naloži parametre obdelovanja... PROFILEPANEL_LOADPPASTE;Parametri za nalaganje -PROFILEPANEL_MODE_TIP;Vnosni način profila za obdelovanje.\n\nPritisnjen gumb: delni profili bodo spremenjeni v polne profile; manjkajoče vrednosti bodo zamenjale fiksne privzete vrednosti.\n\nSproščen gumb: profili bodo uporabljeni kakršni so, zamenjajo se samo vnesene vrednosti. +PROFILEPANEL_MODE_TOOLTIP;Vnosni način profila za obdelovanje.\n\nPritisnjen gumb: delni profili bodo spremenjeni v polne profile; manjkajoče vrednosti bodo zamenjale fiksne privzete vrednosti.\n\nSproščen gumb: profili bodo uporabljeni kakršni so, zamenjajo se samo vnesene vrednosti. PROFILEPANEL_MYPROFILES;Moji profili PROFILEPANEL_PASTEPPASTE;Parameteri za lepljenje PROFILEPANEL_PCUSTOM;Po meri @@ -1434,7 +1434,7 @@ TP_COLORAPP_MEANLUMINANCE;Povprečna svetlost (Yb%) TP_COLORAPP_MODEL;WP Model TP_COLORAPP_MODEL_TOOLTIP;Model bele točke.\n\nWB [RT] + [output]: za sceno se uporabi RT-jevo ravnotežje beline, CIECAM02 je nastavljen na D50, nastavitev beline izhodne naprave je nastavljena v Pogojih gledanja.\n\nWB [RT+CAT02] + [output]: RT-jevo ravnotežje beline uporablja CAT02, ravnotežje beline izhodne naprave pa je nastavljeno v Pogojih gledanja.\n\nProsta temp+zelena + CAT02 + [output]: temp in zeleno določi uporabnik, ravnotežje beline izhodne naprave pa je nastavljeno v Pogojih gledanja. TP_COLORAPP_NEUTRAL;Ponastavi -TP_COLORAPP_NEUTRAL_TIP;Ponastavi vse potrditvena polja in krivulje na njihove privzete vrednosti +TP_COLORAPP_NEUTRAL_TOOLTIP;Ponastavi vse potrditvena polja in krivulje na njihove privzete vrednosti TP_COLORAPP_RSTPRO;Varovanje rdečih in kožnih tonov TP_COLORAPP_RSTPRO_TOOLTIP;Varovanje rdečih in kožnih tonov ima vpliv tako na drsnike kot na krivulje. TP_COLORAPP_SURROUND;Obkroži @@ -1496,7 +1496,7 @@ TP_COLORTONING_METHOD;Metoda TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* mešanje", "RGB drsniki" in "RGB krivulje" uporabljajo interpolirno mešanje barv.\n"Uravnoteženje barv (Sence/Srednji toni/Bleščave)" and "Nasičenje 2 barv" uporabljajo neposredne barve.\n\nČrno-belo orodje lahko uporabimo pri katerikoli metodi barvega toniranja. TP_COLORTONING_MIDTONES;Srednji toni TP_COLORTONING_NEUTRAL;Ponastavi drsnike -TP_COLORTONING_NEUTRAL_TIP;Ponastavi vse vrednosti (Sence, Srednji toni, Bleščave) na prizeto vrednost. +TP_COLORTONING_NEUTRAL_TOOLTIP;Ponastavi vse vrednosti (Sence, Srednji toni, Bleščave) na prizeto vrednost. TP_COLORTONING_OPACITY;Neprosojnost TP_COLORTONING_RGBCURVES;RGB - Krivulje TP_COLORTONING_RGBSLIDERS;RGB - Drsniki @@ -1612,7 +1612,7 @@ TP_DIRPYREQUALIZER_SKIN_TOOLTIP;Pri -100 so ciljani toni kože.\nPri 0 so vsi to TP_DIRPYREQUALIZER_THRESHOLD;Prag TP_DIRPYREQUALIZER_TOOLTIP;Poskusi zmanjšati artefakte pri spremembi barve kože (odtenek, barvitost, luma) in preostankom slike. TP_DISTORTION_AMOUNT;Količina -TP_DISTORTION_AUTO_TIP;Avtomatsko popravi popačitve objektiva pri surovih slikah s primerjavo z vgrajeno sliko JPEG, če obstaja in so popravki objektiva izvedeni v fotoaparatu. +TP_DISTORTION_AUTO_TOOLTIP;Avtomatsko popravi popačitve objektiva pri surovih slikah s primerjavo z vgrajeno sliko JPEG, če obstaja in so popravki objektiva izvedeni v fotoaparatu. TP_DISTORTION_LABEL;Popravek popačenja TP_EPD_EDGESTOPPING;Zaustavljanje roba TP_EPD_GAMMA;Gama @@ -1621,12 +1621,12 @@ TP_EPD_REWEIGHTINGITERATES;Ponovno tehtanje ponovitev TP_EPD_SCALE;Merilo TP_EPD_STRENGTH;Moč TP_EXPOSURE_AUTOLEVELS;Avto nivoji -TP_EXPOSURE_AUTOLEVELS_TIP;Preklaplja izvajanje avto nivojev z vrednostmi izračunani iz analize slike.\nOmogoča rekonstrukcijo bleščav, če je potrebna. +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Preklaplja izvajanje avto nivojev z vrednostmi izračunani iz analize slike.\nOmogoča rekonstrukcijo bleščav, če je potrebna. TP_EXPOSURE_BLACKLEVEL;Črna TP_EXPOSURE_BRIGHTNESS;Svetlost TP_EXPOSURE_CLAMPOOG;Posnetek barv izven obsega TP_EXPOSURE_CLIP;Posnetek % -TP_EXPOSURE_CLIP_TIP;Delež pikslov, ki naj bodo posneti v operaciji avto nivoji. +TP_EXPOSURE_CLIP_TOOLTIP;Delež pikslov, ki naj bodo posneti v operaciji avto nivoji. TP_EXPOSURE_COMPRHIGHLIGHTS;Stiskanje bleščav TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Prag stiskanja bleščav TP_EXPOSURE_COMPRSHADOWS;Stiskanje senc @@ -1769,7 +1769,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Svetlost glede na odtenek L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Svetlost glede na svetlost L=f(L) TP_LABCURVE_LABEL;Prilagoditve L*a*b* TP_LABCURVE_LCREDSK;Omeji LC na rdečo in kožne barve -TP_LABCURVE_LCREDSK_TIP;Če je aktivna, krivulja LC vpliva samo na rdečo in kožne barve.\nČe je onemogočen, se nanaša na vse tone. +TP_LABCURVE_LCREDSK_TOOLTIP;Če je aktivna, krivulja LC vpliva samo na rdečo in kožne barve.\nČe je onemogočen, se nanaša na vse tone. TP_LABCURVE_RSTPROTECTION;Zaščita rdeče in kožnih barv TP_LABCURVE_RSTPRO_TOOLTIP;Deluje na drsniku kromatičnost in krivulji CC. TP_LENSGEOM_AUTOCROP;Avtomatska obrezava @@ -1795,7 +1795,7 @@ TP_METADATA_MODE;Način kopiranja metapodatkov TP_METADATA_STRIP;Odstrani vse metapodatke TP_METADATA_TUNNEL;Kopiraj nespremenjeno TP_NEUTRAL;Ponastavi -TP_NEUTRAL_TIP;Ponastavi drsnike ekspozicije v nevtralno stanje.\nUporablja enake parametre kot pri Avtomatskih nivojih, ne glede na to ali so uporabljeni ali ne.. +TP_NEUTRAL_TOOLTIP;Ponastavi drsnike ekspozicije v nevtralno stanje.\nUporablja enake parametre kot pri Avtomatskih nivojih, ne glede na to ali so uporabljeni ali ne.. TP_PCVIGNETTE_FEATHER;Pero TP_PCVIGNETTE_FEATHER_TOOLTIP;Perje:\n0 = samo vogali,\n50 = na polovici do centra,\n100 = v centru. TP_PCVIGNETTE_LABEL;Filter vinjetiranja @@ -1980,7 +1980,7 @@ TP_RETINEX_MLABEL;Obnovi brez meglic Min=%1 Max=%2 TP_RETINEX_MLABEL_TOOLTIP;Mora biti blizu min=0 max=32768\nObnovljena slika brez mešanja. TP_RETINEX_NEIGHBOR;Radij TP_RETINEX_NEUTRAL;Ponastavi -TP_RETINEX_NEUTRAL_TIP;Ponastavi vse drsnike in klrivulje na njihove privzete vrednosti. +TP_RETINEX_NEUTRAL_TOOLTIP;Ponastavi vse drsnike in klrivulje na njihove privzete vrednosti. TP_RETINEX_OFFSET;Odmik (svetlost) TP_RETINEX_SCALES;Gaussov gradient TP_RETINEX_SCALES_TOOLTIP;Če je drsnik na 0, so vse iteracije identične.\nČe je > 0 merilo in radij pojemata pri vsaki iteraciji in obratno. @@ -2016,7 +2016,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Stopnja TP_ROTATE_LABEL;Zavrti TP_ROTATE_SELECTLINE;Izberi ravno črto -TP_SAVEDIALOG_OK_TIP;Bližnjica: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Bližnjica: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Bleščave TP_SHADOWSHLIGHTS_HLTONALW;Tonska širina bleščav TP_SHADOWSHLIGHTS_LABEL;Sence/bleščave diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index f5f4e9d2f..fa5d97143 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -916,7 +916,7 @@ PROFILEPANEL_GLOBALPROFILES;Förinstallerade profiler PROFILEPANEL_LABEL;Efterbehandlingsprofiler PROFILEPANEL_LOADDLGLABEL;Ladda efterbehandlingsparametrar... PROFILEPANEL_LOADPPASTE;Parametrar att ladda -PROFILEPANEL_MODE_TIP;Ifyllnadsläge för profil.\n\nKnappen nedtryckt: partiell profil konverteras till full profil; de saknade värdena kommer att fyllas i mha standardvärden.\n\nKnapp släppt: Profilen kommer att appliceras som den är, och förändrar bara de värden som den själv innehåller. +PROFILEPANEL_MODE_TOOLTIP;Ifyllnadsläge för profil.\n\nKnappen nedtryckt: partiell profil konverteras till full profil; de saknade värdena kommer att fyllas i mha standardvärden.\n\nKnapp släppt: Profilen kommer att appliceras som den är, och förändrar bara de värden som den själv innehåller. PROFILEPANEL_MYPROFILES;Mina profiler PROFILEPANEL_PASTEPPASTE;Parametrar att klistra in PROFILEPANEL_PCUSTOM;Egen @@ -1128,7 +1128,7 @@ TP_COLORTONING_LUMAMODE_TOOLTIP;Om aktiverad så kommer luminansen för varje pi TP_COLORTONING_METHOD;Metod TP_COLORTONING_MIDTONES;Mellantoner TP_COLORTONING_NEUTRAL;Återställ reglage -TP_COLORTONING_NEUTRAL_TIP;Återställ alla värden (skuggor, mellantoner, högdagrar) till standardvärdena. +TP_COLORTONING_NEUTRAL_TOOLTIP;Återställ alla värden (skuggor, mellantoner, högdagrar) till standardvärdena. TP_COLORTONING_OPACITY;Opacitet TP_COLORTONING_RGBCURVES;RGB - Kurvor TP_COLORTONING_RGBSLIDERS;RGB - Reglage @@ -1229,11 +1229,11 @@ TP_EPD_REWEIGHTINGITERATES;Återviktade iterationer TP_EPD_SCALE;Skala TP_EPD_STRENGTH;Styrka TP_EXPOSURE_AUTOLEVELS;Autonivåer -TP_EXPOSURE_AUTOLEVELS_TIP;Slå av/på autonivåer för att automatiskt beräkna och använda värden baserat på bildanalys\nAktiverar högdageråterställning om nödvändigt +TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Slå av/på autonivåer för att automatiskt beräkna och använda värden baserat på bildanalys\nAktiverar högdageråterställning om nödvändigt TP_EXPOSURE_BLACKLEVEL;Svärta TP_EXPOSURE_BRIGHTNESS;Ljushet TP_EXPOSURE_CLIP;Klippnivå % -TP_EXPOSURE_CLIP_TIP;Andelen pixlar som ska klippas när autonivåer används. +TP_EXPOSURE_CLIP_TOOLTIP;Andelen pixlar som ska klippas när autonivåer används. TP_EXPOSURE_COMPRHIGHLIGHTS;Högdageråterställning TP_EXPOSURE_COMPRHIGHLIGHTSTHRESHOLD;Högdageråterställning, tröskelvärde TP_EXPOSURE_COMPRSHADOWS;Skuggåterställning @@ -1355,7 +1355,7 @@ TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminans enligt nyans L=f(H) TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminans enligt luminans L=f(L) TP_LABCURVE_LABEL;Labjusteringar TP_LABCURVE_LCREDSK;Begränsa LC till röda färger och hudtoner -TP_LABCURVE_LCREDSK_TIP;Om aktiverad så påverkar LC-kurvan enbart röda färger och hudtoner.\nOm ej aktiverad så appliceras den till alla färger och toner. +TP_LABCURVE_LCREDSK_TOOLTIP;Om aktiverad så påverkar LC-kurvan enbart röda färger och hudtoner.\nOm ej aktiverad så appliceras den till alla färger och toner. TP_LABCURVE_RSTPROTECTION;Skydda röda färger och hudtoner TP_LABCURVE_RSTPRO_TOOLTIP;Kan användas med kromareglaget och CC-kurvan TP_LENSGEOM_AUTOCROP;Autobeskärning @@ -1363,7 +1363,7 @@ TP_LENSGEOM_FILL;Fyll automatiskt TP_LENSGEOM_LABEL;Geometrisk- och distorsionskorrigering TP_LENSPROFILE_LABEL;Objektivkorrigeringsprofil TP_NEUTRAL;Återställ -TP_NEUTRAL_TIP;Återställ exponeringsreglagen till neutrala värden.\nGäller för samma reglage som autonivåer, oavsett om du använder autonivåer eller ej +TP_NEUTRAL_TOOLTIP;Återställ exponeringsreglagen till neutrala värden.\nGäller för samma reglage som autonivåer, oavsett om du använder autonivåer eller ej TP_PCVIGNETTE_FEATHER;Fjäder TP_PCVIGNETTE_FEATHER_TOOLTIP;Fjäder: 0=enbart kanter, 50=halvvägs till mitten, 100=i mitten TP_PCVIGNETTE_LABEL;Vinjetteringsfilter @@ -1466,7 +1466,7 @@ TP_RETINEX_MAP_NONE;Ingen TP_RETINEX_METHOD;Metod TP_RETINEX_NEIGHBOR;Radie TP_RETINEX_NEUTRAL;Återställ -TP_RETINEX_NEUTRAL_TIP;Återställer alla reglage och kurvor till sina ursprungliga värden. +TP_RETINEX_NEUTRAL_TOOLTIP;Återställer alla reglage och kurvor till sina ursprungliga värden. TP_RETINEX_OFFSET;Kompensation (ljushet) TP_RETINEX_SCALES;Gaussisk gradient TP_RETINEX_SCALES_TOOLTIP;Om reglaget är på 0 så kommer alla iterationer att vara lika.\nOm > 0 så kommer skalan och radien reduceras när iterationerna ökar och omvänt. @@ -1496,7 +1496,7 @@ TP_RGBCURVES_RED;R TP_ROTATE_DEGREE;Grader TP_ROTATE_LABEL;Rotera TP_ROTATE_SELECTLINE;Välj rak linje -TP_SAVEDIALOG_OK_TIP;Kortkommando: Ctrl-Enter +TP_SAVEDIALOG_OK_TOOLTIP;Kortkommando: Ctrl-Enter TP_SHADOWSHLIGHTS_HIGHLIGHTS;Högdager TP_SHADOWSHLIGHTS_HLTONALW;Tonvidd (Högdagrar) TP_SHADOWSHLIGHTS_LABEL;Skugg- och högdageråterställning @@ -1757,7 +1757,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !EXPORT_BYPASS;Processing steps to bypass !EXPORT_PIPELINE;Processing pipeline !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) -!EXPORT_USE_FAST_PIPELINE_TIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. +!EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -2078,7 +2078,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 !TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) !TP_COLORTONING_LABEL;Color Toning @@ -2127,7 +2127,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_DIRPYRDENOISE_MEDIAN_TYPE;Median type !TP_DIRPYRDENOISE_MEDIAN_TYPE_TOOLTIP;Apply a median filter of the desired window size. The larger the window's size, the longer it takes.\n\n3×3 soft: treats 5 pixels in a 3×3 pixel window.\n3×3: treats 9 pixels in a 3×3 pixel window.\n5×5 soft: treats 13 pixels in a 5×5 pixel window.\n5×5: treats 25 pixels in a 5×5 pixel window.\n7×7: treats 49 pixels in a 7×7 pixel window.\n9×9: treats 81 pixels in a 9×9 pixel window.\n\nSometimes it is possible to achieve higher quality running several iterations with a smaller window size than one iteration with a larger one. !TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;This pyramid is for the upper part, so far as the algorithm at its maximum efficiency.\nTo the lower part, the transition zones.\nIf you need to move the area significantly to the left or right - or if there are artifacts: the white balance is incorrect\nYou can slightly reduce the zone to prevent the rest of the image is affected. -!TP_DISTORTION_AUTO_TIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. +!TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. From 604721e454cfc7db02d22b24c576a8f7e6ee4792 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Thu, 29 Sep 2022 00:31:52 +0200 Subject: [PATCH 116/170] Updated tools/generateUnusedKeys --- tools/generateUnusedKeys | 21 ++++++++++++++++++--- 1 file changed, 18 insertions(+), 3 deletions(-) diff --git a/tools/generateUnusedKeys b/tools/generateUnusedKeys index 6d2b68390..7fceddf3d 100755 --- a/tools/generateUnusedKeys +++ b/tools/generateUnusedKeys @@ -69,6 +69,7 @@ dos2unix default 2>/dev/null # -Irl -m1 # Dynamically built keys like HISTORY_MSG_1 can't be grepped in the code, # so it renames KEY_1-KEY_9 to KEY_ so that they can be grepped and therefore ignored. +# See RAWParams::BayerSensor::getMethodStrings t1="$(date +%s)" printf '%s\n' 'Matching keys in "default" against .cc and .h files' 'Unmatched keys follow:' unset delLines @@ -84,11 +85,25 @@ done < <( \ -e "^(#|$)|TP_RAW_2PASS" \ -e "^(#|$)|TP_RAW_3PASSBEST" \ -e "^(#|$)|TP_RAW_4PASS" \ + -e "^(#|$)|TP_RAW_AMAZE" \ + -e "^(#|$)|TP_RAW_AMAZEBILINEAR" \ -e "^(#|$)|TP_RAW_AMAZEVNG4" \ - -e "^(#|$)|TP_RAW_DCBVNG4" \ - -e "^(#|$)|TP_RAW_MONO" \ - -e "^(#|$)|TP_RAW_NONE" \ + -e "^(#|$)|TP_RAW_RCD" \ + -e "^(#|$)|TP_RAW_RCDBILINEAR" \ -e "^(#|$)|TP_RAW_RCDVNG4" \ + -e "^(#|$)|TP_RAW_DCB" \ + -e "^(#|$)|TP_RAW_DCBBILINEAR" \ + -e "^(#|$)|TP_RAW_DCBVNG4" \ + -e "^(#|$)|TP_RAW_LMMSE" \ + -e "^(#|$)|TP_RAW_IGV" \ + -e "^(#|$)|TP_RAW_AHD" \ + -e "^(#|$)|TP_RAW_EAHD" \ + -e "^(#|$)|TP_RAW_HPHD" \ + -e "^(#|$)|TP_RAW_VNG4" \ + -e "^(#|$)|TP_RAW_FAST" \ + -e "^(#|$)|TP_RAW_MONO" \ + -e "^(#|$)|TP_RAW_PIXELSHIFT" \ + -e "^(#|$)|TP_RAW_NONE" \ "default" | \ sed -e "s/EXTPROGTARGET_[0-9]*/EXTPROGTARGET_/" \ -e "s/FILEBROWSER_POPUPCOLORLABEL[0-9]*/FILEBROWSER_POPUPCOLORLABEL/" \ From ea37cfc6969277428ee22c568f571c68d039a5ef Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Thu, 29 Sep 2022 00:40:45 +0200 Subject: [PATCH 117/170] Delete unused keys to match default Unused keys from localization files removes as per default. --- rtdata/languages/Catala | 1 - rtdata/languages/Chinese (Simplified) | 4 ---- rtdata/languages/Czech | 4 ---- rtdata/languages/Dansk | 4 ---- rtdata/languages/Deutsch | 5 ----- rtdata/languages/English (UK) | 1 - rtdata/languages/English (US) | 1 - rtdata/languages/Espanol (Castellano) | 5 ----- rtdata/languages/Espanol (Latin America) | 1 - rtdata/languages/Francais | 1 - rtdata/languages/Italiano | 1 - rtdata/languages/Japanese | 4 ---- rtdata/languages/Magyar | 1 - rtdata/languages/Nederlands | 1 - rtdata/languages/Polish | 1 - rtdata/languages/Portugues | 1 - rtdata/languages/Portugues (Brasil) | 1 - rtdata/languages/Russian | 1 - rtdata/languages/Serbian (Cyrilic Characters) | 1 - rtdata/languages/Slovenian | 1 - rtdata/languages/Swedish | 1 - rtdata/languages/default | 1 - 22 files changed, 42 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index a4b67eccd..04c2ef201 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -1695,7 +1695,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_GAMUT;Gamut control (L*a*b*) -!TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. !TP_COLORAPP_HUE;Hue (h) !TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. !TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 6246886c0..03381acac 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -1195,7 +1195,6 @@ TP_COLORAPP_DATACIE;在曲线中显示CIECAM02/16输出直方图 TP_COLORAPP_DATACIE_TOOLTIP;启用后,CIECAM02/16直方图中会显示CIECAM02/16应用后的J,以及C,S或M的大概值/范围。\n勾选此选项不会影响主直方图\n\n关闭选项后,CIECAM02/16直方图中会显示CIECAM02/16应用前的L*a*b*值 TP_COLORAPP_FREE;自由色温+色调+CAT02/16+[输出] TP_COLORAPP_GAMUT;色域控制(L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;允许在L*a*b*模式下进行色域控制 TP_COLORAPP_HUE;色相(h) TP_COLORAPP_HUE_TOOLTIP;色相(h)是一个刺激物可以被描述为接近于红,绿,蓝,黄色的一个角度 TP_COLORAPP_LABEL;CIE色貌模型02/16 @@ -2669,7 +2668,6 @@ HISTORY_MSG_1108;局部-CIECAM 色彩曲线 !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance HISTORY_MSG_BLUWAV;衰减响应 -HISTORY_MSG_CAT02PRESET;Cat02/16自动预设 HISTORY_MSG_CATCAT;Cat02/16模式 HISTORY_MSG_CATCOMPLEX;Ciecam复杂度 HISTORY_MSG_CATMODEL;CAM模型 @@ -2917,8 +2915,6 @@ TP_COLORAPP_GEN;设置 - 预设 !TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_MODELCAT;色貌模型 TP_COLORAPP_MODELCAT_TOOLTIP;允许你在CIECAM02或CIECAM16之间进行选择\nCIECAM02在某些时候会更加准确\nCIECAM16的杂点应该更少 -!TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode -!TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. TP_COLORAPP_SURROUNDSRC;周围 - 场景亮度 TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n平均:平均的亮度条件(标准)。图像不被改变\n\n昏暗:较暗的场景。图像会被略微提亮\n\n黑暗:黑暗的环境。图像会被提亮\n\n极暗:非常暗的环境。图片会变得非常亮 diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index b57d8c807..cdff7f1be 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -775,7 +775,6 @@ HISTORY_MSG_BLSHAPE;Rozmazat dle úrovně HISTORY_MSG_BLURCWAV;Rozmazat barevnost HISTORY_MSG_BLURWAV;Rozmazat jas HISTORY_MSG_BLUWAV;Útlum -HISTORY_MSG_CAT02PRESET;Automatické přednastavení Cat02 HISTORY_MSG_CLAMPOOG;Oříznout barvy mimo gamut HISTORY_MSG_COLORTONING_LABGRID_VALUE;Barevné tónování - Korekce barev HISTORY_MSG_COLORTONING_LABREGION_AB;Barevné tónování - Korekce barev @@ -1502,7 +1501,6 @@ TP_COLORAPP_DATACIE;CIECAM02 histogramy výstupu v křivkách TP_COLORAPP_DATACIE_TOOLTIP;Pokud je povoleno, zobrazuje histogram v CIECAM02 křivkách přibližné hodnoty/rozsahy po CIECAM02 úpravách J nebo Q, a C, S nebo M.\nVýběr neovlivňuje histogram na hlavním panelu.\n\nPokud je zakázáno, zobrazuje histogram v CIECAM02 křivkách L*a*b* hodnoty před CIECAM02 úpravami. TP_COLORAPP_FREE;Volná teplota + zelená + CAT02 + [výstup] TP_COLORAPP_GAMUT;Kontrola gamutu (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Povolí kontrolu gamutu v L*a*b* režimu. TP_COLORAPP_HUE;Odstín (h) TP_COLORAPP_HUE_TOOLTIP;Odstín (h) - úhel mezi 0° a 360°. TP_COLORAPP_IL41;D41 @@ -1526,8 +1524,6 @@ TP_COLORAPP_MODEL;VB - Model TP_COLORAPP_MODEL_TOOLTIP;Model bílého bodu.\n\nWB [RT] + [výstup]: Pro scénu je použito vyvážení bílé RawTherapee , CIECAM02 je nastaven na D50 a vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení.\n\nWB [RT+CAT02] + [výstup]: CAT02 používá RawTherapee nastavení vyvážení bílé a vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení.\n\nVolná teplota+zelená + CAT02 + [výstup]: teplota a zelená je vybrána uživatelem, vyvážení bílé výstupního zařízení je nastaveno v Podmínkách prohlížení. TP_COLORAPP_NEUTRAL;Obnovit TP_COLORAPP_NEUTRAL_TOOLTIP;Obnoví původní hodnoty u všech posuvníků a křivek. -TP_COLORAPP_PRESETCAT02;Automatické přednastavení Cat02 -TP_COLORAPP_PRESETCAT02_TOOLTIP;Nastaví volby, posuvníky, teplotu a zelenou podle Cat02 automatického přednastavení.\nMusíte nastavit světelné podmínky při fotografování.\nPokud je potřeba, musíte změnit Cat02 podmínky přizpůsobení pro prohlížení.\nPokud je potřeba, můžete změnit teplotu a odstín podmínek při prohlížení a také další nastavení. TP_COLORAPP_RSTPRO;Ochrana červených a pleťových tónů TP_COLORAPP_RSTPRO_TOOLTIP;Ochrana červených a pleťových tónů ovlivňuje posuvníky i křivky. TP_COLORAPP_SURROUND;Okolí diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk index 349ffe3dc..034c015a3 100644 --- a/rtdata/languages/Dansk +++ b/rtdata/languages/Dansk @@ -1420,7 +1420,6 @@ TP_COLORAPP_DATACIE;CIEFM02 output histogrammer i kurver TP_COLORAPP_DATACIE_TOOLTIP;Når det er aktiveret, viser histogrammer i CIEFM02-kurver omtrentlige værdier/intervaller for J eller Q, og C, s eller M efter CIEFM02-justeringerne.\nDette valg påvirker ikke hovedhistogrampanelet.\n\nNår de er deaktiveret, viser histogrammer i CIEFM02-kurverne L*a*b*-værdier før CIEFM02-justeringer. TP_COLORAPP_FREE;Fri temp+grøn + CAT02 + [output] TP_COLORAPP_GAMUT;Farveskalakontrol (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Tillad farveskalakontrol i L*a*b*-tilstand. TP_COLORAPP_HUE;Farvetone (h) TP_COLORAPP_HUE_TOOLTIP;Farvetone (h) - vinkel mellem 0° og 360°. TP_COLORAPP_LABEL;CIE Farveudseende Model 2002 @@ -2979,7 +2978,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance !HISTORY_MSG_BLUWAV;Attenuation response -!HISTORY_MSG_CAT02PRESET;Cat02/16 automatic preset !HISTORY_MSG_CATCAT;Cat02/16 mode !HISTORY_MSG_CATCOMPLEX;Ciecam complexity !HISTORY_MSG_CATMODEL;CAM Model @@ -3122,8 +3120,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_COLORAPP_MOD16;CIECAM16 !TP_COLORAPP_MODELCAT;CAM Model !TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts -!TP_COLORAPP_PRESETCAT02;Preset cat02/16 automatic - Symmetric mode -!TP_COLORAPP_PRESETCAT02_TOOLTIP;Set combobox, sliders, temp, green so that Cat02/16 automatic is preset.\nYou can change illuminant shooting conditions.\nYou must change Cat02/16 adaptation Viewing conditions if needed.\nYou can change Temperature and Tint Viewing conditions if needed, and other settings if needed.\nAll auto checkbox are disabled !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 38fbfff97..5d73a3982 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1468,7 +1468,6 @@ HISTORY_MSG_BLURCWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Bu HISTORY_MSG_BLURWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Helligkeit HISTORY_MSG_BLUWAV;(Erweitert - Wavelet)\nUnschärfeebenen\nDämpfungsreaktion HISTORY_MSG_CATCAT;CAT02/16 Modus -HISTORY_MSG_CAT02PRESET;CAT02/16 automatisch HISTORY_MSG_CATCOMPLEX;(Erweitert - CIECAM)\nKomplexität HISTORY_MSG_CATMODEL;(Erweitert - CIECAM)\nCAM Modell HISTORY_MSG_CLAMPOOG;(Belichtung) - Farben\nAuf Farbraum beschränken @@ -2279,7 +2278,6 @@ TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D50) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D75). TP_COLORAPP_FREE;Farbtemperatur + Tönung + CAT02 + [Ausgabe] TP_COLORAPP_GAMUT;Gamutkontrolle (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Gamutkontrolle im L*a*b*-Modus erlauben. TP_COLORAPP_GEN;Voreinstellungen TP_COLORAPP_GEN_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um die Farbwahrnehmung des menschlichen Auges unter verschiedenen Lichtverhältnissen besser zu simulieren, z.B. vor unterschiedlichen Hintergründen.\nEs berücksichtigt die Umgebung jeder Farbe und modifiziert ihr Erscheinungsbild, um sie so nah wie möglich an die menschliche Wahrnehmung wiederzugeben.\nDie Ausgabe wird auch an die beabsichtigten Betrachtungsbedingungen (Monitor, Fernseher, Projektor, Drucker usw.) angepasst, sodass das chromatische Erscheinungsbild über die Szene und die Anzeigeumgebung hinweg erhalten bleibt. TP_COLORAPP_HUE;Farbton (H) @@ -2309,8 +2307,6 @@ TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 TP_COLORAPP_NEUTRAL;Zurücksetzen TP_COLORAPP_NEUTRAL_TOOLTIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. -TP_COLORAPP_PRESETCAT02;Voreinstellung Modus CAT02/16 Automatisch - Symmetrisch -TP_COLORAPP_PRESETCAT02_TOOLTIP;Stellen Sie die Combobox-Schieberegler Temp, Grün so ein, dass Cat02/16 automatisch voreingestellt ist.\nSie können die Beleuchtungsbedingungen für die Aufnahme ändern.\nCAT02/16-Anpassung an die Betrachtungsbedingungen, Temperatur, Farbton und andere Einstellungen können, falls erforderlich, geändert werden.\nAlle automatischen Kontrollkästchen sind deaktiviert. TP_COLORAPP_RSTPRO;Hautfarbtöne schützen TP_COLORAPP_RSTPRO_TOOLTIP;Hautfarbtöne schützen\nWirkt sich auf Regler und Kurven aus. TP_COLORAPP_SOURCEF_TOOLTIP;Entspricht den Aufnahmebedingungen und wie man die Bedingungen und Daten wieder in einen normalen Bereich bringt. 'Normal' bedeutet Durchschnitts- oder Standardbedingungen und Daten, d. h. ohne Berücksichtigung von CIECAM-Korrekturen. @@ -3379,7 +3375,6 @@ TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Ermöglicht die Visualisierung der verschiedene TP_LOCALLAB_SHOWMASKTYP1;Unschärfe-Rauschen TP_LOCALLAB_SHOWMASKTYP2;Rauschreduzierung TP_LOCALLAB_SHOWMASKTYP3;Unschärfe-Rauschen + Rauschreduzierung -//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Maske und Anpassungen können gewählt werden.\nUnschärfe und Rauschen: In diesem Fall wird es nicht für 'Rauschreduzierung' verwendet.\nRauschreduzierung: In diesem Fall wird es nicht für 'Unschärfe und Rauschen' verwendet.\n\nUnschärfe/Rauschen-Rauschreduzierung: Maske wird geteilt, seien Sie vorsichtig mit 'Änderungen anzeigen' und 'Umfang'. TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Kann mit 'Maske und Anpassungen' verwendet werden.\nWenn 'Unschärfe und Rauschen' gewählt wurde, kann die Maske nicht für 'Rauschreduzierung' angewandt werden.\nWenn 'Rauschreduzierung' gewählt wurde, kann die Maske nicht für 'Unschärfe und Rauschen' angewandt werden.\nWenn 'Unschärfe und Rauschen + Rauschreduzierung' gewählt wurde, wird die Maske geteilt. Beachten Sie, dass in diesem Falle die Regler sowohl für 'Unschärfe und Rauschen' und 'Rauschreduzierung' aktiv sind, so dass sich empfiehlt, bei Anpassungen die Option 'Zeige Modifikationen mit Maske' zu verwenden. TP_LOCALLAB_SHOWMNONE;Anzeige des modifizierten Bildes TP_LOCALLAB_SHOWMODIF;Anzeige der modifizierten Bereiche ohne Maske diff --git a/rtdata/languages/English (UK) b/rtdata/languages/English (UK) index 002e7f4c4..a9f59a8b6 100644 --- a/rtdata/languages/English (UK) +++ b/rtdata/languages/English (UK) @@ -1472,7 +1472,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_GAMUT;Gamut control (L*a*b*) -!TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. !TP_COLORAPP_HUE;Hue (h) !TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. !TP_COLORAPP_LABEL_CAM02;Image Adjustments diff --git a/rtdata/languages/English (US) b/rtdata/languages/English (US) index 9114c09c1..47a4c420b 100644 --- a/rtdata/languages/English (US) +++ b/rtdata/languages/English (US) @@ -1422,7 +1422,6 @@ !TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_GAMUT;Gamut control (L*a*b*) -!TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. !TP_COLORAPP_HUE;Hue (h) !TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. !TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index d95ea45ca..2e791a7ea 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -1358,7 +1358,6 @@ HISTORY_MSG_BLSHAPE;Difuminado por niveles HISTORY_MSG_BLURCWAV;Difuminar cromaticidad HISTORY_MSG_BLURWAV;Difuminar luminancia HISTORY_MSG_BLUWAV;Respuesta de atenuación -HISTORY_MSG_CAT02PRESET;Preselección automática Cat02/16 HISTORY_MSG_CATCAT;Modo Cat02/16 HISTORY_MSG_CATCOMPLEX;Complejidad CIECAM HISTORY_MSG_CATMODEL;Modelo CAM @@ -2178,7 +2177,6 @@ TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los valores de una imagen cuyo punto blanco es el de un iluminante dado (por ejemplo D50) a nuevos valores cuyo punto blanco es el del nuevo iluminante. Consúltese el Modelo de Punto Blanco (por ejemplo D75). TP_COLORAPP_FREE;Temperatura+verde libres + CAT02/16 + [salida] TP_COLORAPP_GAMUT;Control de rango de colores (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Permite el control del rango de colores en modo L*a*b*. TP_COLORAPP_GEN;Ajustes - Preselección TP_COLORAPP_GEN_TOOLTIP;Este módulo está basado en el modelo de apariencia de color CIECAM, que se diseñó para simular mejor cómo la visión humana percibe los colores bajo diferentes condiciones de iluminación, por ejemplo, contra fondos diferentes.\n\nTiene en cuenta el entorno de cada color y modifica su apariencia para que sea lo más cercana posible a la percepción humana.\n\nTambién adapta la salida a las condiciones de visualización previstas (monitor, TV, proyector, impresora, etc.) de modo que la apariencia cromática se preserve para todos los entornos de escena y visualización. TP_COLORAPP_HUE;Matiz (h) @@ -2208,8 +2206,6 @@ TP_COLORAPP_MODELCAT_TOOLTIP;Permite elegir entre CIECAM02 o CIECAM16.\nA veces TP_COLORAPP_MODEL_TOOLTIP;Modelo de punto blanco.\n\nWB [RT] + [salida]: Se usa el balance de blancos de RT para la escena, CIECAM02/16 se ajusta a D50, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nWB [RT+CAT02/16] + [salida]: CAT02 usa los ajustes de balance de blancos de RT, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización.\n\nTemperatura+verde libres + CAT02 + [salida]:El usuario elige la temperatura y el nivel de verde, y el balance de blancos del dispositivo de salida se ajusta en Condiciones de visualización. TP_COLORAPP_NEUTRAL;Restablecer TP_COLORAPP_NEUTRAL_TOOLTIP;Restablece todos los deslizadores, casillas de verificación y curvas a sus valores predeterminados. -TP_COLORAPP_PRESETCAT02;Preselección CAT02/16 automática - Modo simétrico -TP_COLORAPP_PRESETCAT02_TOOLTIP;Ajusta las listas desplegables, deslizadores, temperatura y verde de modo que se preselecciona CAT02/16 automático.\nSe pueden cambiar las condiciones de toma del iluminante.\nDeben cambiarse las condiciones de visualización de la adaptación CAT02/16 si es necesario.\nSe pueden cambiar las condiciones de visualización Temperatura y Tinte si es necesario, así como otros ajustes.\nTodas las casillas auto se desactivan. TP_COLORAPP_RSTPRO;Protección de rojo y tonos de piel TP_COLORAPP_RSTPRO_TOOLTIP;La Protección de rojo y tonos de piel afecta tanto a los deslizadores como a las curvas. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponde a las condiciones de toma y cómo llevar las condiciones y los datos a una zona «normal». «Normal» significa aquí condiciones y datos promedio o estándar, es decir, sin tener en cuenta las correcciones CIECAM. @@ -4117,4 +4113,3 @@ xTP_LOCALLAB_LOGSURSOUR_TOOLTIP;Cambia los tonos y colores para tener en cuenta !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. !TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. -!//TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Mask and modifications can be chosen.\nBlur and noise : in this case it is not used for 'denoise'.\nDenoise : in this case it is not used for 'blur and noise'.\n\nBlur and noise + denoise : mask is shared, be careful to 'show modifications' and 'scope' diff --git a/rtdata/languages/Espanol (Latin America) b/rtdata/languages/Espanol (Latin America) index a9bbcc30a..c56bd5360 100644 --- a/rtdata/languages/Espanol (Latin America) +++ b/rtdata/languages/Espanol (Latin America) @@ -1445,7 +1445,6 @@ TP_COLORAPP_DATACIE;Curvas con histogramas de salida CIECAM02 TP_COLORAPP_DATACIE_TOOLTIP;Si está seleccionada, los histogramas en las curvas CIECAM02 muestran aproximadamente valores/rangos de J o Q, y C, s o M después de los ajustes CIECAM02.\nEsta selección no influye en el histograma del panel principal.\n\nCuando no está seleccionada, los histogramas en las curvas CIECAM02 muestran valores Lab antes de los ajustes CIECAM02 TP_COLORAPP_FREE;Libre tempera+verde + CAT02 + [output] TP_COLORAPP_GAMUT;Control de Gamut (Lab) -TP_COLORAPP_GAMUT_TOOLTIP;Permite control de gamut en modo Lab TP_COLORAPP_HUE;Matiz (h) TP_COLORAPP_HUE_TOOLTIP;Matiz (h) - ángulo entre 0° y 360° TP_COLORAPP_LABEL;CIE Modelo de Apariencia de Color 2002 diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index 1651ef069..29c91469b 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -1398,7 +1398,6 @@ TP_COLORAPP_DATACIE;Histogrammes post CIECAM dans les courbes TP_COLORAPP_DATACIE_TOOLTIP;Quand activé, les histogrammes de fond des courbes CIECAM02 montrent des valeurs/amplitudes approximatives de J/Q, ou de C:s/M après les ajustements CIECAM.\nCette sélection n'a pas d'incidence sur l'histogramme général.\n\nQuand désactivé, les histogrammes de fond des courbes CIECAM affichent les valeurs Lab avant les ajustements CIECAM TP_COLORAPP_FREE;Temp libre+vert + CAT02 + [sortie] TP_COLORAPP_GAMUT;Contrôle du gamut (Lab) -TP_COLORAPP_GAMUT_TOOLTIP;Permet le controle du gamut en mode Lab TP_COLORAPP_HUE;Teinte (h) TP_COLORAPP_HUE_TOOLTIP;Teinte (h) - angle entre 0° et 360° TP_COLORAPP_LABEL;Apparence de la Couleur (CIECAM02) diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index 79463a854..bd9788f70 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -863,7 +863,6 @@ TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Regola Croma, Saturazione o Pienezza.\nL'Istogr TP_COLORAPP_DATACIE;Mostra gli istogrammi di uscita CIECAM02 nelle curve TP_COLORAPP_DATACIE_TOOLTIP;Quando abilitato, gli istogrammi nelle curve CIECAM02 mostrano valori e intervalli approssimati di J o Q, e C, s o M dopo le regolazioni CIECAM02.\nQuesta selezione non ha effetto nel pannello Istogramma principale.\n\nQuando disabilitato, gli istogrammi nelle curve CIECAM02 mostrano i valori Lab, come sono prima delle regolazioni CIECAM02. TP_COLORAPP_GAMUT;Controllo Gamut (Lab) -TP_COLORAPP_GAMUT_TOOLTIP;Consenti il controllo gamut nella modalità Lab TP_COLORAPP_HUE;Tinta (h) TP_COLORAPP_HUE_TOOLTIP;Tinta (h) - angolo tra 0° e 360° TP_COLORAPP_LABEL;Modello di Aspetto Colore CIE 2002 diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index bf4dfc25f..6c7e4cbe7 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -1409,7 +1409,6 @@ HISTORY_MSG_BLSHAPE;レベルによるぼかし HISTORY_MSG_BLURCWAV;色度のぼかし HISTORY_MSG_BLURWAV;輝度のぼかし HISTORY_MSG_BLUWAV;減衰応答 -HISTORY_MSG_CAT02PRESET;Cat02 自動プリセット HISTORY_MSG_CATCAT;モード Cat02/16 HISTORY_MSG_CATCOMPLEX;色の見えモデルの機能水準 HISTORY_MSG_CATMODEL;色の見えモデルのバージョン @@ -2222,7 +2221,6 @@ TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光 TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光源(例えばD50)のホワイトポイントの値を、別な光源(例えばD75)のホワイトポイントの値に変換することです(WPモデルを参照)。 TP_COLORAPP_FREE;任意の色温度と色偏差 + CAT02/16 + [出力] TP_COLORAPP_GAMUT;色域制御 (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;L*a*b*モードの色域制御を可能にします TP_COLORAPP_GEN;設定 - プリセット TP_COLORAPP_GEN_TOOLTIP;この機能モジュールは、CIECAM02/16(色の見えモデル)をベースにしています。異なる光源の下での、人間の視覚の知覚を、より適切に真似るように設計された色モデルです(例えば、青白い光の中で見る物の色)。\n各色の条件を計算に入れながら、人間の視覚が認識する色に可能な限り近づくように変換します。\nまた、画像の場面や表示デバイスに応じて、その色が維持されるように、予定している出力条件(モニター、TV、プロジェクター、プリンターなど)を考慮します。 TP_COLORAPP_HUE;色相 (h) @@ -2252,8 +2250,6 @@ TP_COLORAPP_MODELCAT_TOOLTIP;色の見えモデルはCIECAM02或いはCIECAM16 TP_COLORAPP_MODEL_TOOLTIP;ホワイトポイントモデル\n\nWB [RT] + [出力]\:周囲環境のホワイトバランスは、カラータブのホワイトバランスが使われます。CIECAM02/16の光源にはD50が使われ, 出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\nWB [RT+CAT02] + [出力]:カラータブのホワイトバランスがCAT02で使われます。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\n任意の色温度と色偏差 + CAT02 + [出力]:色温度と色偏差はユーザーが設定します。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます TP_COLORAPP_NEUTRAL;リセット TP_COLORAPP_NEUTRAL_TOOLTIP;全てのスライダーチェックボックスとカーブをデフォルトにリセットします -TP_COLORAPP_PRESETCAT02;cat02/16の自動プリセット シンメトリックモード -TP_COLORAPP_PRESETCAT02_TOOLTIP;これを有効にすると、CAT02/16のためのスライダー、色温度、色偏差が自動的に設定されます。\n 撮影環境の輝度は変えることが出来ます。\n 必要であれば、CAT02/16の観視環境を変更します。\n 必要に応じて観視環境の色温度、色偏差、を変更します。\n 全ての自動チェックボックスが無効になります。 TP_COLORAPP_RSTPRO;レッドと肌色トーンを保護 TP_COLORAPP_RSTPRO_TOOLTIP;レッドと肌色トーンを保護はスライダーとカーブの両方に影響します TP_COLORAPP_SOURCEF_TOOLTIP;撮影条件に合わせて、その条件とデータを通常の範囲に収めます。ここで言う“通常”とは、平均的或いは標準的な条件とデータのことです。例えば、CIECAM02の補正を計算に入れずに収める。 diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index 672622cd8..26bebc3c8 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -1649,7 +1649,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. !TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] !TP_COLORAPP_GAMUT;Gamut control (L*a*b*) -!TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. !TP_COLORAPP_HUE;Hue (h) !TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. !TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index a7623a28b..bf10a5b6a 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -1190,7 +1190,6 @@ TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Wijzigt ofwel chroma, verzadiging of kleurrijkh TP_COLORAPP_DATACIE;CIECAM02 uitvoer histogram in de curven TP_COLORAPP_DATACIE_TOOLTIP;Indien aangezet, tonen de histogrammen van de CIECAM02 curven bij benadering de waarden/reeksen voor J of Q, en C, s of M na de CIECAM02 aanpassingen.\nDit beïnvloed niet het hoofd histogram paneel.\n\nIndien uitgezet tonen de histogrammen van de CIECAM02 curven de Lab waarden zoals deze waren voor de CIECAM02 aanpassingen TP_COLORAPP_GAMUT;Gamut controle (Lab) -TP_COLORAPP_GAMUT_TOOLTIP;Sta gamut controle toe in Lab mode TP_COLORAPP_HUE;Tint (h) TP_COLORAPP_HUE_TOOLTIP;Tint (h) - hoek tussen 0° en 360° TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index ccebfaa46..a28bfdfe2 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -1230,7 +1230,6 @@ TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Ustawienie chromy, nasycenia bądź barwistośc TP_COLORAPP_DATACIE;Pokaż histogramy wyjściowe CIECAM02 za krzywymi TP_COLORAPP_DATACIE_TOOLTIP;Kiedy opcja jest włączona, histogramy za krzywymi CIECAM02 pokazują przybliżone wartości/zakresy J lub Q, oraz C, s lub M po korekcjach CIECAM02.\nTen wybór nie ma wpływu na główny histogram.\n\nKiedy opcja jest wyłączona, histogramy za krzywymi CIECAM02 pokazują wartości L*a*b* przed korekcjami CIECAM02. TP_COLORAPP_GAMUT;Kontrola gamma (L*a*b*). -TP_COLORAPP_GAMUT_TOOLTIP;Włącz kontrolę gamma w trybie L*a*b*. TP_COLORAPP_HUE;Odcień (hue, h) TP_COLORAPP_HUE_TOOLTIP;Odcień (hue, h) - kąt pomiędzy 0° a 360°. TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index fa01b5a2b..9631579b5 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -1389,7 +1389,6 @@ TP_COLORAPP_DATACIE;Histogramas de saída CIECAM02 em curvas TP_COLORAPP_DATACIE_TOOLTIP;Quando ativado, os histogramas em curvas do CIECAM02 mostram valores/intervalos aproximados para J ou Q, e C, s ou M após os ajustes do CIECAM02.\nEsta seleção não afeta o painel principal do histograma.\n\nQuando desativado, os histogramas em curvas do CIECAM02 mostram os valores L*a*b* antes dos ajustes do CIECAM02. TP_COLORAPP_FREE;Temp+verde livre + CAT02 + [saída] TP_COLORAPP_GAMUT;Controlo da gama (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Permitir controlo da gama no modo L*a*b*. TP_COLORAPP_HUE;Matiz (h) TP_COLORAPP_HUE_TOOLTIP;Matiz (h) - ângulo entre 0° e 360°. TP_COLORAPP_LABEL;Modelo de aparência de cor CIE 2002 diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index e8d7f0ed1..6c8d8210c 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -1400,7 +1400,6 @@ TP_COLORAPP_DATACIE;Histogramas de saída em curvas do CIECAM02 TP_COLORAPP_DATACIE_TOOLTIP;Quando ativado, os histogramas em curvas do CIECAM02 mostram valores/intervalos aproximados para J ou Q, e C, s ou M após os ajustes do CIECAM02.\nEsta seleção não afeta o painel principal do histograma.\n\nQuando desativado, os histogramas em curvas do CIECAM02 mostram os valores L*a*b* antes dos ajustes do CIECAM02. TP_COLORAPP_FREE;Temp+verde livre + CAT02 + [saída] TP_COLORAPP_GAMUT;Controle da gama (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Permitir controle da gama no modo L*a*b*. TP_COLORAPP_HUE;Matiz (h) TP_COLORAPP_HUE_TOOLTIP;Matiz (h) - ângulo entre 0° e 360°. TP_COLORAPP_LABEL;Modelo de Aparência de Cor CIE 2002 diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index d2067d161..6d80bf480 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -1010,7 +1010,6 @@ TP_COLORAPP_CURVEEDITOR3;Цветовая кривая TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Позволяет настроить цвет (C), насыщенность (S) или красочность (M).\n\nПоказывает гистограмму насыщенности (L*a*b*) перед CIECAM02.\nЕсли стоит галка "Показывать кривые в CIECAM02", показывает в гистограмме значения C, s или M. C, s и M не показываются в основной гистограмме.\nИтоговый вывод смотрите на основной гистограмме. TP_COLORAPP_DATACIE;Показывать кривые в CIECAM02 TP_COLORAPP_GAMUT;Контроль гаммы (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Позволяет контролировать гамму в режиме L*a*b*. TP_COLORAPP_HUE;Цвет (h) TP_COLORAPP_MODEL;Модель точки белого TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Абсолютная яркость при просмотре.\n(Обычно 16 кд/м²) diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index 9d2c95845..29d91083c 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -827,7 +827,6 @@ TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Подешава било хрому, заси TP_COLORAPP_DATACIE;CIECAM02 излазни хистограм у кривуљама TP_COLORAPP_DATACIE_TOOLTIP;Када је омогућено, хистограми у CIECAM02 кривим приказују приближне вредности/опсеге за J или Q, и C, s или M након CIECAM02 подешавања.\nОвај избор не утиче на приказ у главној површи за хистограм.\n\nКада је искључено, хистограми у CIECAM02 кривим приказују Лаб вредности пре CIECAM02 подешавања. TP_COLORAPP_GAMUT;Контрола гамута (Лаб) -TP_COLORAPP_GAMUT_TOOLTIP;Омогућава контролу гамута у Лаб режиму. TP_COLORAPP_HUE;Нијанса (h) TP_COLORAPP_HUE_TOOLTIP;Нијанса (h) - угао између 0° и 360°. TP_COLORAPP_LABEL;CIECAM 2002 модел изгледа боја diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index 17b6990a9..28332327f 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -1421,7 +1421,6 @@ TP_COLORAPP_DATACIE;CIECAM02 izhodni histogrami v krivuljah TP_COLORAPP_DATACIE_TOOLTIP;Kadar je aktivirano so histogrami, CIECAM02 krivulje prikazujejo približne vrednosti oz. intervale z J ali Q, in C, s ali M po prilagoditvah CIECAM02.\nTa izbira ne vpliva na glavni pano histogramov.\n\nKadar je deaktiviran, histogrami v CIECAM02 krivuljah kažejo vrednosti L*a*b* pred prilagoditvami CIECAM02. TP_COLORAPP_FREE;Prosta temp+zelena + CAT02 + [output] TP_COLORAPP_GAMUT;Lontrola barvega obsega (L*a*b*) -TP_COLORAPP_GAMUT_TOOLTIP;Dovoli kontrolo barvnega obsega v L*a*b* načinu. TP_COLORAPP_HUE;Odtenek (h) TP_COLORAPP_HUE_TOOLTIP;Odtenek (h) - kot med 0° in 360°. TP_COLORAPP_LABEL;CIE Prikaz barv Model 2002 diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index fa5d97143..566921dfb 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -1081,7 +1081,6 @@ TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Justera antingen kroma, mättnad eller colorful TP_COLORAPP_DATACIE;Resultat av CIECAM02-histogram i kurvor TP_COLORAPP_DATACIE_TOOLTIP;När detta är aktiverat, visar CIECAM02-histogram ungefärliga värden/intervall för J eller Q, och C, s eller M efter justeringar i CIECAM02.\nDet här valet påverkar inte huvudhistogrammet.\n\nNär detta är avaktiverat, visar histogrammet för CIECAM02-kurvor Lab-värden innan justeringar av CIECAM02 TP_COLORAPP_GAMUT;Kontroll av tonomfång (Lab) -TP_COLORAPP_GAMUT_TOOLTIP;Tillåt kontroll av tonomfång i Lab-läge TP_COLORAPP_HUE;Nyans(h) TP_COLORAPP_HUE_TOOLTIP;Nyans h) - vinkel mellan 0° och 360° TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 diff --git a/rtdata/languages/default b/rtdata/languages/default index 696778431..1b8b79450 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -2193,7 +2193,6 @@ TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the v TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode -TP_COLORAPP_GAMUT_TOOLTIP;Allow gamut control in L*a*b* mode. TP_COLORAPP_GEN;Settings TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. TP_COLORAPP_HUE;Hue (h) From 3ef618c236d71da3157c96b9e05e80b8c879af01 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Thu, 29 Sep 2022 00:44:15 +0200 Subject: [PATCH 118/170] generateTranslationDiffs --- rtdata/languages/Catala | 2151 ++++++++++++-- rtdata/languages/Chinese (Simplified) | 1750 ++++++------ rtdata/languages/Czech | 1709 +++++++++++ rtdata/languages/Dansk | 541 ++-- rtdata/languages/Deutsch | 304 +- rtdata/languages/English (UK) | 2203 ++++++++++++-- rtdata/languages/English (US) | 2203 ++++++++++++-- rtdata/languages/Espanol (Castellano) | 34 +- rtdata/languages/Espanol (Latin America) | 1815 +++++++++++- rtdata/languages/Francais | 1432 ++++++++-- rtdata/languages/Italiano | 2032 ++++++++++++- rtdata/languages/Japanese | 1 + rtdata/languages/Magyar | 2165 ++++++++++++-- rtdata/languages/Nederlands | 2533 ++++++++++++++--- rtdata/languages/Polish | 1942 ++++++++++++- rtdata/languages/Portugues | 1815 +++++++++++- rtdata/languages/Portugues (Brasil) | 1819 +++++++++++- rtdata/languages/Russian | 2035 ++++++++++++- rtdata/languages/Serbian (Cyrilic Characters) | 2034 ++++++++++++- rtdata/languages/Slovenian | 1805 ++++++++++++ rtdata/languages/Swedish | 1960 ++++++++++++- rtdata/languages/default | 2 - 22 files changed, 30999 insertions(+), 3286 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index 04c2ef201..ba7c2c04c 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -912,7 +912,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -933,7 +933,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_COLORLABEL_TOOLTIP;Color label.\n\nUse dropdown menu or shortcuts:\nShift-Ctrl-0 No Color\nShift-Ctrl-1 Red\nShift-Ctrl-2 Yellow\nShift-Ctrl-3 Green\nShift-Ctrl-4 Blue\nShift-Ctrl-5 Purple @@ -947,6 +947,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !FILEBROWSER_POPUPCOLORLABEL3;Label: Green !FILEBROWSER_POPUPCOLORLABEL4;Label: Blue !FILEBROWSER_POPUPCOLORLABEL5;Label: Purple +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPRANK0;Unrank !FILEBROWSER_POPUPRANK1;Rank 1 * !FILEBROWSER_POPUPRANK2;Rank 2 ** @@ -976,6 +977,8 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !GENERAL_AUTO;Automatic !GENERAL_CLOSE;Close !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GENERAL_OPEN;Open !GENERAL_RESET;Reset @@ -983,46 +986,55 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !GENERAL_SLIDER;Slider !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. !HISTOGRAM_TOOLTIP_CHRO;Show/Hide chromaticity histogram. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_36;Lens Correction - CA !HISTORY_MSG_117;Raw CA correction - Red !HISTORY_MSG_118;Raw CA correction - Blue !HISTORY_MSG_121;Raw CA Correction - Auto !HISTORY_MSG_166;Exposure - Reset !HISTORY_MSG_173;NR - Detail recovery -!HISTORY_MSG_174;CIECAM02 -!HISTORY_MSG_175;CAM02 - CAT02 adaptation -!HISTORY_MSG_176;CAM02 - Viewing surround -!HISTORY_MSG_177;CAM02 - Scene luminosity -!HISTORY_MSG_178;CAM02 - Viewing luminosity -!HISTORY_MSG_179;CAM02 - White-point model -!HISTORY_MSG_180;CAM02 - Lightness (J) -!HISTORY_MSG_181;CAM02 - Chroma (C) -!HISTORY_MSG_182;CAM02 - Automatic CAT02 -!HISTORY_MSG_183;CAM02 - Contrast (J) -!HISTORY_MSG_184;CAM02 - Scene surround -!HISTORY_MSG_185;CAM02 - Gamut control -!HISTORY_MSG_186;CAM02 - Algorithm -!HISTORY_MSG_187;CAM02 - Red/skin prot. -!HISTORY_MSG_188;CAM02 - Brightness (Q) -!HISTORY_MSG_189;CAM02 - Contrast (Q) -!HISTORY_MSG_190;CAM02 - Saturation (S) -!HISTORY_MSG_191;CAM02 - Colorfulness (M) -!HISTORY_MSG_192;CAM02 - Hue (h) -!HISTORY_MSG_193;CAM02 - Tone curve 1 -!HISTORY_MSG_194;CAM02 - Tone curve 2 -!HISTORY_MSG_195;CAM02 - Tone curve 1 -!HISTORY_MSG_196;CAM02 - Tone curve 2 -!HISTORY_MSG_197;CAM02 - Color curve -!HISTORY_MSG_198;CAM02 - Color curve -!HISTORY_MSG_199;CAM02 - Output histograms -!HISTORY_MSG_200;CAM02 - Tone mapping +!HISTORY_MSG_174;Color Appearance & Lighting +!HISTORY_MSG_175;CAL - SC - Adaptation +!HISTORY_MSG_176;CAL - VC - Surround +!HISTORY_MSG_177;CAL - SC - Absolute luminance +!HISTORY_MSG_178;CAL - VC - Absolute luminance +!HISTORY_MSG_179;CAL - SC - WP model +!HISTORY_MSG_180;CAL - IA - Lightness (J) +!HISTORY_MSG_181;CAL - IA - Chroma (C) +!HISTORY_MSG_182;CAL - SC - Auto adaptation +!HISTORY_MSG_183;CAL - IA - Contrast (J) +!HISTORY_MSG_184;CAL - SC - Surround +!HISTORY_MSG_185;CAL - Gamut control +!HISTORY_MSG_186;CAL - IA - Algorithm +!HISTORY_MSG_187;CAL - IA - Red/skin protection +!HISTORY_MSG_188;CAL - IA - Brightness (Q) +!HISTORY_MSG_189;CAL - IA - Contrast (Q) +!HISTORY_MSG_190;CAL - IA - Saturation (S) +!HISTORY_MSG_191;CAL - IA - Colorfulness (M) +!HISTORY_MSG_192;CAL - IA - Hue (h) +!HISTORY_MSG_193;CAL - IA - Tone curve 1 +!HISTORY_MSG_194;CAL - IA - Tone curve 2 +!HISTORY_MSG_195;CAL - IA - Tone curve 1 mode +!HISTORY_MSG_196;CAL - IA - Tone curve 2 mode +!HISTORY_MSG_197;CAL - IA - Color curve +!HISTORY_MSG_198;CAL - IA - Color curve mode +!HISTORY_MSG_199;CAL - IA - Use CAM output for histograms +!HISTORY_MSG_200;CAL - IA - Use CAM for tone mapping !HISTORY_MSG_201;NR - Chrominance - R&G !HISTORY_MSG_202;NR - Chrominance - B&Y !HISTORY_MSG_203;NR - Color space !HISTORY_MSG_204;LMMSE enhancement steps -!HISTORY_MSG_205;CAM02 - Hot/bad pixel filter -!HISTORY_MSG_206;CAT02 - Auto scene luminosity +!HISTORY_MSG_205;CAL - Hot/bad pixel filter +!HISTORY_MSG_206;CAL - SC - Auto absolute luminance !HISTORY_MSG_207;Defringe - Hue curve !HISTORY_MSG_208;WB - B/R equalizer !HISTORY_MSG_210;GF - Angle @@ -1065,7 +1077,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_247;L*a*b* - LH curve !HISTORY_MSG_248;L*a*b* - HH curve !HISTORY_MSG_249;CbDL - Threshold -!HISTORY_MSG_250;NR - Enhanced !HISTORY_MSG_251;B&W - Algorithm !HISTORY_MSG_252;CbDL - Skin tar/prot !HISTORY_MSG_253;CbDL - Reduce artifacts @@ -1089,8 +1100,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -1115,7 +1124,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -1133,10 +1141,10 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1200,14 +1208,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -1224,7 +1232,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1240,7 +1247,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -1260,30 +1267,45 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -1294,6 +1316,654 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1309,22 +1979,42 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1339,24 +2029,84 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1368,11 +2118,12 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1382,6 +2133,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1389,13 +2141,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1407,7 +2160,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1431,12 +2184,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !MAIN_MSG_PATHDOESNTEXIST;The path\n\n%1\n\ndoes not exist. Please set a correct path in Preferences. !MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! !MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -!MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. +!MAIN_MSG_WRITEFAILED;Failed to write\n'%1'\n\nMake sure that the folder exists and that you have write permission to it. !MAIN_TAB_ADVANCED;Advanced !MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u !MAIN_TAB_INSPECT; Inspect +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. !MONITOR_PROFILE_SYSTEM;System default @@ -1450,25 +2205,28 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !NAVIGATOR_R;R: !NAVIGATOR_S;S: !NAVIGATOR_V;V: -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_CHANNELMIXERBW;Black-and-white -!PARTIALPASTE_COLORAPP;CIECAM02 +!PARTIALPASTE_COLORAPP;Color Appearance & Lighting !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control !PARTIALPASTE_GRADIENT;Graduated filter !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_PCVIGNETTE;Vignette filter !PARTIALPASTE_PREPROCESS_DEADPIXFILT;Dead pixel filter !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1478,6 +2236,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_RETINEX;Retinex !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PREFERENCES_APPEARANCE;Appearance !PREFERENCES_APPEARANCE_COLORPICKERFONT;Color picker font @@ -1502,10 +2261,16 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1522,10 +2287,17 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID !PREFERENCES_DIRECTORIES;Directories !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. !PREFERENCES_HISTOGRAM_TOOLTIP;If enabled, the working profile is used for rendering the main histogram and the Navigator panel, otherwise the gamma-corrected output profile is used. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. @@ -1554,12 +2326,13 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_TAB_PERFORMANCE;Performance !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview @@ -1567,6 +2340,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_GLOBALPROFILES;Bundled profiles !PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles @@ -1599,7 +2373,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !SAVEDLG_SUBSAMP_TOOLTIP;Best compression:\nJ:a:b 4:2:0\nh/v 2/2\nChroma halved horizontally and vertically.\n\nBalanced:\nJ:a:b 4:2:2\nh/v 2/1\nChroma halved horizontally.\n\nBest quality:\nJ:a:b 4:4:4\nh/v 1/1\nNo chroma subsampling. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_BWMIX_ALGO;Algorithm OYCPM !TP_BWMIX_ALGO_LI;Linear !TP_BWMIX_ALGO_SP;Special effects @@ -1634,7 +2415,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% -!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. !TP_BWMIX_SETTING;Presets !TP_BWMIX_SETTING_TOOLTIP;Different presets (film, landscape, etc.) or manual Channel Mixer settings. @@ -1663,6 +2444,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_CBDL_METHOD;Process located !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_ALGO;Algorithm !TP_COLORAPP_ALGO_ALL;All !TP_COLORAPP_ALGO_JC;Lightness + Chroma (JC) @@ -1672,50 +2454,76 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORAPP_BADPIXSL;Hot/bad pixel filter !TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. !TP_COLORAPP_BRIGHT;Brightness (Q) -!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02 takes into account the white's luminosity and differs from L*a*b* and RGB brightness. +!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed !TP_COLORAPP_CHROMA;Chroma (C) !TP_COLORAPP_CHROMA_M;Colorfulness (M) -!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM02 differs from L*a*b* and RGB colorfulness. +!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. !TP_COLORAPP_CHROMA_S;Saturation (S) -!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02 differs from L*a*b* and RGB saturation. -!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02 differs from L*a*b* and RGB chroma. -!TP_COLORAPP_CIECAT_DEGREE;CAT02 adaptation +!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the color of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. +!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. +!TP_COLORAPP_CIECAT_DEGREE;Adaptation !TP_COLORAPP_CONTRAST;Contrast (J) !TP_COLORAPP_CONTRAST_Q;Contrast (Q) -!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CONTRAST_TOOLTIP;Differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. !TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of J or Q after CIECAM02.\n\nJ and Q are not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. !TP_COLORAPP_CURVEEDITOR2;Tone curve 2 -!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the second exposure tone curve. +!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. !TP_COLORAPP_CURVEEDITOR3;Color curve -!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of C, s or M after CIECAM02.\n\nC, s and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -!TP_COLORAPP_DATACIE;CIECAM02 output histograms in curves -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] -!TP_COLORAPP_GAMUT;Gamut control (L*a*b*) +!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +!TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves +!TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_HUE;Hue (h) -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. -!TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 +!TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_LABEL;Color Appearance & Lighting !TP_COLORAPP_LABEL_CAM02;Image Adjustments !TP_COLORAPP_LABEL_SCENE;Scene Conditions !TP_COLORAPP_LABEL_VIEWING;Viewing Conditions !TP_COLORAPP_LIGHT;Lightness (J) -!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02 differs from L*a*b* and RGB lightness. +!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_MODEL;WP Model -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODEL;WP model +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUND;Surround +!TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURROUND_AVER;Average !TP_COLORAPP_SURROUND_DARK;Dark !TP_COLORAPP_SURROUND_DIM;Dim !TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. +!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TCMODE_BRIGHTNESS;Brightness !TP_COLORAPP_TCMODE_CHROMA;Chroma !TP_COLORAPP_TCMODE_COLORF;Colorfulness @@ -1724,19 +2532,24 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02 +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). -!TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] !TP_COLORAPP_WBRT;WB [RT] + [output] +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1766,11 +2579,11 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1787,6 +2600,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORTONING_TWOBY;Special a* and b* !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTHARMMEANS;Harmonic Means !TP_CROP_GTTRIANGLE1;Golden Triangles 1 !TP_CROP_GTTRIANGLE2;Golden Triangles 2 @@ -1795,7 +2609,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_CROP_SELECTCROP;Select !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1807,7 +2621,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual !TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -1828,14 +2642,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1865,11 +2679,21 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength @@ -1890,6 +2714,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_GRADIENT_STRENGTH;Strength !TP_GRADIENT_STRENGTH_TOOLTIP;Filter strength in stops. !TP_HLREC_ENA_TOOLTIP;Could be activated by Auto Levels. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table @@ -1899,26 +2724,73 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LABCURVE_CHROMA_TOOLTIP;To apply B&W toning, set Chromaticity to -100. !TP_LABCURVE_CURVEEDITOR_CL;CL -!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L) +!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L). !TP_LABCURVE_CURVEEDITOR_HH;HH -!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H) +!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H). !TP_LABCURVE_CURVEEDITOR_LH;LH -!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) -!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) +!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H). +!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L). !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatically selected @@ -1935,6 +2807,799 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata @@ -1948,6 +3613,27 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_PCVIGNETTE_STRENGTH;Strength !TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filter strength in stops (reached in corners). !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PFCURVE_CURVEEDITOR_CH;Hue !TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Controls defringe strength by color.\nHigher = more,\nLower = less. !TP_PREPROCESS_DEADPIXFILT;Dead pixel filter @@ -1960,10 +3646,14 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAWEXPOS_BLACK_0;Green 1 (lead) !TP_RAWEXPOS_BLACK_1;Red @@ -1979,9 +3669,11 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DMETHOD_PROGRESSBAR;%1 demosaicing... !TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demosaicing refinement... @@ -2004,6 +3696,8 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2014,7 +3708,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2029,16 +3723,21 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans !TP_RESIZE_ALLOW_UPSCALING;Allow Upscaling +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_HSL;HSL histogram !TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram !TP_RETINEX_CONTEDIT_LH;Hue @@ -2046,7 +3745,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -2054,7 +3753,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -2069,7 +3768,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -2088,8 +3787,8 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2102,9 +3801,9 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2113,7 +3812,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2128,6 +3827,11 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_SHARPENMICRO_CONTRAST;Contrast threshold !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2141,22 +3845,28 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2164,29 +3874,42 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2194,112 +3917,186 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_EQBLUERED;Blue/Red equalizer -!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. +!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. !TP_WBALANCE_PICKER;Pick +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !TP_WBALANCE_WATER1;UnderWater 1 !TP_WBALANCE_WATER2;UnderWater 2 !TP_WBALANCE_WATER_HEADER;UnderWater diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 03381acac..6d20ca9d3 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -151,6 +151,7 @@ FILEBROWSER_POPUPCOLORLABEL4;标签:蓝 FILEBROWSER_POPUPCOLORLABEL5;标签:紫 FILEBROWSER_POPUPCOPYTO;复制至... FILEBROWSER_POPUPFILEOPERATIONS;文件操作 +FILEBROWSER_POPUPINSPECT;检视 FILEBROWSER_POPUPMOVEEND;移动到队列尾部 FILEBROWSER_POPUPMOVEHEAD;移动到队列头部 FILEBROWSER_POPUPMOVETO;移动至... @@ -226,8 +227,10 @@ GENERAL_BEFORE;处理前 GENERAL_CANCEL;取消 GENERAL_CLOSE;关闭 GENERAL_CURRENT;当前 +GENERAL_DELETE_ALL;删除全部 GENERAL_DISABLE;禁用 GENERAL_DISABLED;禁用 +GENERAL_EDIT;编辑 GENERAL_ENABLE;启用 GENERAL_ENABLED;开启 GENERAL_FILE;文件 @@ -241,6 +244,7 @@ GENERAL_OPEN;打开 GENERAL_PORTRAIT;纵向 GENERAL_RESET;重置 GENERAL_SAVE;保存 +GENERAL_SAVE_AS;保存为... GENERAL_SLIDER;滑条 GENERAL_UNCHANGED;(无改变) GENERAL_WARNING;警告 @@ -248,10 +252,19 @@ GIMP_PLUGIN_INFO;欢迎使用RawTherapee的GIMP插件!\n完成编辑后,只 HISTOGRAM_TOOLTIP_B;显示/隐藏 蓝色直方图 HISTOGRAM_TOOLTIP_BAR;显示/隐藏RGB指示条 HISTOGRAM_TOOLTIP_CHRO;显示/隐藏色度直方图 +HISTOGRAM_TOOLTIP_CROSSHAIR;显示/隐藏指示光标 HISTOGRAM_TOOLTIP_G;显示/隐藏绿色直方图 HISTOGRAM_TOOLTIP_L;显示/隐藏CIELAB亮度直方图 HISTOGRAM_TOOLTIP_MODE;将直方图显示模式切换为线性/对数线性/双对数 HISTOGRAM_TOOLTIP_R;显示/隐藏红色直方图 +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;显示/隐藏示波器选项 +HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;调整示波器亮度 +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;直方图 +HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw直方图 +HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB示波器 +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;色相-色度矢量示波器 +HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;色相-饱和度矢量示波器 +HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;波形图 HISTORY_CHANGED;已更改 HISTORY_CUSTOMCURVE;自定义曲线 HISTORY_FROMCLIPBOARD;从剪贴板 @@ -394,7 +407,14 @@ HISTORY_MSG_146;边缘锐化 HISTORY_MSG_147;边缘锐化-仅亮度 HISTORY_MSG_148;微反差 HISTORY_MSG_149;微反差-3×3阵列 +HISTORY_MSG_150;去马赛克后降噪/去杂点 +HISTORY_MSG_151;鲜明度 +HISTORY_MSG_152;鲜明-欠饱和色 +HISTORY_MSG_153;鲜明-饱和色 +HISTORY_MSG_154;鲜明-肤色保护 HISTORY_MSG_155;Vib-避免色彩偏移 +HISTORY_MSG_156;鲜明-饱和/欠饱和挂钩 +HISTORY_MSG_157;鲜明-饱/欠阈值 HISTORY_MSG_158;色调映射-力度 HISTORY_MSG_159;色调映射-边缘 HISTORY_MSG_160;色调映射-规模度 @@ -540,21 +560,58 @@ HISTORY_MSG_309;小波-边缘锐度-细节 HISTORY_MSG_310;小波-残差图-肤色保护 HISTORY_MSG_311;小波-小波层级 HISTORY_MSG_312;小波-残差图-阴影阈值 +HISTORY_MSG_313;小波-色度-饱和/欠饱和 +HISTORY_MSG_314;小波-色域-减少杂点 HISTORY_MSG_315;小波-残差图-反差 +HISTORY_MSG_316;小波-色域-肤色针对 +HISTORY_MSG_317;小波-色域-肤色色相 HISTORY_MSG_318;小波-反差-精细等级 HISTORY_MSG_319;小波-反差-精细范围 HISTORY_MSG_320;小波-反差-粗糙范围 HISTORY_MSG_321;小波-反差-粗糙等级 +HISTORY_MSG_322;小波-色域-避免偏色 +HISTORY_MSG_323;小波-边缘-局部反差 +HISTORY_MSG_324;小波-色度-欠饱和 +HISTORY_MSG_325;小波-色度-饱和 +HISTORY_MSG_326;小波-色度-方法 +HISTORY_MSG_327;小波-反差-应用到 +HISTORY_MSG_328;小波-色度-力度挂钩 +HISTORY_MSG_329;小波-调色-红绿不透明度 +HISTORY_MSG_330;小波-调色-蓝黄不透明度 +HISTORY_MSG_331;小波-反差等级-额外 +HISTORY_MSG_332;小波-切片方法 +HISTORY_MSG_333;小波-残差图-阴影 +HISTORY_MSG_334;小波-残差图-色度 +HISTORY_MSG_335;小波-残差图-高光 +HISTORY_MSG_336;小波-残差图-高光阈值 +HISTORY_MSG_337;小波-残差图-天空色相 HISTORY_MSG_338;小波-边缘锐度-半径 HISTORY_MSG_339;小波-边缘锐度-力度 HISTORY_MSG_340;小波-力度 HISTORY_MSG_341;小波-边缘表现 +HISTORY_MSG_342;小波-边缘-第一级 +HISTORY_MSG_343;小波-色度等级 +HISTORY_MSG_345;小波-边缘-局部反差 +HISTORY_MSG_346;小波-边缘-局部反差方法 HISTORY_MSG_347;小波-去噪-第1级 HISTORY_MSG_348;小波-去噪-第2级 HISTORY_MSG_349;小波-去噪-第3级 +HISTORY_MSG_350;小波-边缘-边缘检测 +HISTORY_MSG_351;小波-残差图-HH曲线 +HISTORY_MSG_353;小波-边缘-渐变敏感度 +HISTORY_MSG_354;小波-边缘-增强 +HISTORY_MSG_355;小波-边缘-阈值低 +HISTORY_MSG_356;小波-边缘-阈值高 HISTORY_MSG_357;小波-去噪-边缘锐度挂钩 HISTORY_MSG_359;热像素/坏点阈值 HISTORY_MSG_360;色调映射-伽马 +HISTORY_MSG_361;小波-最终-色度平衡 +HISTORY_MSG_362;小波-残差图-压缩方法 +HISTORY_MSG_363;小波-残差图-压缩力度 +HISTORY_MSG_364;小波-最终-反差平衡 +HISTORY_MSG_368;小波-最终-反差平衡 +HISTORY_MSG_369;小波-最终-平衡方法 +HISTORY_MSG_370;小波-最终-局部反差曲线 HISTORY_MSG_371;调整大小后加锐(PRS) HISTORY_MSG_372;PRS USM-半径 HISTORY_MSG_373;PRS USM-数量 @@ -569,7 +626,11 @@ HISTORY_MSG_381;PRS RLD-半径 HISTORY_MSG_382;PRS RLD-数量 HISTORY_MSG_383;PRS RLD-衰减 HISTORY_MSG_384;PRS RLD-迭代 +HISTORY_MSG_385;小波-残差图-色彩平衡 +HISTORY_MSG_403;小波-边缘-敏感度 +HISTORY_MSG_404;小波-边缘-放大基数 HISTORY_MSG_405;小波-去噪-第4级 +HISTORY_MSG_406;小波-边缘-边缘像素 HISTORY_MSG_440;CbDL-方法 HISTORY_MSG_445;Raw子图像 HISTORY_MSG_449;像素偏移-ISO适应 @@ -605,6 +666,120 @@ HISTORY_MSG_491;白平衡 HISTORY_MSG_492;RGB曲线 HISTORY_MSG_493;L*a*b*调整 HISTORY_MSG_494;捕图加锐 +HISTORY_MSG_496;删除局部调整点 +HISTORY_MSG_497;选中局部调整点 +HISTORY_MSG_498;局部调整点名称 +HISTORY_MSG_499;局部调整点可见性 +HISTORY_MSG_500;局部调整点形状 +HISTORY_MSG_501;局部调整点模式 +HISTORY_MSG_502;局部调整点形状模式 +HISTORY_MSG_512;局部调整点ΔE -衰减 +HISTORY_MSG_515;局部调整 +HISTORY_MSG_516;局部-色彩与亮度 +HISTORY_MSG_518;局部-亮度 +HISTORY_MSG_519;局部-反差 +HISTORY_MSG_520;局部-色度 +HISTORY_MSG_521;局部-范围 +HISTORY_MSG_522;局部-曲线模式 +HISTORY_MSG_523;局部-LL曲线 +HISTORY_MSG_524;局部-CC曲线 +HISTORY_MSG_525;局部-LH曲线 +HISTORY_MSG_526;局部-H曲线 +HISTORY_MSG_528;局部-曝光 +HISTORY_MSG_529;局部-曝光补偿 +HISTORY_MSG_530;局部-曝补 高光补偿 +HISTORY_MSG_531;局部-曝补 高光补偿阈值 +HISTORY_MSG_533;局部-曝补 阴影补偿 +HISTORY_MSG_534;局部-冷暖 +HISTORY_MSG_535;局部-曝补 范围 +HISTORY_MSG_536;局部-曝光对比度曲线 +HISTORY_MSG_537;局部-鲜明度 +HISTORY_MSG_538;局部-鲜明 饱和色 +HISTORY_MSG_539;局部-鲜明 欠饱和色 +HISTORY_MSG_540;局部-鲜明 阈值 +HISTORY_MSG_541;局部-鲜明 肤色保护 +HISTORY_MSG_542;局部-鲜明 避免偏色 +HISTORY_MSG_543;局部-鲜明 挂钩 +HISTORY_MSG_544;局部-鲜明 范围 +HISTORY_MSG_545;局部-鲜明 H曲线 +HISTORY_MSG_546;局部-模糊与噪点 +HISTORY_MSG_547;局部-半径 +HISTORY_MSG_548;局部-噪点 +HISTORY_MSG_550;局部-模糊方法 +HISTORY_MSG_552;局部-色调映射 +HISTORY_MSG_553;局部-色映 压缩力度 +HISTORY_MSG_554;局部-色映 伽马 +HISTORY_MSG_555;局部-色映 边缘力度 +HISTORY_MSG_557;局部-色映 再加权 +HISTORY_MSG_568;局部-锐化 +HISTORY_MSG_569;局部-锐化 半径 +HISTORY_MSG_570;局部-锐化 数量 +HISTORY_MSG_571;局部-锐化 抑制 +HISTORY_MSG_572;局部-锐化 迭代 +HISTORY_MSG_573;局部-锐化 范围 +HISTORY_MSG_574;局部-锐化 反转 +HISTORY_MSG_575;局部-分频反差 +HISTORY_MSG_580;局部-去噪 +HISTORY_MSG_593;局部-局部反差 +HISTORY_MSG_594;局部-局部反差半径 +HISTORY_MSG_595;局部-局部反差数量 +HISTORY_MSG_596;局部-局部反差暗部 +HISTORY_MSG_597;局部-局部反差亮部 +HISTORY_MSG_606;选中局部调整点 +HISTORY_MSG_624;局部-色彩矫正网格 +HISTORY_MSG_625;局部-色彩矫正力度 +HISTORY_MSG_626;局部-色彩矫正方法 +HISTORY_MSG_627;局部-阴影高光 +HISTORY_MSG_628;局部-阴影高光 高光 +HISTORY_MSG_629;局部-阴影高光 高光范围 +HISTORY_MSG_630;局部-阴影高光 阴影 +HISTORY_MSG_631;局部-阴影高光 阴影范围 +HISTORY_MSG_632;局部-阴影高光 半径 +HISTORY_MSG_633;局部-阴影高光 范围 +HISTORY_MSG_645;局部-ΔE ab-L平衡 +HISTORY_MSG_674;局部-工具移除 +HISTORY_MSG_688;局部-工具移除 +HISTORY_MSG_767;局部-颗粒ISO +HISTORY_MSG_768;局部-颗粒力度 +HISTORY_MSG_786;局部-阴影高光 方法 +HISTORY_MSG_793;局部-阴影高光 TRC伽马 +HISTORY_MSG_798;局部-不透明度 +HISTORY_MSG_839;局部-软件复杂度 +HISTORY_MSG_845;局部-Log编码 +HISTORY_MSG_854;局部-Log编码 范围 +HISTORY_MSG_927;局部-阴影 +HISTORY_MSG_954;局部-显示/隐藏工具 +HISTORY_MSG_958;局部-显示/隐藏设置 +HISTORY_MSG_960;局部-Log编码 cat16 +HISTORY_MSG_961;局部-Log编码 Ciecam +HISTORY_MSG_1057;局部-启用CIECAM +HISTORY_MSG_1058;局部-CIECAM 总体力度 +HISTORY_MSG_1063;局部-CIECAM 饱和度 +HISTORY_MSG_1064;局部-CIECAM 彩度 +HISTORY_MSG_1065;局部-CIECAM 明度 J +HISTORY_MSG_1066;局部-CIECAM 视明度 +HISTORY_MSG_1067;局部-CIECAM 对比度J +HISTORY_MSG_1068;局部-CIECAM 阈值 +HISTORY_MSG_1069;局部-CIECAM 对比度Q +HISTORY_MSG_1070;局部-CIECAM 视彩度 +HISTORY_MSG_1071;局部-CIECAM 绝对亮度 +HISTORY_MSG_1072;局部-CIECAM 平均亮度 +HISTORY_MSG_1073;局部-CIECAM Cat16 +HISTORY_MSG_1074;局部-CIECAM 局部反差 +HISTORY_MSG_1076;局部-CIECAM 范围 +HISTORY_MSG_1077;局部-CIECAM 模式 +HISTORY_MSG_1078;局部-红色与肤色保护 +HISTORY_MSG_1085;Local - Jz 明度 +HISTORY_MSG_1093;局部-色貌模型 +HISTORY_MSG_1103;局部-鲜明 伽马 +HISTORY_MSG_1105;局部-CIECAM 色调模式 +HISTORY_MSG_1106;局部-CIECAM 色调曲线 +HISTORY_MSG_1107;局部-CIECAM 色彩模式 +HISTORY_MSG_1108;局部-CIECAM 色彩曲线 +HISTORY_MSG_BLUWAV;衰减响应 +HISTORY_MSG_CATCAT;Cat02/16模式 +HISTORY_MSG_CATCOMPLEX;Ciecam复杂度 +HISTORY_MSG_CATMODEL;CAM模型 HISTORY_MSG_CLAMPOOG;超色域色彩溢出 HISTORY_MSG_COLORTONING_LABGRID_VALUE;色调分离-色彩矫正 HISTORY_MSG_COLORTONING_LABREGION_AB;色调分离-色彩矫正 @@ -620,16 +795,20 @@ HISTORY_MSG_COLORTONING_LABREGION_POWER;色调分离-区域能量 HISTORY_MSG_COLORTONING_LABREGION_SATURATION;色调分离-饱和度 HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;色调分离-显示蒙版 HISTORY_MSG_COLORTONING_LABREGION_SLOPE;色调分离-区域斜率 +HISTORY_MSG_COMPLEX;小波复杂度 HISTORY_MSG_DEHAZE_DEPTH;去雾-纵深 HISTORY_MSG_DEHAZE_ENABLED;去雾 HISTORY_MSG_DEHAZE_LUMINANCE;去雾-仅亮度 +HISTORY_MSG_DEHAZE_SATURATION;去雾-饱和度 HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;去雾-显示纵深蒙版 HISTORY_MSG_DEHAZE_STRENGTH;去雾-力度 HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;双重去马赛克-自动阈值 HISTORY_MSG_DUALDEMOSAIC_CONTRAST;双重去马赛克-反差阈值 +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;胶片负片色彩空间 HISTORY_MSG_FILMNEGATIVE_ENABLED;胶片负片 HISTORY_MSG_FILMNEGATIVE_VALUES;胶片负片值 HISTORY_MSG_HISTMATCHING;自适应色调曲线 +HISTORY_MSG_ICM_FBW;黑白 HISTORY_MSG_LOCALCONTRAST_AMOUNT;局部反差-数量 HISTORY_MSG_LOCALCONTRAST_DARKNESS;局部反差-暗部 HISTORY_MSG_LOCALCONTRAST_ENABLED;局部反差 @@ -652,13 +831,21 @@ HISTORY_MSG_RAWCACORR_AUTOIT;Raw色差矫正-迭代 HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw色差矫正-避免偏色 HISTORY_MSG_RAW_BORDER;Raw边界 HISTORY_MSG_RESIZE_ALLOWUPSCALING;调整大小-允许升采样 +HISTORY_MSG_RESIZE_LONGEDGE;调整大小-长边 +HISTORY_MSG_RESIZE_SHORTEDGE;调整大小-短边 HISTORY_MSG_SHARPENING_BLUR;锐化-模糊半径 HISTORY_MSG_SHARPENING_CONTRAST;锐化-反差阈值 HISTORY_MSG_SH_COLORSPACE;阴影/高光-色彩空间 HISTORY_MSG_SOFTLIGHT_ENABLED;柔光 HISTORY_MSG_SOFTLIGHT_STRENGTH;柔光-力度 +HISTORY_MSG_SPOT;污点移除 HISTORY_MSG_TM_FATTAL_ANCHOR;DRC-锚点 HISTORY_MSG_TRANS_Method;几何-方法 +HISTORY_MSG_WAVLEVELSIGM;去噪-半径 +HISTORY_MSG_WAVLEVSIGM;半径 +HISTORY_MSG_WAVOFFSET;偏移 +HISTORY_MSG_WAVQUAMET;去噪模式 +HISTORY_MSG_WAVSIGMA;衰减响应 HISTORY_NEWSNAPSHOT;新建快照 HISTORY_NEWSNAPSHOT_TOOLTIP;快捷键:Alt-s HISTORY_SNAPSHOT;快照 @@ -666,7 +853,11 @@ HISTORY_SNAPSHOTS;快照 ICCPROFCREATOR_COPYRIGHT;版权: ICCPROFCREATOR_CUSTOM;自定义 ICCPROFCREATOR_DESCRIPTION;描述: +ICCPROFCREATOR_GAMMA;伽马 +ICCPROFCREATOR_ILL_DEF;默认 ICCPROFCREATOR_SAVEDIALOG_TITLE;将ICC档案保存为... +ICCPROFCREATOR_TRC_PRESET;色调响应曲线 +INSPECTOR_WINDOW_TITLE;检视器 IPTCPANEL_CATEGORY;类别 IPTCPANEL_CITY;城市 IPTCPANEL_COPYHINT;将IPTC设置复制到剪贴板 @@ -732,6 +923,8 @@ MAIN_TAB_FAVORITES_TOOLTIP;快捷键: Alt-u MAIN_TAB_FILTER;过滤器 MAIN_TAB_INSPECT;检视 MAIN_TAB_IPTC;IPTC +MAIN_TAB_LOCALLAB;局部 +MAIN_TAB_LOCALLAB_TOOLTIP;快捷键:Alt-o MAIN_TAB_METADATA;元数据 MAIN_TAB_METADATA_TOOLTIP;快捷键:Alt-m MAIN_TAB_RAW;Raw @@ -815,6 +1008,9 @@ PARTIALPASTE_LABCURVE;Lab调整 PARTIALPASTE_LENSGROUP;镜头相关设置 PARTIALPASTE_LENSPROFILE;镜片修正档案 PARTIALPASTE_LOCALCONTRAST;局部反差 +PARTIALPASTE_LOCALLAB;局部调整 +PARTIALPASTE_LOCALLABGROUP;局部调整设置 +PARTIALPASTE_LOCGROUP;局部 PARTIALPASTE_METADATA;元数据模式 PARTIALPASTE_METAGROUP;元数据 PARTIALPASTE_PCVIGNETTE;暗角滤镜 @@ -824,6 +1020,7 @@ PARTIALPASTE_PREPROCESS_GREENEQUIL;绿平衡 PARTIALPASTE_PREPROCESS_HOTPIXFILT;热噪过滤器 PARTIALPASTE_PREPROCESS_LINEDENOISE;线状噪点过滤 PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF条纹过滤器 +PARTIALPASTE_PREPROCWB;预处理白平衡 PARTIALPASTE_PRSHARPENING;调整大小后锐化 PARTIALPASTE_RAWCACORR_AUTO;色差自动矫正 PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA避免偏色 @@ -847,10 +1044,11 @@ PARTIALPASTE_SHARPENEDGE;边缘锐化 PARTIALPASTE_SHARPENING;锐化 PARTIALPASTE_SHARPENMICRO;微反差 PARTIALPASTE_SOFTLIGHT;柔光 +PARTIALPASTE_SPOT;污点移除 PARTIALPASTE_TM_FATTAL;动态范围压缩 -PARTIALPASTE_鲜明度;鲜艳度 PARTIALPASTE_VIGNETTING;暗角矫正 PARTIALPASTE_WHITEBALANCE;白平衡 +PARTIALPASTE_鲜明度;鲜艳度 PREFERENCES_ADD;相加 PREFERENCES_APPEARANCE;外观 PREFERENCES_APPEARANCE_COLORPICKERFONT;拾色器字体 @@ -881,11 +1079,16 @@ PREFERENCES_CHUNKSIZE_RAW_AMAZE;AMaZE去马赛克 PREFERENCES_CHUNKSIZE_RAW_CA;Raw色差矫正 PREFERENCES_CHUNKSIZE_RAW_RCD;RCD去马赛克 PREFERENCES_CHUNKSIZE_RGB;RGB处理 +PREFERENCES_CIEARTIF;避免杂点 PREFERENCES_CLIPPINGIND;高光溢出提示 PREFERENCES_CLUTSCACHE;HaldCLUT缓存 PREFERENCES_CLUTSCACHE_LABEL;CLUT最大缓存数 PREFERENCES_CLUTSDIR;HaldCLUT路径 PREFERENCES_CMMBPC;黑场补偿 +PREFERENCES_COMPLEXITYLOC;局部调整工具默认复杂程度 +PREFERENCES_COMPLEXITY_EXP;高级 +PREFERENCES_COMPLEXITY_NORM;标准 +PREFERENCES_COMPLEXITY_SIMP;基础 PREFERENCES_CROP;裁剪编辑 PREFERENCES_CROP_AUTO_FIT;自动放大以适应裁剪 PREFERENCES_CROP_GUIDES;在不编辑裁剪区域时,裁剪区域所显示的辅助方式 @@ -912,6 +1115,10 @@ PREFERENCES_DIRSELECTDLG;启动时选择图片路径... PREFERENCES_DIRSOFTWARE;软件安装路径 PREFERENCES_EDITORCMDLINE;自定义命令行 PREFERENCES_EDITORLAYOUT;编辑器布局 +PREFERENCES_EXTEDITOR_DIR;输出目录 +PREFERENCES_EXTEDITOR_DIR_CURRENT;与输入图片相同 +PREFERENCES_EXTEDITOR_DIR_CUSTOM;自定义 +PREFERENCES_EXTEDITOR_DIR_TEMP;操作系统临时文件夹 PREFERENCES_EXTERNALEDITOR;外部编辑器 PREFERENCES_FBROWSEROPTS;文件浏览器选项 PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;在文件浏览器中显示紧凑的工具栏 @@ -929,6 +1136,7 @@ PREFERENCES_HISTOGRAM_TOOLTIP;启用后,当前使用的后期配置档案将 PREFERENCES_HLTHRESHOLD;高光溢出阈值 PREFERENCES_ICCDIR;ICC配置路径 PREFERENCES_IMPROCPARAMS;默认图片处理参数 +PREFERENCES_INSPECTORWINDOW;以单独窗口或全屏打开检视器 PREFERENCES_INSPECT_LABEL;检视 PREFERENCES_INSPECT_MAXBUFFERS_LABEL;最大缓存图片数 PREFERENCES_INTENT_ABSOLUTE;绝对比色 @@ -996,6 +1204,7 @@ PREFERENCES_SHOWBASICEXIF;显示基本Exif信息 PREFERENCES_SHOWDATETIME;显示时间日期 PREFERENCES_SHOWEXPOSURECOMPENSATION;附带曝光补偿 PREFERENCES_SHOWFILMSTRIPTOOLBAR;显示“数码底片夹”栏 +PREFERENCES_SHOWTOOLTIP;显示局部调整工具提示 PREFERENCES_SHTHRESHOLD;阴影过暗阈值 PREFERENCES_SINGLETAB;单编辑器标签模式 PREFERENCES_SINGLETABVERTAB;单编辑器标签模式, 标签栏垂直 @@ -1019,6 +1228,7 @@ PREFERENCES_TP_LABEL;工具栏 PREFERENCES_TP_VSCROLLBAR;隐藏垂直滚动条 PREFERENCES_USEBUNDLEDPROFILES;启用内置预设 PREFERENCES_WORKFLOW;软件界面 +PREFERENCES_ZOOMONSCROLL;滚动鼠标滚轮控制图片缩放 PROFILEPANEL_COPYPPASTE;要复制的参数 PROFILEPANEL_GLOBALPROFILES;附带档案 PROFILEPANEL_LABEL;处理参数配置 @@ -1174,6 +1384,10 @@ TP_COLORAPP_BADPIXSL_TOOLTIP;对热像素/坏点(非常亮的色彩)的抑 TP_COLORAPP_BRIGHT;视明度 (Q) TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM的视明度指的是人对于刺激物的感知亮度,与Lab和RGB的亮度不同 TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;当手动设置时,推荐使用大于65的值 +TP_COLORAPP_CATCLASSIC;经典 +TP_COLORAPP_CATMOD;Cat02/16模式 +TP_COLORAPP_CATSYMGEN;自动对称 +TP_COLORAPP_CATSYMSPE;混合 TP_COLORAPP_CHROMA;彩度 (C) TP_COLORAPP_CHROMA_M;视彩度 (M) TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM的视彩度是相对灰色而言,人所感知到的色彩量,是一个指示某个刺激物在感官上的色彩强弱的参数。 @@ -1195,6 +1409,7 @@ TP_COLORAPP_DATACIE;在曲线中显示CIECAM02/16输出直方图 TP_COLORAPP_DATACIE_TOOLTIP;启用后,CIECAM02/16直方图中会显示CIECAM02/16应用后的J,以及C,S或M的大概值/范围。\n勾选此选项不会影响主直方图\n\n关闭选项后,CIECAM02/16直方图中会显示CIECAM02/16应用前的L*a*b*值 TP_COLORAPP_FREE;自由色温+色调+CAT02/16+[输出] TP_COLORAPP_GAMUT;色域控制(L*a*b*) +TP_COLORAPP_GEN;设置 - 预设 TP_COLORAPP_HUE;色相(h) TP_COLORAPP_HUE_TOOLTIP;色相(h)是一个刺激物可以被描述为接近于红,绿,蓝,黄色的一个角度 TP_COLORAPP_LABEL;CIE色貌模型02/16 @@ -1205,17 +1420,21 @@ TP_COLORAPP_LIGHT;明度 (J) TP_COLORAPP_LIGHT_TOOLTIP; CIECAM02/16中的“明度”指一个刺激物的清晰度与相似观察条件下的白色物体清晰度之相对值,与Lab和RGB的“明度”意义不同 TP_COLORAPP_MEANLUMINANCE;平均亮度(Yb%) TP_COLORAPP_MODEL;白点模型 +TP_COLORAPP_MODELCAT;色貌模型 +TP_COLORAPP_MODELCAT_TOOLTIP;允许你在CIECAM02或CIECAM16之间进行选择\nCIECAM02在某些时候会更加准确\nCIECAM16的杂点应该更少 TP_COLORAPP_MODEL_TOOLTIP;白平衡[RT]+[输出]:RT的白平衡被应用到场景,CIECAM02/16被设为D50,输出设备的白平衡被设置为观察条件\n\n白平衡[RT+CAT02/16]+[输出]:CAT02/16使用RT的白平衡设置,输出设备的白平衡被设置为观察条件\n\n自由色温+色调+CAT02/16+[输出]:用户指定色温和色调,输出设备的白平衡被设置为观察条件 TP_COLORAPP_NEUTRAL;重置 TP_COLORAPP_NEUTRAL_TOOLTIP;将所有复选框、滑条和曲线还原到默认状态 TP_COLORAPP_RSTPRO;红色与肤色保护 TP_COLORAPP_RSTPRO_TOOLTIP;滑条和曲线均受红色与肤色保护影响 TP_COLORAPP_SURROUND;周围环境 +TP_COLORAPP_SURROUNDSRC;周围 - 场景亮度 TP_COLORAPP_SURROUND_AVER;一般 TP_COLORAPP_SURROUND_DARK;黑暗 TP_COLORAPP_SURROUND_DIM;昏暗 TP_COLORAPP_SURROUND_EXDARK;极暗 TP_COLORAPP_SURROUND_TOOLTIP;改变色调和色彩以考虑到输出设备的观察条件。\n\n一般:一般的光照环境(标准)。图像不会变化。\n\n昏暗:昏暗环境(如电视)。图像会略微变暗。\n\n黑暗:黑暗环境(如投影仪)。图像会变得更暗。\n\n极暗:非常暗的环境(Cutsheet)。图像会变得很暗 +TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n平均:平均的亮度条件(标准)。图像不被改变\n\n昏暗:较暗的场景。图像会被略微提亮\n\n黑暗:黑暗的环境。图像会被提亮\n\n极暗:非常暗的环境。图片会变得非常亮 TP_COLORAPP_TCMODE_BRIGHTNESS;视明度 TP_COLORAPP_TCMODE_CHROMA;彩度 TP_COLORAPP_TCMODE_COLORF;视彩度 @@ -1305,6 +1524,7 @@ TP_DEFRINGE_THRESHOLD;阈值 TP_DEHAZE_DEPTH;纵深 TP_DEHAZE_LABEL;去雾 TP_DEHAZE_LUMINANCE;仅亮度 +TP_DEHAZE_SATURATION;饱和度 TP_DEHAZE_SHOW_DEPTH_MAP;显示纵深蒙版 TP_DEHAZE_STRENGTH;力度 TP_DIRPYRDENOISE_CHROMINANCE_AMZ;多分区自动 @@ -1371,6 +1591,7 @@ TP_DIRPYREQUALIZER_SKIN;肤色针对/保护 TP_DIRPYREQUALIZER_SKIN_TOOLTIP;-100:肤色被针对\n0:所有色彩被同等对待\n+100:肤色受到保护,其他颜色将受到影响 TP_DIRPYREQUALIZER_THRESHOLD;阈值 TP_DISTORTION_AMOUNT;数量 +TP_DISTORTION_AUTO_TOOLTIP;如果Raw文件内有矫正畸变的内嵌JPEG,则会将Raw图像与其对比并自动矫正畸变 TP_DISTORTION_LABEL;畸变 TP_EPD_EDGESTOPPING;边缘敏感度 TP_EPD_GAMMA;伽马 @@ -1409,11 +1630,21 @@ TP_EXPOSURE_TCMODE_WEIGHTEDSTD;加权标准 TP_EXPOS_BLACKPOINT_LABEL;Raw黑点 TP_EXPOS_WHITEPOINT_LABEL;Raw白点 TP_FILMNEGATIVE_BLUE;蓝色比例 +TP_FILMNEGATIVE_BLUEBALANCE;冷/暖 +TP_FILMNEGATIVE_COLORSPACE;反转色彩空间: +TP_FILMNEGATIVE_COLORSPACE_INPUT;输入色彩空间 +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;选择用于负片反转的色彩空间:\n输入色彩空间: 在输入档案被应用之前进行反转,与之前版本的RT相同\n工作色彩空间: 在输入档案被应用之后进行反转,使用当前所选的工作档案 +TP_FILMNEGATIVE_COLORSPACE_WORKING;工作色彩空间 TP_FILMNEGATIVE_GREEN;参照指数(反差) +TP_FILMNEGATIVE_GREENBALANCE;品红/绿 TP_FILMNEGATIVE_GUESS_TOOLTIP;通过选取原图中的两个中性色(没有色彩)色块来自动确定红与蓝色的比例。两个色块的亮度应当有所差别。 TP_FILMNEGATIVE_LABEL;胶片负片 +TP_FILMNEGATIVE_OUT_LEVEL;输出亮度 TP_FILMNEGATIVE_PICK;选择(两个)中灰点 TP_FILMNEGATIVE_RED;红色比例 +TP_FILMNEGATIVE_REF_LABEL;输入RGB: %1 +TP_FILMNEGATIVE_REF_PICK;选择白平衡点 +TP_FILMNEGATIVE_REF_TOOLTIP;为输出的正片选择一块灰色区域进行白平衡 TP_FILMSIMULATION_LABEL;胶片模拟 TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee被设置寻找用于胶片模拟工具的Hald CLUT图像,图像所在的文件夹加载时间过长。\n前往参数设置-图片处理-Hald CLUT路径\n以寻找被使用的文件夹是哪个。你应该令该文件夹指向一个只有Hald CLUT图像而没有其他图片的文件夹,而如果你不想用胶片模拟功能,就将它指向一个空文件夹。\n\n阅读RawPedia的Film Simulation词条以获取更多信息。\n\n你现在想取消扫描吗? TP_FILMSIMULATION_STRENGTH;力度 @@ -1469,7 +1700,11 @@ TP_ICM_OUTPUTPROFILE;输出配置 TP_ICM_PROFILEINTENT;渲染意图 TP_ICM_SAVEREFERENCE_APPLYWB;应用白平衡 TP_ICM_TONECURVE;使用DCP色调曲线 +TP_ICM_TRCFRAME;抽象档案 TP_ICM_WORKINGPROFILE;当前配置 +TP_ICM_WORKING_ILLU_NONE;默认 +TP_ICM_WORKING_PRIM_NONE;默认 +TP_ICM_WORKING_TRC;色调响应曲线: TP_ICM_WORKING_TRC_CUSTOM;自定义 TP_IMPULSEDENOISE_LABEL;脉冲噪声降低 TP_IMPULSEDENOISE_THRESH;阈值 @@ -1517,6 +1752,278 @@ TP_LOCALCONTRAST_DARKNESS;暗部等级 TP_LOCALCONTRAST_LABEL;局部反差 TP_LOCALCONTRAST_LIGHTNESS;亮部等级 TP_LOCALCONTRAST_RADIUS;半径 +TP_LOCALLAB_ACTIVSPOT;启用点 +TP_LOCALLAB_AMOUNT;数量 +TP_LOCALLAB_ARTIF;形状检测 +TP_LOCALLAB_AUTOGRAY;自动平均亮度(Yb%) +TP_LOCALLAB_AUTOGRAYCIE;自动 +TP_LOCALLAB_AVOID;避免偏色 +TP_LOCALLAB_BALAN;ab-L平衡(ΔE) +TP_LOCALLAB_BALANH;色度(C)-色相(H)平衡(ΔE) +TP_LOCALLAB_BLCO;仅色度 +TP_LOCALLAB_BLINV;反转 +TP_LOCALLAB_BLLC;亮度&色度 +TP_LOCALLAB_BLLO;仅亮度 +TP_LOCALLAB_BLMED;中值 +TP_LOCALLAB_BLNOI_EXP;模糊 & 噪点 +TP_LOCALLAB_BLUFR;模糊/颗粒 & 去噪 +TP_LOCALLAB_BLUR;高斯模糊-噪点-颗粒 +TP_LOCALLAB_BLURCOL;半径 +TP_LOCALLAB_BLURDE;模糊形状检测 +TP_LOCALLAB_BLURLC;仅亮度 +TP_LOCALLAB_BLUR_TOOLNAME;模糊/颗粒 & 去噪 +TP_LOCALLAB_BUTTON_ADD;添加 +TP_LOCALLAB_BUTTON_DEL;删除 +TP_LOCALLAB_BUTTON_DUPL;复制 +TP_LOCALLAB_BUTTON_REN;重命名 +TP_LOCALLAB_BUTTON_VIS;显示/隐藏 +TP_LOCALLAB_CAM16_FRA;Cam16图像调整 +TP_LOCALLAB_CAMMODE;色貌模型 +TP_LOCALLAB_CATAD;色适应/Cat16 +TP_LOCALLAB_CBDL;分频反差调整 +TP_LOCALLAB_CBDLCLARI_TOOLTIP;增强中间调的局部反差 +TP_LOCALLAB_CBDL_ADJ_TOOLTIP;与小波相同。\n第一级(0)作用在2x2像素细节上\n最高级(5)作用在64x64像素细节上 +TP_LOCALLAB_CBDL_THRES_TOOLTIP;避免加锐噪点 +TP_LOCALLAB_CBDL_TOOLNAME;分频反差调整 +TP_LOCALLAB_CENTER_X;中心X +TP_LOCALLAB_CENTER_Y;中心Y +TP_LOCALLAB_CHROMA;彩度 +TP_LOCALLAB_CHROMACBDL;彩度 +TP_LOCALLAB_CHROMASKCOL;彩度 +TP_LOCALLAB_CHROML;彩度 (C) +TP_LOCALLAB_CHRRT;彩度 +TP_LOCALLAB_CIE;色貌(Cam16 & JzCzHz) +TP_LOCALLAB_CIEC;使用Ciecam环境参数 +TP_LOCALLAB_CIECONTFRA;对比度 +TP_LOCALLAB_CIEMODE;改变工具位置 +TP_LOCALLAB_CIEMODE_COM;默认 +TP_LOCALLAB_CIEMODE_DR;动态范围 +TP_LOCALLAB_CIEMODE_LOG;Log编码 +TP_LOCALLAB_CIEMODE_TM;色调映射 +TP_LOCALLAB_CIEMODE_WAV;小波 +TP_LOCALLAB_CIETOOLEXP;曲线 +TP_LOCALLAB_CIE_TOOLNAME;色貌(Cam16 & JzCzHz) +TP_LOCALLAB_CIRCRADIUS;调整点大小 +TP_LOCALLAB_COFR;色彩 & 亮度 +TP_LOCALLAB_COLORDE;ΔE预览颜色-密度 +TP_LOCALLAB_COLORSCOPE;范围(色彩工具) +TP_LOCALLAB_COLORSCOPE_TOOLTIP;总控色彩与亮度,阴影/高光,鲜明度工具的范围滑条\n其他工具中有单独进行范围控制的滑条 +TP_LOCALLAB_COLOR_CIE;色彩曲线 +TP_LOCALLAB_COLOR_TOOLNAME;色彩 & 亮度 +TP_LOCALLAB_COL_NAME;名称 +TP_LOCALLAB_COL_VIS;状态 +TP_LOCALLAB_CONTL;对比度 (J) +TP_LOCALLAB_CONTRAST;对比度 +TP_LOCALLAB_CONTTHR;反差阈值 +TP_LOCALLAB_CONTWFRA;局部反差 +TP_LOCALLAB_CSTHRESHOLD;小波层级 +TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;色调曲线 +TP_LOCALLAB_CURVES_CIE;色调曲线 +TP_LOCALLAB_DEHAFRA;去雾 +TP_LOCALLAB_DEHAZ;力度 +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;移除环境雾,提升总体饱和度与细节\n可以移除偏色倾向,但也可能导致图片整体偏蓝,此现象可以用其他工具进行修正 +TP_LOCALLAB_DEHAZ_TOOLTIP;负值会增加雾 +TP_LOCALLAB_DENOIS;去噪 +TP_LOCALLAB_DENOI_EXP;去噪 +TP_LOCALLAB_DEPTH;纵深 +TP_LOCALLAB_DETAIL;局部反差 +TP_LOCALLAB_DETAILSH;细节 +TP_LOCALLAB_DIVGR;伽马 +TP_LOCALLAB_DUPLSPOTNAME;复制 +TP_LOCALLAB_EDGFRA;边缘锐度 +TP_LOCALLAB_EDGSHOW;显示所有工具 +TP_LOCALLAB_ELI;椭圆 +TP_LOCALLAB_ENABLE_AFTER_MASK;使用色调映射 +TP_LOCALLAB_EPSBL;细节 +TP_LOCALLAB_EV_NVIS;隐藏 +TP_LOCALLAB_EV_NVIS_ALL;隐藏所有 +TP_LOCALLAB_EV_VIS;显示 +TP_LOCALLAB_EV_VIS_ALL;显示所有 +TP_LOCALLAB_EXCLUF;排除 +TP_LOCALLAB_EXCLUF_TOOLTIP;“排除”模式能够避免重叠的点影响到排除点的区域。调整“范围”能够扩大不受影响的色彩\n你还可以向排除点中添加工具,并像普通点一样使用这些工具 +TP_LOCALLAB_EXCLUTYPE;调整点模式 +TP_LOCALLAB_EXECLU;排除点 +TP_LOCALLAB_EXFULL;整张图片 +TP_LOCALLAB_EXNORM;普通点 +TP_LOCALLAB_EXPCHROMA;色度补偿 +TP_LOCALLAB_EXPCOLOR_TOOLTIP;调整色彩,亮度,反差并且矫正细微的图像缺陷,如红眼/传感器灰尘等 +TP_LOCALLAB_EXPCOMP;曝光补偿ƒ +TP_LOCALLAB_EXPCOMPINV;曝光补偿 +TP_LOCALLAB_EXPCURV;曲线 +TP_LOCALLAB_EXPGRAD;渐变滤镜 +TP_LOCALLAB_EXPOSE;动态范围 & 曝光 +TP_LOCALLAB_EXPTOOL;曝光工具 +TP_LOCALLAB_EXPTRC;色调响应曲线(TRC) +TP_LOCALLAB_EXP_TOOLNAME;动态范围 & 曝光 +TP_LOCALLAB_FATAMOUNT;数量 +TP_LOCALLAB_FATANCHOR;锚点 +TP_LOCALLAB_FATANCHORA;偏移量 +TP_LOCALLAB_FATDETAIL;细节 +TP_LOCALLAB_FATFRA;动态范围压缩ƒ +TP_LOCALLAB_FATSHFRA;动态范围压缩蒙版 ƒ +TP_LOCALLAB_FFTMASK_TOOLTIP;使用傅立叶变换以得到更高的质量(处理用时与内存占用会上升) +TP_LOCALLAB_FFTW;ƒ - 使用快速傅立叶变换 +TP_LOCALLAB_FFTW2;ƒ - 使用快速傅立叶变换(TIF, JPG,..) +TP_LOCALLAB_FFTWBLUR;ƒ - 永远使用快速傅立叶变换 +TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +TP_LOCALLAB_GAM;伽马 +TP_LOCALLAB_GAMC;伽马 +TP_LOCALLAB_GAMFRA;色调响应曲线(TRC) +TP_LOCALLAB_GAMM;伽马 +TP_LOCALLAB_GAMMASKCOL;伽马 +TP_LOCALLAB_GAMSH;伽马 +TP_LOCALLAB_GRADANG;渐变角度 +TP_LOCALLAB_GRADANG_TOOLTIP;旋转角度(单位为°):-180 0 +180 +TP_LOCALLAB_GRADFRA;渐变滤镜蒙版 +TP_LOCALLAB_GRADLOGFRA;渐变滤镜亮度 +TP_LOCALLAB_GRADSTR;渐变力度 +TP_LOCALLAB_GRADSTRLUM;亮度渐变力度 +TP_LOCALLAB_GRAINFRA;胶片颗粒 1:1 +TP_LOCALLAB_GRAINFRA2;粗糙度 +TP_LOCALLAB_GRAIN_TOOLTIP;向图片中添加胶片式的颗粒 +TP_LOCALLAB_GRIDONE;色调映射 +TP_LOCALLAB_GRIDTWO;直接调整 +TP_LOCALLAB_GUIDFILTER;渐变滤镜半径 +TP_LOCALLAB_HHMASK_TOOLTIP;精确调整肤色等具体色相 +TP_LOCALLAB_HUECIE;色相 +TP_LOCALLAB_INVBL;反转 +TP_LOCALLAB_INVBL_TOOLTIP;若不希望使用“反转”,也有另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 +TP_LOCALLAB_INVERS;反转 +TP_LOCALLAB_INVERS_TOOLTIP;使用“反转”选项会导致选择变少\n\n另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 +TP_LOCALLAB_ISOGR;分布(ISO) +TP_LOCALLAB_JZLIGHT;视明度 +TP_LOCALLAB_JZSAT;饱和度 +TP_LOCALLAB_JZSHFRA;阴影/高光 Jz +TP_LOCALLAB_LABBLURM;Blur Mask +TP_LOCALLAB_LABEL;局部调整 +TP_LOCALLAB_LABGRID;色彩矫正网格 +TP_LOCALLAB_LC_TOOLNAME;局部反差 & 小波 +TP_LOCALLAB_LEVELWAV;小波层级 +TP_LOCALLAB_LIGHTNESS;明度 +TP_LOCALLAB_LIGHTRETI;明度 +TP_LOCALLAB_LIST_NAME;向当前调整点添加工具... +TP_LOCALLAB_LOC_CONTRAST;局部反差 & 小波 +TP_LOCALLAB_LOG;Log编码 +TP_LOCALLAB_LOG1FRA;CAM16图像调整 +TP_LOCALLAB_LOG2FRA;观察条件 +TP_LOCALLAB_LOGAUTO;自动 +TP_LOCALLAB_LOGEXP;所有工具 +TP_LOCALLAB_LOGFRA;场景条件 +TP_LOCALLAB_LOGIMAGE_TOOLTIP;将CIECAM的相关参数一同进行考虑,参数包括:对比度(J),饱和度(s),以及对比度(Q),视明度(Q),明度(J),视彩度(M)(在高级模式下) +TP_LOCALLAB_LOGLIGHTL;明度 (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;与L*a*b*的明度相近。会考虑到感知色彩的变化 +TP_LOCALLAB_LOGLIGHTQ;视明度 (Q) +TP_LOCALLAB_LOGREPART;总体力度 +TP_LOCALLAB_LOG_TOOLNAME;Log编码 +TP_LOCALLAB_LUMADARKEST;最暗 +TP_LOCALLAB_LUMAWHITESEST;最亮 +TP_LOCALLAB_LUMFRA;L*a*b*标准 +TP_LOCALLAB_LUMONLY;仅亮度 +TP_LOCALLAB_MASK;曲线 +TP_LOCALLAB_MASK2;对比度曲线 +TP_LOCALLAB_MASKDDECAY;衰减力度 +TP_LOCALLAB_MASKRECOTHRES;恢复阈值 +TP_LOCALLAB_MODE_EXPERT;高级 +TP_LOCALLAB_MODE_NORMAL;标准 +TP_LOCALLAB_MODE_SIMPLE;基础 +TP_LOCALLAB_MRONE;无 +TP_LOCALLAB_MRTHR;原图 +TP_LOCALLAB_NEIGH;半径 +TP_LOCALLAB_NLDET;细节恢复 +TP_LOCALLAB_NLGAM;伽马 +TP_LOCALLAB_NLLUM;力度 +TP_LOCALLAB_NOISEGAM;伽马 +TP_LOCALLAB_NOISELUMDETAIL;亮度细节恢复 +TP_LOCALLAB_NOISEMETH;去噪 +TP_LOCALLAB_NOISE_TOOLTIP;增加亮度噪点 +TP_LOCALLAB_NONENOISE;无 +TP_LOCALLAB_OFFS;偏移 +TP_LOCALLAB_OFFSETWAV;偏移 +TP_LOCALLAB_OPACOL;不透明度 +TP_LOCALLAB_PASTELS2;鲜明度 +TP_LOCALLAB_PREVHIDE;隐藏额外设置 +TP_LOCALLAB_PREVIEW;预览ΔE +TP_LOCALLAB_PREVSHOW;显示额外设置 +TP_LOCALLAB_PROXI;ΔE衰减 +TP_LOCALLAB_QUAAGRES;激进 +TP_LOCALLAB_QUACONSER;保守 +TP_LOCALLAB_QUALCURV_METHOD;曲线类型 +TP_LOCALLAB_RADIUS;半径 +TP_LOCALLAB_RECT;矩形 +TP_LOCALLAB_REN_DIALOG_LAB;为控制点输入新的名称 +TP_LOCALLAB_REN_DIALOG_NAME;重命名控制点 +TP_LOCALLAB_RESID;残差图 +TP_LOCALLAB_RESIDHI;高光 +TP_LOCALLAB_RESIDHITHR;高光阈值 +TP_LOCALLAB_RESIDSHA;阴影 +TP_LOCALLAB_RESIDSHATHR;阴影阈值 +TP_LOCALLAB_RETI;去雾 & Retinex +TP_LOCALLAB_RET_TOOLNAME;去雾 & Retinex +TP_LOCALLAB_REWEI;再加权迭代 +TP_LOCALLAB_RGB;RGB色调曲线 +TP_LOCALLAB_RGBCURVE_TOOLTIP;RGB模式下有四个选择:标准,加权标准,亮度,以及仿胶片式 +TP_LOCALLAB_ROW_NVIS;隐藏 +TP_LOCALLAB_ROW_VIS;可见 +TP_LOCALLAB_SATUR;饱和度 +TP_LOCALLAB_SATURV;饱和度 (s) +TP_LOCALLAB_SENSI;范围 +TP_LOCALLAB_SENSIEXCLU;范围 +TP_LOCALLAB_SETTINGS;设置 +TP_LOCALLAB_SH1;阴影与高光 +TP_LOCALLAB_SH2;均衡器 +TP_LOCALLAB_SHADEX;阴影 +TP_LOCALLAB_SHADEXCOMP;阴影压缩 +TP_LOCALLAB_SHADHIGH;阴影/高光 & 色调均衡器 +TP_LOCALLAB_SHAMASKCOL;阴影 +TP_LOCALLAB_SHAPETYPE;RT调整点形状 +TP_LOCALLAB_SHAPE_TOOLTIP;“椭圆”是正常模式\n部分情况下会用到“矩形”,比如需要让一个调整点覆盖整张图片的时候,便可以使用矩形点,并将限位点拖移到图片之外。这种情况需要你将过渡值设为100\n\n未来会开发多边形调整点与贝塞尔曲线 +TP_LOCALLAB_SHARAMOUNT;数量 +TP_LOCALLAB_SHARBLUR;模糊半径 +TP_LOCALLAB_SHARITER;迭代 +TP_LOCALLAB_SHARP;锐化 +TP_LOCALLAB_SHARP_TOOLNAME;锐化 +TP_LOCALLAB_SHARRADIUS;半径 +TP_LOCALLAB_SHOWMASK;显示蒙版 +TP_LOCALLAB_SHOWMASKTYP1;模糊 & 噪点 +TP_LOCALLAB_SHOWMASKTYP2;去噪 +TP_LOCALLAB_SHOWMASKTYP3;模糊 & 噪点 + 去噪 +TP_LOCALLAB_SHOWREF;预览ΔE +TP_LOCALLAB_SHRESFRA;阴影/高光 & 色调响应曲线 +TP_LOCALLAB_SH_TOOLNAME;阴影/高光 & 色调均衡器 +TP_LOCALLAB_SIGMAWAV;衰减响应 +TP_LOCALLAB_SIGMOIDLAMBDA;对比度 +TP_LOCALLAB_SIM;简单 +TP_LOCALLAB_SOFTM;柔光 +TP_LOCALLAB_SOFTRETI;减少ΔE杂点 +TP_LOCALLAB_SOURCE_ABS;绝对亮度 +TP_LOCALLAB_SOURCE_GRAY;平均亮度(Yb%) +TP_LOCALLAB_SPOTNAME;建立新调整点 +TP_LOCALLAB_STD;标准 +TP_LOCALLAB_STR;力度 +TP_LOCALLAB_STRBL;力度 +TP_LOCALLAB_STREN;压缩力度 +TP_LOCALLAB_STRENG;力度 +TP_LOCALLAB_STRENGR;力度 +TP_LOCALLAB_STRENGTH;噪点 +TP_LOCALLAB_STRGRID;力度 +TP_LOCALLAB_TARGET_GRAY;平均亮度(Yb%) +TP_LOCALLAB_TM;色调映射 +TP_LOCALLAB_TONE_TOOLNAME;色调映射 +TP_LOCALLAB_TOOLMASK_2;小波 +TP_LOCALLAB_TRANSIT;渐变过渡 +TP_LOCALLAB_TRANSITGRAD;横纵过渡差 +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;允许你对纵向过渡进行调整 +TP_LOCALLAB_TRANSITVALUE;过渡值 +TP_LOCALLAB_TRANSITWEAK;渐变衰减(线性-对数) +TP_LOCALLAB_VIBRANCE;鲜明度 & 冷暖 +TP_LOCALLAB_VIB_TOOLNAME;鲜明度 & 冷暖 +TP_LOCALLAB_WARM;冷暖 & 杂色 +TP_LOCALLAB_WARM_TOOLTIP;此滑条使用CIECAM算法,表现为白平衡控制工具,令选中区域的色温偏冷/暖\n部分情况下此工具可以减少色彩杂点 +TP_LOCALLAB_WAV;局部反差 +TP_LOCALLAB_WAVDEN;亮度去噪 +TP_LOCALLAB_WAVE;小波 +TP_LOCALLAB_WAVEDG;局部反差 +TP_LOCALLAB_WAVMASK;局部反差 TP_METADATA_EDIT;应用修改 TP_METADATA_MODE;元数据复制模式 TP_METADATA_STRIP;移除所有元数据 @@ -1531,8 +2038,20 @@ TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;圆度:\n0 = 矩形\n50 = 适于图像的椭 TP_PCVIGNETTE_STRENGTH;力度 TP_PCVIGNETTE_STRENGTH_TOOLTIP;滤镜的曝光补偿力度(到达边角) TP_PDSHARPENING_LABEL;捕图加锐 +TP_PERSPECTIVE_CAMERA_CROP_FACTOR;裁切系数 +TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;焦距 +TP_PERSPECTIVE_CAMERA_FRAME;矫正 +TP_PERSPECTIVE_CAMERA_PITCH;垂直 +TP_PERSPECTIVE_CAMERA_ROLL;旋转 +TP_PERSPECTIVE_CAMERA_YAW;水平 +TP_PERSPECTIVE_CONTROL_LINES;控制线 +TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+拖移:画一条新线\n右击:删除线 +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;必须有至少两条水平或两条垂直控制线 TP_PERSPECTIVE_HORIZONTAL;水平 TP_PERSPECTIVE_LABEL;视角 +TP_PERSPECTIVE_METHOD;方法 +TP_PERSPECTIVE_METHOD_CAMERA_BASED;基于相机 +TP_PERSPECTIVE_METHOD_SIMPLE;简单 TP_PERSPECTIVE_VERTICAL;垂直 TP_PFCURVE_CURVEEDITOR_CH;色相 TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;控制去除某个色彩的色边的力度。\n越向上 = 越强\n越向下 = 越弱 @@ -1550,6 +2069,10 @@ TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;横向,只在PDAF点所在的 TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;纵向 TP_PREPROCESS_NO_FOUND;未检测出 TP_PREPROCESS_PDAFLINESFILTER;PDAF条纹过滤器 +TP_PREPROCWB_LABEL;预处理白平衡 +TP_PREPROCWB_MODE;模式 +TP_PREPROCWB_MODE_AUTO;自动 +TP_PREPROCWB_MODE_CAMERA;相机 TP_PRSHARPENING_LABEL;调整大小后加锐 TP_PRSHARPENING_TOOLTIP;在调整图片大小后加锐图像。仅在选择"Lanczos"算法时可用。\n本工具的效果无法预览。见RawPedia的文章以了解本工具的使用教程 TP_RAWCACORR_AUTO;自动修正 @@ -1599,6 +2122,8 @@ TP_RAW_LMMSE_TOOLTIP;增加伽马(步长1),中位数(步长2-4)和精 TP_RAW_MONO;黑白 TP_RAW_NONE;无(显示传感器阵列) TP_RAW_PIXELSHIFT;像素偏移 +TP_RAW_PIXELSHIFTAVERAGE;对动体区域使用平均值 +TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;动体区域的内容将会变为四张图片平均混合的结果\n对于缓慢移动的物体会有运动模糊的效果 TP_RAW_PIXELSHIFTBLUR;动体蒙版模糊 TP_RAW_PIXELSHIFTDMETHOD;动体区域的去马赛克算法 TP_RAW_PIXELSHIFTEPERISO;敏感度 @@ -1649,6 +2174,14 @@ TP_RETINEX_CONTEDIT_LAB;L*a*b*直方图 TP_RETINEX_CONTEDIT_LH;色调 TP_RETINEX_CONTEDIT_MAP;均衡器 TP_RETINEX_EQUAL;均衡器 +TP_RETINEX_HIGHLIG;高光 +TP_RETINEX_HIGHLIGHT;高光阈值 +TP_RETINEX_ITERF;色调映射 +TP_RETINEX_NEIGHBOR;半径 +TP_RETINEX_NEUTRAL;重置 +TP_RETINEX_SETTINGS;设置 +TP_RETINEX_STRENGTH;力度 +TP_RETINEX_THRESHOLD;阈值 TP_RETINEX_VIEW_UNSHARP;USM锐化 TP_RGBCURVES_BLUE;B TP_RGBCURVES_CHANNEL;通道 @@ -1697,13 +2230,30 @@ TP_SHARPENMICRO_MATRIX;使用3×3阵列而非5×5阵列 TP_SHARPENMICRO_UNIFORMITY;均匀度 TP_SOFTLIGHT_LABEL;柔光 TP_SOFTLIGHT_STRENGTH;力度 +TP_SPOT_COUNTLABEL;%1个点 +TP_SPOT_DEFAULT_SIZE;默认点大小 +TP_SPOT_HINT;点击此按钮后便可在预览图中进行操作\n\n若要编辑一个点,将光标移动到点上,令编辑圆出现\n\n若要添加一个点,按住Ctrl键并单击鼠标左键,然后松开Ctrl键,单击生成的点,将鼠标拖移到你希望用于复制的区域上,最后松开鼠标\n\n如要拖移复制/被复制点,将光标移到点的中心后进行拖移\n\n将鼠标移动到内圈(最大有效区域)和外“渐变”圈的白线上可以更改它们的大小(线会变为橙色),拖动圈线即可(线会继续变红)\n\n完成调整后,鼠标右键单击图片空白区域或再次点击此按钮便可退出污点编辑模式 +TP_SPOT_LABEL;污点移除 TP_TM_FATTAL_AMOUNT;数量 TP_TM_FATTAL_ANCHOR;锚点 TP_TM_FATTAL_LABEL;动态范围压缩 TP_TM_FATTAL_THRESHOLD;细节 TP_VIBRANCE_AVOIDCOLORSHIFT;避免偏色 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;肤色 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;红/紫 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;红 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;红/黄 +TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;黄 TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;根据色相(H)调整色相(H),H=f(H) +TP_VIBRANCE_LABEL;鲜明度 +TP_VIBRANCE_PASTELS;欠饱和色调 +TP_VIBRANCE_PASTSATTOG;将饱和色与欠饱和色挂钩 TP_VIBRANCE_PROTECTSKINS;保护肤色 +TP_VIBRANCE_PSTHRESHOLD;欠饱和/饱和色阈值 +TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;饱和度阈值 +TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;纵向底部代表欠饱和色,顶部代表饱和色\n横轴代表整个饱和度范围 +TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;欠饱和/饱和色过渡权重 +TP_VIBRANCE_SATURATED;饱和色调 TP_VIGNETTING_AMOUNT;数量 TP_VIGNETTING_CENTER;中心 TP_VIGNETTING_CENTER_X;中心 X @@ -1734,6 +2284,7 @@ TP_WAVELET_BALCHRO_TOOLTIP;启用后,“反差平衡”曲线/滑条也会调 TP_WAVELET_BANONE;无 TP_WAVELET_BASLI;滑条 TP_WAVELET_BATYPE;反差平衡方法 +TP_WAVELET_BLUWAV;衰减响应 TP_WAVELET_CCURVE;局部反差 TP_WAVELET_CH1;应用到整个色度范围 TP_WAVELET_CH2;根据饱和度高低 @@ -1743,7 +2294,12 @@ TP_WAVELET_CHR;色度-反差挂钩力度 TP_WAVELET_CHRO;根据饱和度高低 TP_WAVELET_CHSL;滑条 TP_WAVELET_CHTYPE;色度应用方法 +TP_WAVELET_COLORT;红-绿不透明度 TP_WAVELET_COMPCONT;反差 +TP_WAVELET_COMPEXPERT;高级 +TP_WAVELET_COMPLEXLAB;工具复杂度 +TP_WAVELET_COMPLEX_TOOLTIP;标准:显示适用于大部分后期处理的工具,少部分被隐藏\n高级:显示可以用于高级操作的完整工具列表 +TP_WAVELET_COMPNORMAL;标准 TP_WAVELET_COMPTM;色调映射 TP_WAVELET_CONTR;色彩范围 TP_WAVELET_CONTRA;反差 @@ -1759,18 +2315,32 @@ TP_WAVELET_DAUB6;D6-标准增强 TP_WAVELET_DAUB10;D10-中等 TP_WAVELET_DAUB14;D14-高 TP_WAVELET_DAUB_TOOLTIP;改变多贝西系数:\nD4 = 标准\nD14 = 一般而言表现最好,但会增加10%的处理耗时\n\n影响边缘检测以及较低层级的质量。但是质量不完全和该系数有关,可能会随具体的图像和处理方式而变化 +TP_WAVELET_DENCONTRAST;局部反差均衡器 +TP_WAVELET_DENH;阈值 +TP_WAVELET_DENOISEHUE;去噪色相均衡器 +TP_WAVELET_DENQUA;模式 +TP_WAVELET_DENSLI;滑条 +TP_WAVELET_DENWAVHUE_TOOLTIP;根据色相来增强/减弱降噪力度 +TP_WAVELET_DETEND;细节 TP_WAVELET_DONE;纵向 TP_WAVELET_DTHR;斜向 TP_WAVELET_DTWO;横向 TP_WAVELET_EDCU;曲线 +TP_WAVELET_EDEFFECT;衰减响应 TP_WAVELET_EDGCONT;局部反差 TP_WAVELET_EDGE;边缘锐度 +TP_WAVELET_EDGEAMPLI;放大基数 +TP_WAVELET_EDGEDETECT;渐变敏感度 +TP_WAVELET_EDGESENSI;边缘敏感度 +TP_WAVELET_EDGREINF_TOOLTIP;增强或减弱对于第一级的调整,并对第二级的强弱进行与之相反的调整,其他层级不受影响 TP_WAVELET_EDGTHRESH;细节 TP_WAVELET_EDGTHRESH_TOOLTIP;改变力度在第1级和其它层级之间的分配。阈值越高,在第1级上的活动越突出。谨慎使用负值,因为这会让更高层级上的活动更强烈,可能导致杂点的出现。 TP_WAVELET_EDRAD;半径 TP_WAVELET_EDSL;阈值滑条 TP_WAVELET_EDTYPE;局部反差调整方法 TP_WAVELET_EDVAL;力度 +TP_WAVELET_FINAL;最终润色 +TP_WAVELET_FINCFRAME;最终局部反差 TP_WAVELET_FINEST;最精细 TP_WAVELET_HIGHLIGHT;精细层级范围 TP_WAVELET_HS1;全部亮度范围 @@ -1793,17 +2363,29 @@ TP_WAVELET_LEVTHRE;第4级 TP_WAVELET_LEVTWO;第3级 TP_WAVELET_LEVZERO;第1级 TP_WAVELET_LINKEDG;与边缘锐度的力度挂钩 +TP_WAVELET_LIPST;算法增强 +TP_WAVELET_LOWLIGHT;粗糙层级亮度范围 +TP_WAVELET_LOWTHR_TOOLTIP;避免放大细节和噪点 TP_WAVELET_MEDGREINF;第一层级 TP_WAVELET_MEDI;减少蓝天中的杂点 TP_WAVELET_MEDILEV;边缘检测 +TP_WAVELET_MIXDENOISE;去噪 +TP_WAVELET_MIXNOISE;噪点 TP_WAVELET_NEUTRAL;还原 TP_WAVELET_NOIS;去噪 TP_WAVELET_NOISE;去噪和精细化 TP_WAVELET_NPHIGH;高 TP_WAVELET_NPLOW;低 TP_WAVELET_NPNONE;无 +TP_WAVELET_NPTYPE;临近像素 +TP_WAVELET_OPACITY;蓝-黄不透明度 TP_WAVELET_OPACITYW;反差平衡 斜/纵-横曲线 +TP_WAVELET_OPACITYWL;局部反差 +TP_WAVELET_PASTEL;欠饱和色 TP_WAVELET_PROC;处理 +TP_WAVELET_QUAAGRES;激进 +TP_WAVELET_QUACONSER;保守 +TP_WAVELET_QUANONE;关闭 TP_WAVELET_RE1;增强 TP_WAVELET_RE2;不变 TP_WAVELET_RE3;减弱 @@ -1811,23 +2393,35 @@ TP_WAVELET_RESCHRO;色度 TP_WAVELET_RESCON;阴影 TP_WAVELET_RESCONH;高光 TP_WAVELET_RESID;残差图像 +TP_WAVELET_SAT;饱和色 TP_WAVELET_SETTINGS;小波设定 +TP_WAVELET_SHFRAME;阴影/高光 +TP_WAVELET_SIGM;半径 +TP_WAVELET_SIGMA;衰减响应 +TP_WAVELET_SIGMAFIN;衰减响应 TP_WAVELET_SKIN;肤色针对/保护 TP_WAVELET_SKIN_TOOLTIP;值为-100时,肤色受针对\n值为0时,所有色彩被平等针对\n值为+100时,肤色受保护,所有其他颜色会被调整 TP_WAVELET_SKY;色相针对/保护 TP_WAVELET_SKY_TOOLTIP;允许你针对或保护某个范围的色相。\n值为-100时,被选中的色相受针对\n值为0时,所有色相会被平等针对\n值为+100时,被选中色相受保护,其他所有色相受到针对 TP_WAVELET_STREN;力度 +TP_WAVELET_STREND;力度 TP_WAVELET_STRENGTH;力度 TP_WAVELET_SUPE;额外级 TP_WAVELET_THR;阴影阈值 +TP_WAVELET_THREND;局部反差阈值 TP_WAVELET_THRH;高光阈值 TP_WAVELET_TILESBIG;大切片 TP_WAVELET_TILESFULL;整张图片 TP_WAVELET_TILESIZE;切片缓存方法 TP_WAVELET_TILESLIT;小切片 TP_WAVELET_TILES_TOOLTIP;处理整张图片可以让图像质量更好,所以推荐使用该选项,切片缓存是给小内存用户的备用方法。阅读RawPedia的文章以了解具体的内存需求 +TP_WAVELET_TMSTRENGTH;压缩力度 +TP_WAVELET_TMSTRENGTH_TOOLTIP;控制对于残差图的色调映射/对比度压缩力度 +TP_WAVELET_TMTYPE;压缩方法 TP_WAVELET_TON;调色 +TP_WAVELET_WAVOFFSET;偏移 TP_WBALANCE_AUTO;自动 +TP_WBALANCE_AUTO_HEADER;自动 TP_WBALANCE_CAMERA;相机 TP_WBALANCE_CLOUDY;阴天 TP_WBALANCE_CUSTOM;自定义 @@ -1837,6 +2431,11 @@ TP_WBALANCE_FLASH55;徕卡 TP_WBALANCE_FLASH60;标准,佳能,宾得,奥林巴斯 TP_WBALANCE_FLASH65;尼康,松下,索尼,美能达 TP_WBALANCE_FLASH_HEADER;闪光 +TP_WBALANCE_FLUO1;F1 - 日光 +TP_WBALANCE_FLUO2;F2 - 冷白 +TP_WBALANCE_FLUO3;F3 - 白色 +TP_WBALANCE_FLUO4;F4 - 暖白 +TP_WBALANCE_FLUO5;F5 - 日光 TP_WBALANCE_FLUO_HEADER;荧光灯 TP_WBALANCE_GREEN;色调 TP_WBALANCE_LABEL;白平衡 @@ -1867,89 +2466,23 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -FILEBROWSER_POPUPINSPECT;检视 -GENERAL_DELETE_ALL;删除全部 -GENERAL_EDIT;编辑 -GENERAL_SAVE_AS;保存为... -HISTOGRAM_TOOLTIP_CROSSHAIR;显示/隐藏指示光标 -HISTOGRAM_TOOLTIP_SHOW_OPTIONS;显示/隐藏示波器选项 -HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;调整示波器亮度 -HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;直方图 -HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw直方图 -HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB示波器 -HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;色相-色度矢量示波器 -HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;色相-饱和度矢量示波器 -HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;波形图 !HISTORY_MSG_112;--unused-- -!HISTORY_MSG_133;Output gamma -!HISTORY_MSG_134;Free gamma -!HISTORY_MSG_135;Free gamma -!HISTORY_MSG_136;Free gamma slope !HISTORY_MSG_137;Black level - Green 1 !HISTORY_MSG_138;Black level - Red !HISTORY_MSG_139;Black level - Blue !HISTORY_MSG_140;Black level - Green 2 !HISTORY_MSG_141;Black level - Link greens -HISTORY_MSG_150;去马赛克后降噪/去杂点 -HISTORY_MSG_151;鲜明度 -HISTORY_MSG_152;鲜明-欠饱和色 -HISTORY_MSG_153;鲜明-饱和色 -HISTORY_MSG_154;鲜明-肤色保护 -HISTORY_MSG_156;鲜明-饱和/欠饱和挂钩 -HISTORY_MSG_157;鲜明-饱/欠阈值 !HISTORY_MSG_236;--unused-- -!HISTORY_MSG_250;NR - Enhanced -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_277;--unused-- !HISTORY_MSG_290;Black Level - Red !HISTORY_MSG_291;Black Level - Green !HISTORY_MSG_292;Black Level - Blue -!HISTORY_MSG_300;- -HISTORY_MSG_313;小波-色度-饱和/欠饱和 -HISTORY_MSG_314;小波-色域-减少杂点 -HISTORY_MSG_316;小波-色域-肤色针对 -HISTORY_MSG_317;小波-色域-肤色色相 -HISTORY_MSG_322;小波-色域-避免偏色 -HISTORY_MSG_323;小波-边缘-局部反差 -HISTORY_MSG_324;小波-色度-欠饱和 -HISTORY_MSG_325;小波-色度-饱和 -HISTORY_MSG_326;小波-色度-方法 -HISTORY_MSG_327;小波-反差-应用到 -HISTORY_MSG_328;小波-色度-力度挂钩 -HISTORY_MSG_329;小波-调色-红绿不透明度 -HISTORY_MSG_330;小波-调色-蓝黄不透明度 -HISTORY_MSG_331;小波-反差等级-额外 -HISTORY_MSG_332;小波-切片方法 -HISTORY_MSG_333;小波-残差图-阴影 -HISTORY_MSG_334;小波-残差图-色度 -HISTORY_MSG_335;小波-残差图-高光 -HISTORY_MSG_336;小波-残差图-高光阈值 -HISTORY_MSG_337;小波-残差图-天空色相 -HISTORY_MSG_342;小波-边缘-第一级 -HISTORY_MSG_343;小波-色度等级 !HISTORY_MSG_344;W - Meth chroma sl/cur -HISTORY_MSG_345;小波-边缘-局部反差 -HISTORY_MSG_346;小波-边缘-局部反差方法 -HISTORY_MSG_350;小波-边缘-边缘检测 -HISTORY_MSG_351;小波-残差图-HH曲线 !HISTORY_MSG_352;W - Background -HISTORY_MSG_353;小波-边缘-渐变敏感度 -HISTORY_MSG_354;小波-边缘-增强 -HISTORY_MSG_355;小波-边缘-阈值低 -HISTORY_MSG_356;小波-边缘-阈值高 !HISTORY_MSG_358;W - Gamut - CH -HISTORY_MSG_361;小波-最终-色度平衡 -HISTORY_MSG_362;小波-残差图-压缩方法 -HISTORY_MSG_363;小波-残差图-压缩力度 -HISTORY_MSG_364;小波-最终-反差平衡 !HISTORY_MSG_365;W - Final - Delta balance !HISTORY_MSG_366;W - Residual - Compression gamma !HISTORY_MSG_367;W - Final - 'After' contrast curve -HISTORY_MSG_368;小波-最终-反差平衡 -HISTORY_MSG_369;小波-最终-平衡方法 -HISTORY_MSG_370;小波-最终-局部反差曲线 -HISTORY_MSG_385;小波-残差图-色彩平衡 !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid @@ -1967,12 +2500,8 @@ HISTORY_MSG_385;小波-残差图-色彩平衡 !HISTORY_MSG_400;W - Final sub-tool !HISTORY_MSG_401;W - Toning sub-tool !HISTORY_MSG_402;W - Denoise sub-tool -HISTORY_MSG_403;小波-边缘-敏感度 -HISTORY_MSG_404;小波-边缘-放大基数 -HISTORY_MSG_406;小波-边缘-边缘像素 !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1988,7 +2517,7 @@ HISTORY_MSG_406;小波-边缘-边缘像素 !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -2007,29 +2536,22 @@ HISTORY_MSG_406;小波-边缘-边缘像素 !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_446;EvPixelShiftMotion -!HISTORY_MSG_447;EvPixelShiftMotionCorrection -!HISTORY_MSG_448;EvPixelShiftStddevFactorGreen -!HISTORY_MSG_450;EvPixelShiftNreadIso -!HISTORY_MSG_451;EvPixelShiftPrnu -!HISTORY_MSG_454;EvPixelShiftAutomatic -!HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal -!HISTORY_MSG_456;EvPixelShiftNonGreenVertical -!HISTORY_MSG_458;EvPixelShiftStddevFactorRed -!HISTORY_MSG_459;EvPixelShiftStddevFactorBlue -!HISTORY_MSG_460;EvPixelShiftGreenAmaze -!HISTORY_MSG_461;EvPixelShiftNonGreenAmaze -!HISTORY_MSG_463;EvPixelShiftRedBlueWeight -!HISTORY_MSG_466;EvPixelShiftSum -!HISTORY_MSG_467;EvPixelShiftExp0 -!HISTORY_MSG_470;EvPixelShiftMedian3 -HISTORY_MSG_496;删除局部调整点 -HISTORY_MSG_497;选中局部调整点 -HISTORY_MSG_498;局部调整点名称 -HISTORY_MSG_499;局部调整点可见性 -HISTORY_MSG_500;局部调整点形状 -HISTORY_MSG_501;局部调整点模式 -HISTORY_MSG_502;局部调整点形状模式 +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_503;Local Spot locX !HISTORY_MSG_504;Local Spot locXL !HISTORY_MSG_505;Local Spot locY @@ -2039,52 +2561,14 @@ HISTORY_MSG_502;局部调整点形状模式 !HISTORY_MSG_509;Local Spot quality method !HISTORY_MSG_510;Local Spot transition !HISTORY_MSG_511;Local Spot thresh -HISTORY_MSG_512;局部调整点ΔE -衰减 !HISTORY_MSG_513;Local Spot scope !HISTORY_MSG_514;Local Spot structure -HISTORY_MSG_515;局部调整 -HISTORY_MSG_516;局部-色彩与亮度 !HISTORY_MSG_517;Local - Enable super -HISTORY_MSG_518;局部-亮度 -HISTORY_MSG_519;局部-反差 -HISTORY_MSG_520;局部-色度 -HISTORY_MSG_521;局部-范围 -HISTORY_MSG_522;局部-曲线模式 -HISTORY_MSG_523;局部-LL曲线 -HISTORY_MSG_524;局部-CC曲线 -HISTORY_MSG_525;局部-LH曲线 -HISTORY_MSG_526;局部-H曲线 !HISTORY_MSG_527;Local - Color Inverse -HISTORY_MSG_528;局部-曝光 -HISTORY_MSG_529;局部-曝光补偿 -HISTORY_MSG_530;局部-曝补 高光补偿 -HISTORY_MSG_531;局部-曝补 高光补偿阈值 !HISTORY_MSG_532;Local - Exp black -HISTORY_MSG_533;局部-曝补 阴影补偿 -HISTORY_MSG_534;局部-冷暖 -HISTORY_MSG_535;局部-曝补 范围 -HISTORY_MSG_536;局部-曝光对比度曲线 -HISTORY_MSG_537;局部-鲜明度 -HISTORY_MSG_538;局部-鲜明 饱和色 -HISTORY_MSG_539;局部-鲜明 欠饱和色 -HISTORY_MSG_540;局部-鲜明 阈值 -HISTORY_MSG_541;局部-鲜明 肤色保护 -HISTORY_MSG_542;局部-鲜明 避免偏色 -HISTORY_MSG_543;局部-鲜明 挂钩 -HISTORY_MSG_544;局部-鲜明 范围 -HISTORY_MSG_545;局部-鲜明 H曲线 -HISTORY_MSG_546;局部-模糊与噪点 -HISTORY_MSG_547;局部-半径 -HISTORY_MSG_548;局部-噪点 !HISTORY_MSG_549;Local - Blur scope -HISTORY_MSG_550;局部-模糊方法 !HISTORY_MSG_551;Local - Blur Luminance only -HISTORY_MSG_552;局部-色调映射 -HISTORY_MSG_553;局部-色映 压缩力度 -HISTORY_MSG_554;局部-色映 伽马 -HISTORY_MSG_555;局部-色映 边缘力度 !HISTORY_MSG_556;Local - TM scale -HISTORY_MSG_557;局部-色映 再加权 !HISTORY_MSG_558;Local - TM scope !HISTORY_MSG_559;Local - Retinex !HISTORY_MSG_560;Local - Retinex method @@ -2095,19 +2579,10 @@ HISTORY_MSG_557;局部-色映 再加权 !HISTORY_MSG_565;Local - scope !HISTORY_MSG_566;Local - Retinex Gain curve !HISTORY_MSG_567;Local - Retinex Inverse -HISTORY_MSG_568;局部-锐化 -HISTORY_MSG_569;局部-锐化 半径 -HISTORY_MSG_570;局部-锐化 数量 -HISTORY_MSG_571;局部-锐化 抑制 -HISTORY_MSG_572;局部-锐化 迭代 -HISTORY_MSG_573;局部-锐化 范围 -HISTORY_MSG_574;局部-锐化 反转 -HISTORY_MSG_575;局部-分频反差 !HISTORY_MSG_576;Local - cbdl mult !HISTORY_MSG_577;Local - cbdl chroma !HISTORY_MSG_578;Local - cbdl threshold !HISTORY_MSG_579;Local - cbdl scope -HISTORY_MSG_580;局部-去噪 !HISTORY_MSG_581;Local - deNoise lum f 1 !HISTORY_MSG_582;Local - deNoise lum c !HISTORY_MSG_583;Local - deNoise lum detail @@ -2117,14 +2592,9 @@ HISTORY_MSG_580;局部-去噪 !HISTORY_MSG_587;Local - deNoise chro detail !HISTORY_MSG_588;Local - deNoise equalizer Blue-Red !HISTORY_MSG_589;Local - deNoise bilateral -!HISTORY_MSG_590;Local - deNoise 范围 +!HISTORY_MSG_590;Local - deNoise Scope !HISTORY_MSG_591;Local - Avoid color shift !HISTORY_MSG_592;Local - Sh Contrast -HISTORY_MSG_593;局部-局部反差 -HISTORY_MSG_594;局部-局部反差半径 -HISTORY_MSG_595;局部-局部反差数量 -HISTORY_MSG_596;局部-局部反差暗部 -HISTORY_MSG_597;局部-局部反差亮部 !HISTORY_MSG_598;Local - Local contrast scope !HISTORY_MSG_599;Local - Retinex dehaze !HISTORY_MSG_600;Local - Soft Light enable @@ -2132,7 +2602,6 @@ HISTORY_MSG_597;局部-局部反差亮部 !HISTORY_MSG_602;Local - Soft Light scope !HISTORY_MSG_603;Local - Sh Blur radius !HISTORY_MSG_605;Local - Mask preview choice -HISTORY_MSG_606;选中局部调整点 !HISTORY_MSG_607;Local - Color Mask C !HISTORY_MSG_608;Local - Color Mask L !HISTORY_MSG_609;Local - Exp Mask C @@ -2150,16 +2619,6 @@ HISTORY_MSG_606;选中局部调整点 !HISTORY_MSG_621;Local - Exp inverse !HISTORY_MSG_622;Local - Exclude structure !HISTORY_MSG_623;Local - Exp Chroma compensation -HISTORY_MSG_624;局部-色彩矫正网格 -HISTORY_MSG_625;局部-色彩矫正力度 -HISTORY_MSG_626;局部-色彩矫正方法 -HISTORY_MSG_627;局部-阴影高光 -HISTORY_MSG_628;局部-阴影高光 高光 -HISTORY_MSG_629;局部-阴影高光 高光范围 -HISTORY_MSG_630;局部-阴影高光 阴影 -HISTORY_MSG_631;局部-阴影高光 阴影范围 -HISTORY_MSG_632;局部-阴影高光 半径 -HISTORY_MSG_633;局部-阴影高光 范围 !HISTORY_MSG_634;Local - radius color !HISTORY_MSG_635;Local - radius Exp !HISTORY_MSG_636;Local - Tool added @@ -2171,7 +2630,6 @@ HISTORY_MSG_633;局部-阴影高光 范围 !HISTORY_MSG_642;Local - radius SH !HISTORY_MSG_643;Local - Blur SH !HISTORY_MSG_644;Local - inverse SH -HISTORY_MSG_645;局部-ΔE ab-L平衡 !HISTORY_MSG_646;Local - Exp mask chroma !HISTORY_MSG_647;Local - Exp mask gamma !HISTORY_MSG_648;Local - Exp mask slope @@ -2190,7 +2648,7 @@ HISTORY_MSG_645;局部-ΔE ab-L平衡 !HISTORY_MSG_661;Local - cbdl contrast residual !HISTORY_MSG_662;Local - deNoise lum f 0 !HISTORY_MSG_663;Local - deNoise lum f 2 -!HISTORY_MSG_664;Local - cbdl Blur +!HISTORY_MSG_664;--unused-- !HISTORY_MSG_665;Local - cbdl mask Blend !HISTORY_MSG_666;Local - cbdl mask radius !HISTORY_MSG_667;Local - cbdl mask chroma @@ -2200,7 +2658,6 @@ HISTORY_MSG_645;局部-ΔE ab-L平衡 !HISTORY_MSG_671;Local - cbdl mask L !HISTORY_MSG_672;Local - cbdl mask CL !HISTORY_MSG_673;Local - Use cbdl mask -HISTORY_MSG_674;局部-工具移除 !HISTORY_MSG_675;Local - TM soft radius !HISTORY_MSG_676;Local Spot transition-differentiation !HISTORY_MSG_677;Local - TM amount @@ -2214,7 +2671,6 @@ HISTORY_MSG_674;局部-工具移除 !HISTORY_MSG_685;Local - Retinex mask chroma !HISTORY_MSG_686;Local - Retinex mask gamma !HISTORY_MSG_687;Local - Retinex mask slope -HISTORY_MSG_688;局部-工具移除 !HISTORY_MSG_689;Local - Retinex mask transmission map !HISTORY_MSG_690;Local - Retinex scale !HISTORY_MSG_691;Local - Retinex darkness @@ -2287,8 +2743,6 @@ HISTORY_MSG_688;局部-工具移除 !HISTORY_MSG_764;Local - Solve PDE Laplacian mask !HISTORY_MSG_765;Local - deNoise Detail threshold !HISTORY_MSG_766;Local - Blur Fast Fourier -HISTORY_MSG_767;局部-颗粒ISO -HISTORY_MSG_768;局部-颗粒力度 !HISTORY_MSG_769;Local - Grain Scale !HISTORY_MSG_770;Local - Color Mask contrast curve !HISTORY_MSG_771;Local - Exp Mask contrast curve @@ -2305,20 +2759,17 @@ HISTORY_MSG_768;局部-颗粒力度 !HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels !HISTORY_MSG_783;Local - Color Wavelet levels !HISTORY_MSG_784;Local - Mask ΔE -!HISTORY_MSG_785;Local - Mask 范围 ΔE -HISTORY_MSG_786;局部-阴影高光 方法 +!HISTORY_MSG_785;Local - Mask Scope ΔE !HISTORY_MSG_787;Local - Equalizer multiplier !HISTORY_MSG_788;Local - Equalizer detail !HISTORY_MSG_789;Local - SH mask amount !HISTORY_MSG_790;Local - SH mask anchor !HISTORY_MSG_791;Local - Mask Short L curves !HISTORY_MSG_792;Local - Mask Luminance Background -HISTORY_MSG_793;局部-阴影高光 TRC伽马 !HISTORY_MSG_794;Local - SH TRC slope !HISTORY_MSG_795;Local - Mask save restore image !HISTORY_MSG_796;Local - Recursive references !HISTORY_MSG_797;Local - Merge Original method -HISTORY_MSG_798;局部-不透明度 !HISTORY_MSG_799;Local - Color RGB ToneCurve !HISTORY_MSG_800;Local - Color ToneCurve Method !HISTORY_MSG_801;Local - Color ToneCurve Special @@ -2358,13 +2809,11 @@ HISTORY_MSG_798;局部-不透明度 !HISTORY_MSG_836;Local - Vib gradient angle !HISTORY_MSG_837;Local - Vib gradient strength C !HISTORY_MSG_838;Local - Vib gradient strength H -HISTORY_MSG_839;局部-软件复杂度 !HISTORY_MSG_840;Local - CL Curve !HISTORY_MSG_841;Local - LC curve !HISTORY_MSG_842;Local - Blur mask Radius !HISTORY_MSG_843;Local - Blur mask Contrast Threshold !HISTORY_MSG_844;Local - Blur mask FFTW -HISTORY_MSG_845;局部-Log编码 !HISTORY_MSG_846;Local - Log encoding auto !HISTORY_MSG_847;Local - Log encoding Source !HISTORY_MSG_849;Local - Log encoding Source auto @@ -2372,7 +2821,6 @@ HISTORY_MSG_845;局部-Log编码 !HISTORY_MSG_851;Local - Log encoding W_Ev !HISTORY_MSG_852;Local - Log encoding Target !HISTORY_MSG_853;Local - Log encodind loc contrast -HISTORY_MSG_854;局部-Log编码 范围 !HISTORY_MSG_855;Local - Log encoding Whole image !HISTORY_MSG_856;Local - Log encoding Shadows range !HISTORY_MSG_857;Local - Wavelet blur residual @@ -2385,7 +2833,7 @@ HISTORY_MSG_854;局部-Log编码 范围 !HISTORY_MSG_864;Local - Wavelet dir contrast attenuation !HISTORY_MSG_865;Local - Wavelet dir contrast delta !HISTORY_MSG_866;Local - Wavelet dir compression -!HISTORY_MSG_868;Local - balance ΔE C-H +!HISTORY_MSG_868;Local - Balance ΔE C-H !HISTORY_MSG_869;Local - Denoise by level !HISTORY_MSG_870;Local - Wavelet mask curve H !HISTORY_MSG_871;Local - Wavelet mask curve C @@ -2438,10 +2886,9 @@ HISTORY_MSG_854;局部-Log编码 范围 !HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 !HISTORY_MSG_922;Local - changes In Black and White !HISTORY_MSG_923;Local - Tool complexity mode -!HISTORY_MSG_924;Local - Tool complexity mode -!HISTORY_MSG_925;Local - 范围 color tools +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools !HISTORY_MSG_926;Local - Show mask type -HISTORY_MSG_927;局部-阴影 !HISTORY_MSG_928;Local - Common color mask !HISTORY_MSG_929;Local - Mask common scope !HISTORY_MSG_930;Local - Mask Common blend luma @@ -2468,33 +2915,29 @@ HISTORY_MSG_927;局部-阴影 !HISTORY_MSG_951;Local - Mask Common GF angle !HISTORY_MSG_952;Local - Mask Common soft radius !HISTORY_MSG_953;Local - Mask Common blend chroma -HISTORY_MSG_954;局部-显示/隐藏工具 !HISTORY_MSG_955;Local - Enable Spot !HISTORY_MSG_956;Local - CH Curve !HISTORY_MSG_957;Local - Denoise mode -HISTORY_MSG_958;局部-显示/隐藏设置 !HISTORY_MSG_959;Local - Inverse blur -HISTORY_MSG_960;局部-Log编码 cat16 -HISTORY_MSG_961;局部-Log编码 Ciecam -!HISTORY_MSG_962;Local - Log encoding Absolute luminance source -!HISTORY_MSG_963;Local - Log encoding Absolute luminance target -!HISTORY_MSG_964;Local - Log encoding Surround -!HISTORY_MSG_965;Local - Log encoding Saturation s -!HISTORY_MSG_966;Local - Log encoding Contrast J -!HISTORY_MSG_967;Local - Log encoding Mask curve C -!HISTORY_MSG_968;Local - Log encoding Mask curve L -!HISTORY_MSG_969;Local - Log encoding Mask curve H -!HISTORY_MSG_970;Local - Log encoding Mask enable -!HISTORY_MSG_971;Local - Log encoding Mask blend -!HISTORY_MSG_972;Local - Log encoding Mask radius -!HISTORY_MSG_973;Local - Log encoding Mask chroma -!HISTORY_MSG_974;Local - Log encoding Mask contrast -!HISTORY_MSG_975;Local - Log encoding Lightness J -!HISTORY_MSG_977;Local - Log encoding Contrast Q -!HISTORY_MSG_978;Local - Log encoding Sursource -!HISTORY_MSG_979;Local - Log encoding Brightness Q -!HISTORY_MSG_980;Local - Log encoding Colorfulness M -!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength !HISTORY_MSG_982;Local - Equalizer hue !HISTORY_MSG_983;Local - denoise threshold mask high !HISTORY_MSG_984;Local - denoise threshold mask low @@ -2570,35 +3013,17 @@ HISTORY_MSG_961;局部-Log编码 Ciecam !HISTORY_MSG_1054;Local - Wavelet gamma !HISTORY_MSG_1055;Local - Color and Light gamma !HISTORY_MSG_1056;Local - DR and Exposure gamma -HISTORY_MSG_1057;局部-启用CIECAM -HISTORY_MSG_1058;局部-CIECAM 总体力度 -!HISTORY_MSG_1059;局部-CIECAM Autogray -!HISTORY_MSG_1060;局部-CIECAM Mean luminance source -!HISTORY_MSG_1061;局部-CIECAM Source absolute -!HISTORY_MSG_1062;局部-CIECAM Surround Source -HISTORY_MSG_1063;局部-CIECAM 饱和度 -HISTORY_MSG_1064;局部-CIECAM 彩度 -HISTORY_MSG_1065;局部-CIECAM 明度 J -HISTORY_MSG_1066;局部-CIECAM 视明度 -HISTORY_MSG_1067;局部-CIECAM 对比度J -HISTORY_MSG_1068;局部-CIECAM 阈值 -HISTORY_MSG_1069;局部-CIECAM 对比度Q -HISTORY_MSG_1070;局部-CIECAM 视彩度 -HISTORY_MSG_1071;局部-CIECAM 绝对亮度 -HISTORY_MSG_1072;局部-CIECAM 平均亮度 -HISTORY_MSG_1073;局部-CIECAM Cat16 -HISTORY_MSG_1074;局部-CIECAM 局部反差 +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source !HISTORY_MSG_1075;Local - CIECAM Surround viewing -HISTORY_MSG_1076;局部-CIECAM 范围 -HISTORY_MSG_1077;局部-CIECAM 模式 -HISTORY_MSG_1078;局部-红色与肤色保护 !HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J !HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold !HISTORY_MSG_1081;Local - CIECAM Sigmoid blend !HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv !HISTORY_MSG_1083;Local - CIECAM Hue !HISTORY_MSG_1084;Local - Uses Black Ev - White Ev -HISTORY_MSG_1085;Local - Jz 明度 !HISTORY_MSG_1086;Local - Jz contrast !HISTORY_MSG_1087;Local - Jz chroma !HISTORY_MSG_1088;Local - Jz hue @@ -2606,7 +3031,6 @@ HISTORY_MSG_1085;Local - Jz 明度 !HISTORY_MSG_1090;Local - Jz Sigmoid threshold !HISTORY_MSG_1091;Local - Jz Sigmoid blend !HISTORY_MSG_1092;Local - Jz adaptation -HISTORY_MSG_1093;局部-色貌模型 !HISTORY_MSG_1094;Local - Jz highligths !HISTORY_MSG_1095;Local - Jz highligths thr !HISTORY_MSG_1096;Local - Jz shadows @@ -2616,12 +3040,7 @@ HISTORY_MSG_1093;局部-色貌模型 !HISTORY_MSG_1100;Local - Jz reference 100 !HISTORY_MSG_1101;Local - Jz PQ remap !HISTORY_MSG_1102;Local - Jz(Hz) Curve -HISTORY_MSG_1103;局部-鲜明 伽马 !HISTORY_MSG_1104;Local - Sharp gamma -HISTORY_MSG_1105;局部-CIECAM 色调模式 -HISTORY_MSG_1106;局部-CIECAM 色调曲线 -HISTORY_MSG_1107;局部-CIECAM 色彩模式 -HISTORY_MSG_1108;局部-CIECAM 色彩曲线 !HISTORY_MSG_1109;Local - Jz(Jz) curve !HISTORY_MSG_1110;Local - Cz(Cz) curve !HISTORY_MSG_1111;Local - Cz(Jz) curve @@ -2667,23 +3086,15 @@ HISTORY_MSG_1108;局部-CIECAM 色彩曲线 !HISTORY_MSG_BLSHAPE;Blur by level !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance -HISTORY_MSG_BLUWAV;衰减响应 -HISTORY_MSG_CATCAT;Cat02/16模式 -HISTORY_MSG_CATCOMPLEX;Ciecam复杂度 -HISTORY_MSG_CATMODEL;CAM模型 -HISTORY_MSG_COMPLEX;小波复杂度 !HISTORY_MSG_COMPLEXRETI;Retinex complexity -HISTORY_MSG_DEHAZE_SATURATION;去雾-饱和度 -!HISTORY_MSG_EDGEFFECT;Edge 衰减响应 +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response !HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output -HISTORY_MSG_FILMNEGATIVE_COLORSPACE;胶片负片色彩空间 !HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_HLBL;Color propagation - blur !HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy !HISTORY_MSG_ICM_AINTENT;Abstract profile intent !HISTORY_MSG_ICM_BLUX;Primaries Blue X !HISTORY_MSG_ICM_BLUY;Primaries Blue Y -HISTORY_MSG_ICM_FBW;黑白 !HISTORY_MSG_ICM_GREX;Primaries Green X !HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries @@ -2697,7 +3108,7 @@ HISTORY_MSG_ICM_FBW;黑白 !HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method !HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope !HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method -!HISTORY_MSG_ILLUM;Illuminant +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera !HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera !HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera @@ -2710,13 +3121,10 @@ HISTORY_MSG_ICM_FBW;黑白 !HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode !HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_RANGEAB;Range ab -HISTORY_MSG_RESIZE_LONGEDGE;调整大小-长边 -HISTORY_MSG_RESIZE_SHORTEDGE;调整大小-短边 -!HISTORY_MSG_SIGMACOL;Chroma 衰减响应 -!HISTORY_MSG_SIGMADIR;Dir 衰减响应 -!HISTORY_MSG_SIGMAFIN;Final contrast 衰减响应 -!HISTORY_MSG_SIGMATON;Toning 衰减响应 -HISTORY_MSG_SPOT;污点移除 +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. !HISTORY_MSG_TEMPOUT;CAM02 automatic temperature !HISTORY_MSG_THRESWAV;Balance threshold @@ -2729,7 +3137,6 @@ HISTORY_MSG_SPOT;污点移除 !HISTORY_MSG_WAVCHROMFI;Chroma fine !HISTORY_MSG_WAVCLARI;Clarity !HISTORY_MSG_WAVDENLH;Level 5 -!HISTORY_MSG_WAVDENMET;Local equalizer !HISTORY_MSG_WAVDENOISE;Local contrast !HISTORY_MSG_WAVDENOISEH;High levels Local contrast !HISTORY_MSG_WAVDETEND;Details soft @@ -2738,21 +3145,16 @@ HISTORY_MSG_SPOT;污点移除 !HISTORY_MSG_WAVHUE;Equalizer hue !HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors !HISTORY_MSG_WAVLEVDEN;High level local contrast -HISTORY_MSG_WAVLEVELSIGM;去噪-半径 -HISTORY_MSG_WAVLEVSIGM;半径 !HISTORY_MSG_WAVLIMDEN;Interaction 56 14 !HISTORY_MSG_WAVLOWTHR;Threshold low contrast !HISTORY_MSG_WAVMERGEC;Merge C !HISTORY_MSG_WAVMERGEL;Merge L !HISTORY_MSG_WAVMIXMET;Reference local contrast -HISTORY_MSG_WAVOFFSET;偏移 !HISTORY_MSG_WAVOLDSH;Old algorithm -HISTORY_MSG_WAVQUAMET;去噪模式 !HISTORY_MSG_WAVRADIUS;Radius shadows-highlights !HISTORY_MSG_WAVSCALE;Scale !HISTORY_MSG_WAVSHOWMASK;Show wavelet mask !HISTORY_MSG_WAVSIGM;Sigma -HISTORY_MSG_WAVSIGMA;衰减响应 !HISTORY_MSG_WAVSLIMET;Method !HISTORY_MSG_WAVSOFTRAD;Soft radius clarity !HISTORY_MSG_WAVSOFTRADEND;Soft radius final @@ -2760,10 +3162,9 @@ HISTORY_MSG_WAVSIGMA;衰减响应 !HISTORY_MSG_WAVTHRDEN;Threshold local contrast !HISTORY_MSG_WAVTHREND;Threshold local contrast !HISTORY_MSG_WAVUSHAMET;Clarity method -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description !ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Leave empty to set the default description. -ICCPROFCREATOR_GAMMA;伽马 !ICCPROFCREATOR_ICCVERSION;ICC version: !ICCPROFCREATOR_ILL;Illuminant: !ICCPROFCREATOR_ILL_41;D41 @@ -2773,7 +3174,6 @@ ICCPROFCREATOR_GAMMA;伽马 !ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 -ICCPROFCREATOR_ILL_DEF;默认 !ICCPROFCREATOR_ILL_INC;StdA 2856K !ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: @@ -2798,8 +3198,6 @@ ICCPROFCREATOR_ILL_DEF;默认 !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SLOPE;Slope -ICCPROFCREATOR_TRC_PRESET;色调响应曲线 -INSPECTOR_WINDOW_TITLE;检视器 !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -2811,7 +3209,7 @@ INSPECTOR_WINDOW_TITLE;检视器 !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -2830,37 +3228,19 @@ INSPECTOR_WINDOW_TITLE;检视器 !MAIN_BUTTON_NAVPREV_TOOLTIP;Navigate to the previous image relative to image opened in the Editor.\nShortcut: Shift-F3\n\nTo navigate to the previous image relative to the currently selected thumbnail in the File Browser or Filmstrip:\nShortcut: F3 !MAIN_BUTTON_NAVSYNC_TOOLTIP;Synchronize the File Browser or Filmstrip with the Editor to reveal the thumbnail of the currently opened image, and clear any active filters.\nShortcut: x\n\nAs above, but without clearing active filters:\nShortcut: y\n(Note that the thumbnail of the opened image will not be shown if filtered out). !MAIN_MSG_IMAGEUNPROCESSED;This command requires all selected images to be queue-processed first. -MAIN_TAB_LOCALLAB;局部 -MAIN_TAB_LOCALLAB_TOOLTIP;快捷键:Alt-o !MAIN_TOOLTIP_BEFOREAFTERLOCK;Lock / Unlock the Before view\n\nLock: keep the Before view unchanged.\nUseful to evaluate the cumulative effect of multiple tools.\nAdditionally, comparisons can be made to any state in the History.\n\nUnlock: the Before view will follow the After view one step behind, showing the image before the effect of the currently used tool. -PARTIALPASTE_LOCALLAB;局部调整 -PARTIALPASTE_LOCALLABGROUP;局部调整设置 -PARTIALPASTE_LOCGROUP;局部 -PARTIALPASTE_PREPROCWB;预处理白平衡 !PARTIALPASTE_RETINEX;Retinex -PARTIALPASTE_SPOT;污点移除 +!PARTIALPASTE_VIBRANCE;Vibrance !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CIE;Ciecam -PREFERENCES_CIEARTIF;避免杂点 -PREFERENCES_COMPLEXITYLOC;局部调整工具默认复杂程度 -PREFERENCES_COMPLEXITY_EXP;高级 -PREFERENCES_COMPLEXITY_NORM;标准 -PREFERENCES_COMPLEXITY_SIMP;基础 !PREFERENCES_CUSTPROFBUILD;Custom Processing Profile Builder -!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. "Keyfile") is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. +!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. 'Keyfile') is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. !PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format !PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID !PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile -PREFERENCES_EXTEDITOR_DIR;输出目录 -PREFERENCES_EXTEDITOR_DIR_CURRENT;与输入图片相同 -PREFERENCES_EXTEDITOR_DIR_CUSTOM;自定义 -PREFERENCES_EXTEDITOR_DIR_TEMP;操作系统临时文件夹 !PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output -PREFERENCES_INSPECTORWINDOW;以单独窗口或全屏打开检视器 !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. -PREFERENCES_SHOWTOOLTIP;显示局部调整工具提示 -PREFERENCES_ZOOMONSCROLL;滚动鼠标滚轮控制图片缩放 !PROGRESSDLG_PROFILECHANGEDINBROWSER;Processing profile changed in browser !SAMPLEFORMAT_1;8-bit unsigned !SAMPLEFORMAT_2;16-bit unsigned @@ -2889,18 +3269,13 @@ PREFERENCES_ZOOMONSCROLL;滚动鼠标滚轮控制图片缩放 !TP_BWMIX_ALGO_TOOLTIP;Linear: will produce a normal linear response.\nSpecial effects: will produce special effects by mixing channels non-linearly. !TP_BWMIX_CC_ENABLED;Adjust complementary color !TP_BWMIX_CC_TOOLTIP;Enable to allow automatic adjustment of complementary colors in ROYGCBPM mode. -!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. !TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. -TP_COLORAPP_CATCLASSIC;经典 -!TP_COLORAPP_CATMET_TOOLTIP;经典 - 传统的CIECAM操作。 The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. -TP_COLORAPP_CATMOD;Cat02/16模式 -TP_COLORAPP_CATSYMGEN;自动对称 -TP_COLORAPP_CATSYMSPE;混合 -!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). -!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). -TP_COLORAPP_GEN;设置 - 预设 -!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_IL41;D41 !TP_COLORAPP_IL50;D50 !TP_COLORAPP_IL55;D55 @@ -2911,19 +3286,15 @@ TP_COLORAPP_GEN;设置 - 预设 !TP_COLORAPP_ILFREE;Free !TP_COLORAPP_ILLUM;Illuminant !TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. -!TP_COLORAPP_MOD02;CIECAM02 -!TP_COLORAPP_MOD16;CIECAM16 -TP_COLORAPP_MODELCAT;色貌模型 -TP_COLORAPP_MODELCAT_TOOLTIP;允许你在CIECAM02或CIECAM16之间进行选择\nCIECAM02在某些时候会更加准确\nCIECAM16的杂点应该更少 -!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. -TP_COLORAPP_SURROUNDSRC;周围 - 场景亮度 -TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n平均:平均的亮度条件(标准)。图像不被改变\n\n昏暗:较暗的场景。图像会被略微提亮\n\n黑暗:黑暗的环境。图像会被提亮\n\n极暗:非常暗的环境。图片会变得非常亮 +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, ...), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. -!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image -!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_BY;o C/L !TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 @@ -2933,23 +3304,11 @@ TP_COLORAPP_SURSOURCE_TOOLTIP;改变色调与色彩以计入场景条件\n\n !TP_COLORTONING_LABREGION_LIGHTNESSMASK;L !TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -TP_DEHAZE_SATURATION;饱和度 -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fine: closer to the colors of the skin, minimizing the action on other colors\nLarge: avoid more artifacts. !TP_DIRPYREQUALIZER_HUESKIN_TOOLTIP;This pyramid is for the upper part, so far as the algorithm at its maximum efficiency.\nTo the lower part, the transition zones.\nIf you need to move the area significantly to the left or right - or if there are artifacts: the white balance is incorrect\nYou can slightly reduce the zone to prevent the rest of the image is affected. !TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colors (hue, chroma, luma) and the rest of the image. -TP_DISTORTION_AUTO_TOOLTIP;如果Raw文件内有矫正畸变的内嵌JPEG,则会将Raw图像与其对比并自动矫正畸变 -TP_FILMNEGATIVE_BLUEBALANCE;冷/暖 -TP_FILMNEGATIVE_COLORSPACE;反转色彩空间: -TP_FILMNEGATIVE_COLORSPACE_INPUT;输入色彩空间 -TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;选择用于负片反转的色彩空间:\n输入色彩空间: 在输入档案被应用之前进行反转,与之前版本的RT相同\n工作色彩空间: 在输入档案被应用之后进行反转,使用当前所选的工作档案 -TP_FILMNEGATIVE_COLORSPACE_WORKING;工作色彩空间 -TP_FILMNEGATIVE_GREENBALANCE;品红/绿 -TP_FILMNEGATIVE_OUT_LEVEL;输出亮度 -TP_FILMNEGATIVE_REF_LABEL;输入RGB: %1 -TP_FILMNEGATIVE_REF_PICK;选择白平衡点 -TP_FILMNEGATIVE_REF_TOOLTIP;为输出的正片选择一块灰色区域进行白平衡 !TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. @@ -2957,14 +3316,12 @@ TP_FILMNEGATIVE_REF_TOOLTIP;为输出的正片选择一块灰色区域进行白 !TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. -!TP_ICM_BLUFRAME;Blue Primaries !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. !TP_ICM_FBW;Black-and-White -!TP_ICM_GREFRAME;Green Primaries -!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. !TP_ICM_INPUTCAMERAICC_TOOLTIP;Use RawTherapee's camera-specific DCP or ICC input color profiles. These profiles are more precise than simpler matrix ones. They are not available for all cameras. These profiles are stored in the /iccprofiles/input and /dcpprofiles folders and are automatically retrieved based on a file name matching to the exact model name of the camera. !TP_ICM_INPUTCAMERA_TOOLTIP;Use a simple color matrix from dcraw, an enhanced RawTherapee version (whichever is available based on camera model) or one embedded in the DNG. !TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 @@ -2972,16 +3329,15 @@ TP_FILMNEGATIVE_REF_TOOLTIP;为输出的正片选择一块灰色区域进行白 !TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K !TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 !TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 -!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode (‘working profile’) to a different mode (‘destination primaries’). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the ‘primaries’ is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). !TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. -TP_ICM_TRCFRAME;抽象档案 -!TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. -!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. !TP_ICM_WORKING_CIEDIAG;CIE xy diagram !TP_ICM_WORKING_ILLU;Illuminant !TP_ICM_WORKING_ILLU_1500;Tungsten 1500K @@ -2993,11 +3349,10 @@ TP_ICM_TRCFRAME;抽象档案 !TP_ICM_WORKING_ILLU_D65;D65 !TP_ICM_WORKING_ILLU_D80;D80 !TP_ICM_WORKING_ILLU_D120;D120 -TP_ICM_WORKING_ILLU_NONE;默认 !TP_ICM_WORKING_ILLU_STDA;stdA 2875K !TP_ICM_WORKING_PRESER;Preserves Pastel tones !TP_ICM_WORKING_PRIM;Destination primaries -!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When ‘Custom CIE xy diagram’ is selected in ‘Destination- primaries’’ combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. !TP_ICM_WORKING_PRIM_AC0;ACESp0 !TP_ICM_WORKING_PRIM_ACE;ACESp1 !TP_ICM_WORKING_PRIM_ADOB;Adobe RGB @@ -3006,12 +3361,10 @@ TP_ICM_WORKING_ILLU_NONE;默认 !TP_ICM_WORKING_PRIM_BST;BestRGB !TP_ICM_WORKING_PRIM_CUS;Custom (sliders) !TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) -TP_ICM_WORKING_PRIM_NONE;默认 !TP_ICM_WORKING_PRIM_PROP;ProPhoto !TP_ICM_WORKING_PRIM_REC;Rec2020 !TP_ICM_WORKING_PRIM_SRGB;sRGB !TP_ICM_WORKING_PRIM_WID;WideGamut -TP_ICM_WORKING_TRC;色调响应曲线: !TP_ICM_WORKING_TRC_18;Prophoto g=1.8 !TP_ICM_WORKING_TRC_22;Adobe g=2.2 !TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 @@ -3035,313 +3388,158 @@ TP_ICM_WORKING_TRC;色调响应曲线: !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated !TP_LOCALLAB_ACTIV;Luminance only -TP_LOCALLAB_ACTIVSPOT;启用点 !TP_LOCALLAB_ADJ;Equalizer Color -!TP_LOCALLAB_ALL;All rubrics -TP_LOCALLAB_AMOUNT;数量 -TP_LOCALLAB_ARTIF;形状检测 -!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. -TP_LOCALLAB_AUTOGRAY;自动平均亮度(Yb%) -TP_LOCALLAB_AUTOGRAYCIE;自动 -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". -TP_LOCALLAB_AVOID;避免偏色 +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only -!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDRAD;Soft radius -TP_LOCALLAB_BALAN;ab-L平衡(ΔE) !TP_LOCALLAB_BALANEXP;Laplacian balance -TP_LOCALLAB_BALANH;色度(C)-色相(H)平衡(ΔE) -!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. !TP_LOCALLAB_BASELOG;Shadows range (logarithm base) !TP_LOCALLAB_BILATERAL;Bilateral filter !TP_LOCALLAB_BLACK_EV;Black Ev -TP_LOCALLAB_BLCO;仅色度 !TP_LOCALLAB_BLENDMASKCOL;Blend !TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask !TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask -!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image -!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. !TP_LOCALLAB_BLGUID;Guided Filter -TP_LOCALLAB_BLINV;反转 -TP_LOCALLAB_BLLC;亮度&色度 -TP_LOCALLAB_BLLO;仅亮度 -TP_LOCALLAB_BLMED;中值 !TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. -TP_LOCALLAB_BLNOI_EXP;模糊 & 噪点 !TP_LOCALLAB_BLNORM;Normal -!TP_LOCALLAB_BLSYM;Symmetric -TP_LOCALLAB_BLUFR;模糊/颗粒 & 去噪 -!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction -TP_LOCALLAB_BLUR;高斯模糊-噪点-颗粒 -!TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 -TP_LOCALLAB_BLURCOL;半径 +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. !TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. -TP_LOCALLAB_BLURDE;模糊形状检测 -TP_LOCALLAB_BLURLC;仅亮度 !TP_LOCALLAB_BLURLEVELFRA;Blur levels !TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. -!TP_LOCALLAB_BLURRESIDFRA;Blur Residual -!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) -TP_LOCALLAB_BLUR_TOOLNAME;模糊/颗粒 & 去噪 +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). !TP_LOCALLAB_BLWH;All changes forced in Black-and-White -!TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. -TP_LOCALLAB_BUTTON_ADD;添加 -TP_LOCALLAB_BUTTON_DEL;删除 -TP_LOCALLAB_BUTTON_DUPL;复制 -TP_LOCALLAB_BUTTON_REN;重命名 -TP_LOCALLAB_BUTTON_VIS;显示/隐藏 +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. !TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev !TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. -TP_LOCALLAB_CAM16_FRA;Cam16图像调整 -TP_LOCALLAB_CAMMODE;色貌模型 !TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz !TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only -TP_LOCALLAB_CATAD;色适应/Cat16 -TP_LOCALLAB_CBDL;分频反差调整 -TP_LOCALLAB_CBDLCLARI_TOOLTIP;增强中间调的局部反差 -TP_LOCALLAB_CBDL_ADJ_TOOLTIP;与小波相同。\n第一级(0)作用在2x2像素细节上\n最高级(5)作用在64x64像素细节上 -TP_LOCALLAB_CBDL_THRES_TOOLTIP;避免加锐噪点 -TP_LOCALLAB_CBDL_TOOLNAME;分频反差调整 -TP_LOCALLAB_CENTER_X;中心X -TP_LOCALLAB_CENTER_Y;中心Y !TP_LOCALLAB_CH;CL - LC -TP_LOCALLAB_CHROMA;彩度 !TP_LOCALLAB_CHROMABLU;Chroma levels !TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. -TP_LOCALLAB_CHROMACBDL;彩度 !TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. !TP_LOCALLAB_CHROMALEV;Chroma levels -TP_LOCALLAB_CHROMASKCOL;彩度 !TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). -TP_LOCALLAB_CHROML;彩度 (C) -TP_LOCALLAB_CHRRT;彩度 -TP_LOCALLAB_CIE;色貌(Cam16 & JzCzHz) -TP_LOCALLAB_CIEC;使用Ciecam环境参数 -!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. !TP_LOCALLAB_CIECOLORFRA;Color -TP_LOCALLAB_CIECONTFRA;对比度 !TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast !TP_LOCALLAB_CIELIGHTFRA;Lighting -TP_LOCALLAB_CIEMODE;改变工具位置 -TP_LOCALLAB_CIEMODE_COM;默认 -TP_LOCALLAB_CIEMODE_DR;动态范围 -TP_LOCALLAB_CIEMODE_LOG;Log编码 -TP_LOCALLAB_CIEMODE_TM;色调映射 -!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for "Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" -TP_LOCALLAB_CIEMODE_WAV;小波 -TP_LOCALLAB_CIETOOLEXP;曲线 -TP_LOCALLAB_CIE_TOOLNAME;色貌(Cam16 & JzCzHz) -TP_LOCALLAB_CIRCRADIUS;调整点大小 +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. !TP_LOCALLAB_CLARICRES;Merge chroma !TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images -!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. !TP_LOCALLAB_CLARILRES;Merge luma !TP_LOCALLAB_CLARISOFT;Soft radius -!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. -!TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. !TP_LOCALLAB_CLARITYML;Clarity -!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. !TP_LOCALLAB_CLIPTM;Clip restored data (gain) -TP_LOCALLAB_COFR;色彩 & 亮度 -TP_LOCALLAB_COLORDE;ΔE预览颜色-密度 -!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. !TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. -TP_LOCALLAB_COLORSCOPE;范围(色彩工具) -TP_LOCALLAB_COLORSCOPE_TOOLTIP;总控色彩与亮度,阴影/高光,鲜明度工具的范围滑条\n其他工具中有单独进行范围控制的滑条 -TP_LOCALLAB_COLOR_CIE;色彩曲线 -TP_LOCALLAB_COLOR_TOOLNAME;色彩 & 亮度 -TP_LOCALLAB_COL_NAME;名称 -TP_LOCALLAB_COL_VIS;状态 !TP_LOCALLAB_COMPFRA;Directional contrast -!TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. -!TP_LOCALLAB_COMPLEX_METHOD;Software Complexity -!TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. !TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping -!TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. !TP_LOCALLAB_CONTCOL;Contrast threshold !TP_LOCALLAB_CONTFRA;Contrast by level -TP_LOCALLAB_CONTL;对比度 (J) -TP_LOCALLAB_CONTRAST;对比度 -!TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. !TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. !TP_LOCALLAB_CONTRESID;Contrast !TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. -TP_LOCALLAB_CONTTHR;反差阈值 -TP_LOCALLAB_CONTWFRA;局部反差 -TP_LOCALLAB_CSTHRESHOLD;小波层级 !TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection -!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' !TP_LOCALLAB_CURVCURR;Normal !TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. !TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. -!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ -TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;色调曲线 -!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. !TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. -!TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) -!TP_LOCALLAB_CURVENH;Super -!TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) -!TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) -TP_LOCALLAB_CURVES_CIE;色调曲线 !TP_LOCALLAB_CURVNONE;Disable curves !TP_LOCALLAB_DARKRETI;Darkness -TP_LOCALLAB_DEHAFRA;去雾 -TP_LOCALLAB_DEHAZ;力度 -TP_LOCALLAB_DEHAZFRAME_TOOLTIP;移除环境雾,提升总体饱和度与细节\n可以移除偏色倾向,但也可能导致图片整体偏蓝,此现象可以用其他工具进行修正 -TP_LOCALLAB_DEHAZ_TOOLTIP;负值会增加雾 !TP_LOCALLAB_DELTAD;Delta balance !TP_LOCALLAB_DELTAEC;ΔE Image mask !TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask !TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask -!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or ‘salt & pepper’ noise. +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. !TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. !TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). -!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. !TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. !TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. !TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). !TP_LOCALLAB_DENOIMASK;Denoise chroma mask !TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. -!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. -TP_LOCALLAB_DENOIS;去噪 +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. !TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. -TP_LOCALLAB_DENOI_EXP;去噪 -!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n 范围 allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 -TP_LOCALLAB_DEPTH;纵深 -TP_LOCALLAB_DETAIL;局部反差 +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. !TP_LOCALLAB_DETAILFRA;Edge detection - DCT -TP_LOCALLAB_DETAILSH;细节 !TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold -TP_LOCALLAB_DIVGR;伽马 -TP_LOCALLAB_DUPLSPOTNAME;复制 -TP_LOCALLAB_EDGFRA;边缘锐度 -TP_LOCALLAB_EDGSHOW;显示所有工具 -TP_LOCALLAB_ELI;椭圆 -TP_LOCALLAB_ENABLE_AFTER_MASK;使用色调映射 !TP_LOCALLAB_ENABLE_MASK;Enable mask !TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure !TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. !TP_LOCALLAB_ENH;Enhanced !TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise -TP_LOCALLAB_EPSBL;细节 !TP_LOCALLAB_EQUIL;Normalize luminance !TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. !TP_LOCALLAB_ESTOP;Edge stopping !TP_LOCALLAB_EV_DUPL;Copy of -TP_LOCALLAB_EV_NVIS;隐藏 -TP_LOCALLAB_EV_NVIS_ALL;隐藏所有 -TP_LOCALLAB_EV_VIS;显示 -TP_LOCALLAB_EV_VIS_ALL;显示所有 -TP_LOCALLAB_EXCLUF;排除 -TP_LOCALLAB_EXCLUF_TOOLTIP;“排除”模式能够避免重叠的点影响到排除点的区域。调整“范围”能够扩大不受影响的色彩\n你还可以向排除点中添加工具,并像普通点一样使用这些工具 -TP_LOCALLAB_EXCLUTYPE;调整点模式 -!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. -TP_LOCALLAB_EXECLU;排除点 -TP_LOCALLAB_EXFULL;整张图片 -TP_LOCALLAB_EXNORM;普通点 +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. !TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). -TP_LOCALLAB_EXPCHROMA;色度补偿 -!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. -TP_LOCALLAB_EXPCOLOR_TOOLTIP;调整色彩,亮度,反差并且矫正细微的图像缺陷,如红眼/传感器灰尘等 -TP_LOCALLAB_EXPCOMP;曝光补偿ƒ -TP_LOCALLAB_EXPCOMPINV;曝光补偿 -!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ -!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. -!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘范围’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. -TP_LOCALLAB_EXPCURV;曲线 -TP_LOCALLAB_EXPGRAD;渐变滤镜 -!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), 鲜明度 (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. -!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend -!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform -!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. -!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. -TP_LOCALLAB_EXPOSE;动态范围 & 曝光 +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. !TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools -!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘范围’ values to simulate smaller RT-Spots. -TP_LOCALLAB_EXPTOOL;曝光工具 -TP_LOCALLAB_EXPTRC;色调响应曲线(TRC) -TP_LOCALLAB_EXP_TOOLNAME;动态范围 & 曝光 -TP_LOCALLAB_FATAMOUNT;数量 -TP_LOCALLAB_FATANCHOR;锚点 -TP_LOCALLAB_FATANCHORA;偏移量 -TP_LOCALLAB_FATDETAIL;细节 -TP_LOCALLAB_FATFRA;动态范围压缩ƒ +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. !TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. !TP_LOCALLAB_FATLEVEL;Sigma -!TP_LOCALLAB_FATRES;Amount Residual Image -TP_LOCALLAB_FATSHFRA;动态范围压缩蒙版 ƒ -!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. !TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) !TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ -TP_LOCALLAB_FFTMASK_TOOLTIP;使用傅立叶变换以得到更高的质量(处理用时与内存占用会上升) -TP_LOCALLAB_FFTW;ƒ - 使用快速傅立叶变换 -TP_LOCALLAB_FFTW2;ƒ - 使用快速傅立叶变换(TIF, JPG,..) -TP_LOCALLAB_FFTWBLUR;ƒ - 永远使用快速傅立叶变换 -TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image !TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. -TP_LOCALLAB_GAM;伽马 -TP_LOCALLAB_GAMC;伽马 -!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. -!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. -TP_LOCALLAB_GAMFRA;色调响应曲线(TRC) -TP_LOCALLAB_GAMM;伽马 -TP_LOCALLAB_GAMMASKCOL;伽马 -!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. -TP_LOCALLAB_GAMSH;伽马 +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. !TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) -TP_LOCALLAB_GRADANG;渐变角度 -TP_LOCALLAB_GRADANG_TOOLTIP;旋转角度(单位为°):-180 0 +180 -TP_LOCALLAB_GRADFRA;渐变滤镜蒙版 -!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength -TP_LOCALLAB_GRADLOGFRA;渐变滤镜亮度 -TP_LOCALLAB_GRADSTR;渐变力度 -!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. !TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength !TP_LOCALLAB_GRADSTRHUE;Hue gradient strength !TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength -!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength -TP_LOCALLAB_GRADSTRLUM;亮度渐变力度 -!TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops -TP_LOCALLAB_GRAINFRA;胶片颗粒 1:1 -TP_LOCALLAB_GRAINFRA2;粗糙度 -TP_LOCALLAB_GRAIN_TOOLTIP;向图片中添加胶片式的颗粒 +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. !TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) -!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) -!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma -TP_LOCALLAB_GRIDONE;色调映射 -TP_LOCALLAB_GRIDTWO;直接调整 +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. !TP_LOCALLAB_GUIDBL;Soft radius !TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. !TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. -TP_LOCALLAB_GUIDFILTER;渐变滤镜半径 !TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. -!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter -TP_LOCALLAB_HHMASK_TOOLTIP;精确调整肤色等具体色相 +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. !TP_LOCALLAB_HIGHMASKCOL;Highlights !TP_LOCALLAB_HLH;H -!TP_LOCALLAB_HLHZ;Hz -TP_LOCALLAB_HUECIE;色相 !TP_LOCALLAB_IND;Independent (mouse) !TP_LOCALLAB_INDSL;Independent (mouse + sliders) -TP_LOCALLAB_INVBL;反转 -TP_LOCALLAB_INVBL_TOOLTIP;若不希望使用“反转”,也有另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 -TP_LOCALLAB_INVERS;反转 -TP_LOCALLAB_INVERS_TOOLTIP;使用“反转”选项会导致选择变少\n\n另外一种反选方式:使用两个调整点\n第一个点:整张图像\n\n第二个点:排除点 !TP_LOCALLAB_INVMASK;Inverse algorithm -TP_LOCALLAB_ISOGR;分布(ISO) !TP_LOCALLAB_JAB;Uses Black Ev & White Ev -!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. !TP_LOCALLAB_JZ100;Jz reference 100cd/m2 -!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). !TP_LOCALLAB_JZADAP;PU adaptation !TP_LOCALLAB_JZCH;Chroma !TP_LOCALLAB_JZCHROM;Chroma @@ -3349,33 +3547,27 @@ TP_LOCALLAB_ISOGR;分布(ISO) !TP_LOCALLAB_JZCLARILRES;Merge Jz !TP_LOCALLAB_JZCONT;Contrast !TP_LOCALLAB_JZFORCE;Force max Jz to 1 -!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. !TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments !TP_LOCALLAB_JZHFRA;Curves Hz !TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) !TP_LOCALLAB_JZHUECIE;Hue Rotation -TP_LOCALLAB_JZLIGHT;视明度 !TP_LOCALLAB_JZLOG;Log encoding Jz !TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. -!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. !TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. !TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. !TP_LOCALLAB_JZPQFRA;Jz remapping -!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. !TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance !TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. !TP_LOCALLAB_JZQTOJ;Relative luminance -!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. -TP_LOCALLAB_JZSAT;饱和度 -TP_LOCALLAB_JZSHFRA;阴影/高光 Jz +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. !TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) !TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter !TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) !TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) !TP_LOCALLAB_JZWAVEXP;Wavelet Jz -TP_LOCALLAB_LABBLURM;Blur Mask -TP_LOCALLAB_LABEL;局部调整 -TP_LOCALLAB_LABGRID;色彩矫正网格 !TP_LOCALLAB_LABGRIDMERG;Background !TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_LOCALLAB_LABSTRUM;Structure Mask @@ -3388,34 +3580,25 @@ TP_LOCALLAB_LABGRID;色彩矫正网格 !TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. !TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. !TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. -TP_LOCALLAB_LC_TOOLNAME;局部反差 & 小波 !TP_LOCALLAB_LEVELBLUR;Maximum blur levels -TP_LOCALLAB_LEVELWAV;小波层级 -!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. !TP_LOCALLAB_LEVFRA;Levels -TP_LOCALLAB_LIGHTNESS;明度 -!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero -TP_LOCALLAB_LIGHTRETI;明度 +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. !TP_LOCALLAB_LINEAR;Linearity -TP_LOCALLAB_LIST_NAME;向当前调整点添加工具... -!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. !TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). !TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. !TP_LOCALLAB_LOCCONT;Unsharp Mask -TP_LOCALLAB_LOC_CONTRAST;局部反差 & 小波 !TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: !TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: !TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast !TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur !TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) -TP_LOCALLAB_LOG;Log编码 -TP_LOCALLAB_LOG1FRA;CAM16图像调整 -TP_LOCALLAB_LOG2FRA;观察条件 -TP_LOCALLAB_LOGAUTO;自动 -!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. -!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3428,59 +3611,42 @@ TP_LOCALLAB_LOGAUTO;自动 !TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. !TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. !TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. -!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment -TP_LOCALLAB_LOGEXP;所有工具 -TP_LOCALLAB_LOGFRA;场景条件 +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. !TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. -TP_LOCALLAB_LOGIMAGE_TOOLTIP;将CIECAM的相关参数一同进行考虑,参数包括:对比度(J),饱和度(s),以及对比度(Q),视明度(Q),明度(J),视彩度(M)(在高级模式下) -TP_LOCALLAB_LOGLIGHTL;明度 (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;与L*a*b*的明度相近。会考虑到感知色彩的变化 -TP_LOCALLAB_LOGLIGHTQ;视明度 (Q) !TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. !TP_LOCALLAB_LOGLIN;Logarithm mode !TP_LOCALLAB_LOGPFRA;Relative Exposure Levels -TP_LOCALLAB_LOGREPART;总体力度 !TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. !TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. !TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. -!TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. !TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. -!TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. -!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. -TP_LOCALLAB_LOG_TOOLNAME;Log编码 +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. !TP_LOCALLAB_LUM;LL - CC -TP_LOCALLAB_LUMADARKEST;最暗 !TP_LOCALLAB_LUMASK;Background color/luma mask -!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) -TP_LOCALLAB_LUMAWHITESEST;最亮 -TP_LOCALLAB_LUMFRA;L*a*b*标准 -TP_LOCALLAB_LUMONLY;仅亮度 +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). !TP_LOCALLAB_MASFRAME;Mask and Merge -!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. -TP_LOCALLAB_MASK;曲线 -TP_LOCALLAB_MASK2;对比度曲线 +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask -!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of 范围. -!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection -TP_LOCALLAB_MASKDDECAY;衰减力度 -!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. !TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. -!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". -!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the GF will be applied progressively.\n if the mask is above the ‘light’ threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. !TP_LOCALLAB_MASKH;Hue curve -!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'Blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask'=0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable colorpicker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. !TP_LOCALLAB_MASKLCTHR;Light area luminance threshold !TP_LOCALLAB_MASKLCTHR2;Light area luma threshold !TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold @@ -3489,31 +3655,29 @@ TP_LOCALLAB_MASKDDECAY;衰减力度 !TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise !TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. !TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas -!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied -TP_LOCALLAB_MASKRECOTHRES;恢复阈值 -!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied -!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied -!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied -!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied -!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied -!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the 鲜明度 and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 鲜明度 and Warm Cool settings \n In between these two areas, the full value of the 鲜明度 and Warm Cool settings will be applied -!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. !TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) !TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) !TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. -!TP_LOCALLAB_MED;Medium !TP_LOCALLAB_MEDIAN;Median Low !TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. !TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. @@ -3526,17 +3690,9 @@ TP_LOCALLAB_MASKRECOTHRES;恢复阈值 !TP_LOCALLAB_MERFOU;Multiply !TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background !TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure -!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm -!TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCh -!TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) -!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) -!TP_LOCALLAB_MERGENONE;None -!TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). !TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. -!TP_LOCALLAB_MERGETHR;Original + Mask LCh -!TP_LOCALLAB_MERGETWO;Original -!TP_LOCALLAB_MERGETYPE;Merge image and mask -!TP_LOCALLAB_MERGETYPE_TOOLTIP;None, use all mask in LCh mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original !TP_LOCALLAB_MERHEI;Overlay !TP_LOCALLAB_MERHUE;Hue !TP_LOCALLAB_MERLUCOL;Luminance @@ -3545,6 +3701,7 @@ TP_LOCALLAB_MASKRECOTHRES;恢复阈值 !TP_LOCALLAB_MERONE;Normal !TP_LOCALLAB_MERSAT;Saturation !TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion !TP_LOCALLAB_MERSEV1;Soft Light W3C !TP_LOCALLAB_MERSEV2;Hard Light !TP_LOCALLAB_MERSIX;Divide @@ -3555,75 +3712,44 @@ TP_LOCALLAB_MASKRECOTHRES;恢复阈值 !TP_LOCALLAB_MERTWO;Subtract !TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. !TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 -!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. -TP_LOCALLAB_MODE_EXPERT;高级 -TP_LOCALLAB_MODE_NORMAL;标准 -TP_LOCALLAB_MODE_SIMPLE;基础 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_LOCALLAB_MRFIV;Background !TP_LOCALLAB_MRFOU;Previous Spot -TP_LOCALLAB_MRONE;无 -TP_LOCALLAB_MRTHR;原图 !TP_LOCALLAB_MRTWO;Short Curves 'L' Mask -!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV -TP_LOCALLAB_NEIGH;半径 -!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. !TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. !TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. -!TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. -TP_LOCALLAB_NLDET;细节恢复 +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. !TP_LOCALLAB_NLFRA;Non-local Means - Luminance !TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. -TP_LOCALLAB_NLGAM;伽马 -TP_LOCALLAB_NLLUM;力度 !TP_LOCALLAB_NLPAT;Maximum patch size !TP_LOCALLAB_NLRAD;Maximum radius size !TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) -!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. !TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery !TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) -!TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 -TP_LOCALLAB_NOISEGAM;伽马 -!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. !TP_LOCALLAB_NOISELEQUAL;Equalizer white-black !TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) -TP_LOCALLAB_NOISELUMDETAIL;亮度细节恢复 !TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) !TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) !TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) -TP_LOCALLAB_NOISEMETH;去噪 -TP_LOCALLAB_NOISE_TOOLTIP;增加亮度噪点 -TP_LOCALLAB_NONENOISE;无 !TP_LOCALLAB_NUL_TOOLTIP;. -TP_LOCALLAB_OFFS;偏移 -TP_LOCALLAB_OFFSETWAV;偏移 -TP_LOCALLAB_OPACOL;不透明度 !TP_LOCALLAB_ORIGLC;Merge only with original image -!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘范围’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). -!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced -TP_LOCALLAB_PASTELS2;鲜明度 +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. !TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression !TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ -!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. -TP_LOCALLAB_PREVHIDE;隐藏额外设置 -TP_LOCALLAB_PREVIEW;预览ΔE -TP_LOCALLAB_PREVSHOW;显示额外设置 -TP_LOCALLAB_PROXI;ΔE衰减 -TP_LOCALLAB_QUAAGRES;激进 -TP_LOCALLAB_QUACONSER;保守 -TP_LOCALLAB_QUALCURV_METHOD;曲线类型 +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. !TP_LOCALLAB_QUAL_METHOD;Global quality !TP_LOCALLAB_QUANONEALL;Off !TP_LOCALLAB_QUANONEWAV;Non-local means only -TP_LOCALLAB_RADIUS;半径 -!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. !TP_LOCALLAB_RADMASKCOL;Smooth radius -!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). -TP_LOCALLAB_RECT;矩形 +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). !TP_LOCALLAB_RECURS;Recursive references !TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. -!TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 -TP_LOCALLAB_REN_DIALOG_LAB;为控制点输入新的名称 -TP_LOCALLAB_REN_DIALOG_NAME;重命名控制点 !TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. !TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. !TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. @@ -3631,68 +3757,35 @@ TP_LOCALLAB_REN_DIALOG_NAME;重命名控制点 !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. !TP_LOCALLAB_RESETSHOW;Reset All Show Modifications -TP_LOCALLAB_RESID;残差图 !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma !TP_LOCALLAB_RESIDCOMP;Compress residual image !TP_LOCALLAB_RESIDCONT;Residual image Contrast -TP_LOCALLAB_RESIDHI;高光 -TP_LOCALLAB_RESIDHITHR;高光阈值 -TP_LOCALLAB_RESIDSHA;阴影 -TP_LOCALLAB_RESIDSHATHR;阴影阈值 -TP_LOCALLAB_RETI;去雾 & Retinex !TP_LOCALLAB_RETIFRA;Retinex !TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). !TP_LOCALLAB_RETIM;Original Retinex !TP_LOCALLAB_RETITOOLFRA;Retinex Tools -!TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT improve quality and allow big radius, but increases the treatment time.\nThe treatment time depends on the surface to be treated\nThe treatment time depends on the value of scale (be careful of high values).\nTo be used preferably for large radius.\n\nDimensions can be reduced by a few pixels to optimize FFTW.\nThis optimization can reduce the treatment time by a factor of 1.5 to 10.\nOptimization not used in Preview -!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast -!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. !TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. !TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. !TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. -TP_LOCALLAB_RET_TOOLNAME;去雾 & Retinex -TP_LOCALLAB_REWEI;再加权迭代 -TP_LOCALLAB_RGB;RGB色调曲线 -TP_LOCALLAB_RGBCURVE_TOOLTIP;RGB模式下有四个选择:标准,加权标准,亮度,以及仿胶片式 -TP_LOCALLAB_ROW_NVIS;隐藏 -TP_LOCALLAB_ROW_VIS;可见 !TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. -TP_LOCALLAB_SATUR;饱和度 -TP_LOCALLAB_SATURV;饱和度 (s) -!TP_LOCALLAB_SAVREST;Save - Restore Current Image !TP_LOCALLAB_SCALEGR;Scale !TP_LOCALLAB_SCALERETI;Scale !TP_LOCALLAB_SCALTM;Scale -!TP_LOCALLAB_SCOPEMASK;范围 (ΔE image mask) -!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area -TP_LOCALLAB_SENSI;范围 -TP_LOCALLAB_SENSIEXCLU;范围 -!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded -!TP_LOCALLAB_SENSIMASK_TOOLTIP;范围 adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using '范围 (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ -!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors -TP_LOCALLAB_SETTINGS;设置 -TP_LOCALLAB_SH1;阴影与高光 -TP_LOCALLAB_SH2;均衡器 -TP_LOCALLAB_SHADEX;阴影 -TP_LOCALLAB_SHADEXCOMP;阴影压缩 -TP_LOCALLAB_SHADHIGH;阴影/高光 & 色调均衡器 -!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm -!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. !TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. -TP_LOCALLAB_SHAMASKCOL;阴影 -TP_LOCALLAB_SHAPETYPE;RT调整点形状 -TP_LOCALLAB_SHAPE_TOOLTIP;“椭圆”是正常模式\n部分情况下会用到“矩形”,比如需要让一个调整点覆盖整张图片的时候,便可以使用矩形点,并将限位点拖移到图片之外。这种情况需要你将过渡值设为100\n\n未来会开发多边形调整点与贝塞尔曲线 -TP_LOCALLAB_SHARAMOUNT;数量 -TP_LOCALLAB_SHARBLUR;模糊半径 !TP_LOCALLAB_SHARDAMPING;Damping !TP_LOCALLAB_SHARFRAME;Modifications -TP_LOCALLAB_SHARITER;迭代 -TP_LOCALLAB_SHARP;锐化 -TP_LOCALLAB_SHARP_TOOLNAME;锐化 -TP_LOCALLAB_SHARRADIUS;半径 !TP_LOCALLAB_SHORTC;Short Curves 'L' Mask -!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. !TP_LOCALLAB_SHOWC;Mask and modifications !TP_LOCALLAB_SHOWC1;Merge file !TP_LOCALLAB_SHOWCB;Mask and modifications @@ -3701,13 +3794,9 @@ TP_LOCALLAB_SHARRADIUS;半径 !TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) !TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) !TP_LOCALLAB_SHOWLC;Mask and modifications -TP_LOCALLAB_SHOWMASK;显示蒙版 -!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. !TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. -TP_LOCALLAB_SHOWMASKTYP1;模糊 & 噪点 -TP_LOCALLAB_SHOWMASKTYP2;去噪 -TP_LOCALLAB_SHOWMASKTYP3;模糊 & 噪点 + 去噪 -!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the 范围 sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. !TP_LOCALLAB_SHOWMNONE;Show modified image !TP_LOCALLAB_SHOWMODIF;Show modified areas without mask !TP_LOCALLAB_SHOWMODIF2;Show modified areas @@ -3716,117 +3805,81 @@ TP_LOCALLAB_SHOWMASKTYP3;模糊 & 噪点 + 去噪 !TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) !TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) !TP_LOCALLAB_SHOWR;Mask and modifications -TP_LOCALLAB_SHOWREF;预览ΔE !TP_LOCALLAB_SHOWS;Mask and modifications !TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) !TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) !TP_LOCALLAB_SHOWT;Mask and modifications !TP_LOCALLAB_SHOWVI;Mask and modifications -TP_LOCALLAB_SHRESFRA;阴影/高光 & 色调响应曲线 !TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). -TP_LOCALLAB_SH_TOOLNAME;阴影/高光 & 色调均衡器 !TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q !TP_LOCALLAB_SIGJZFRA;Sigmoid Jz -TP_LOCALLAB_SIGMAWAV;衰减响应 !TP_LOCALLAB_SIGMOIDBL;Blend -TP_LOCALLAB_SIGMOIDLAMBDA;对比度 !TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev !TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) !TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. -TP_LOCALLAB_SIM;简单 !TP_LOCALLAB_SLOMASKCOL;Slope -!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. !TP_LOCALLAB_SLOSH;Slope !TP_LOCALLAB_SOFT;Soft Light & Original Retinex -TP_LOCALLAB_SOFTM;柔光 !TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. !TP_LOCALLAB_SOFTRADIUSCOL;Soft radius !TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. -TP_LOCALLAB_SOFTRETI;减少ΔE杂点 -!TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map !TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex -TP_LOCALLAB_SOURCE_ABS;绝对亮度 -TP_LOCALLAB_SOURCE_GRAY;平均亮度(Yb%) !TP_LOCALLAB_SPECCASE;Specific cases !TP_LOCALLAB_SPECIAL;Special use of RGB curves -!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘范围’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. -TP_LOCALLAB_SPOTNAME;建立新调整点 -TP_LOCALLAB_STD;标准 -TP_LOCALLAB_STR;力度 -TP_LOCALLAB_STRBL;力度 -TP_LOCALLAB_STREN;压缩力度 -TP_LOCALLAB_STRENG;力度 -TP_LOCALLAB_STRENGR;力度 -!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). -TP_LOCALLAB_STRENGTH;噪点 -TP_LOCALLAB_STRGRID;力度 -!TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). !TP_LOCALLAB_STRUC;Structure !TP_LOCALLAB_STRUCCOL;Spot structure !TP_LOCALLAB_STRUCCOL1;Spot structure -!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate ‘Mask and modifications’ > ‘Show spot structure’ (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and ‘Local contrast’ (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either ‘Show modified image’ or ‘Show modified areas with mask’. +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. !TP_LOCALLAB_STRUMASKCOL;Structure mask strength -!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise") and mask(Color & Light). +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). !TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! !TP_LOCALLAB_STYPE;Shape method !TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. !TP_LOCALLAB_SYM;Symmetrical (mouse) !TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) -TP_LOCALLAB_TARGET_GRAY;平均亮度(Yb%) !TP_LOCALLAB_THRES;Threshold structure !TP_LOCALLAB_THRESDELTAE;ΔE scope threshold !TP_LOCALLAB_THRESRETI;Threshold !TP_LOCALLAB_THRESWAV;Balance threshold !TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 -!TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 !TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. -TP_LOCALLAB_TM;色调映射 !TP_LOCALLAB_TM_MASK;Use transmission map -!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. !TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. !TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. !TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. -!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted -TP_LOCALLAB_TONE_TOOLNAME;色调映射 +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. !TP_LOCALLAB_TOOLCOL;Structure mask as tool -!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. !TP_LOCALLAB_TOOLMASK;Mask Tools -TP_LOCALLAB_TOOLMASK_2;小波 -!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. -TP_LOCALLAB_TRANSIT;渐变过渡 -TP_LOCALLAB_TRANSITGRAD;横纵过渡差 -TP_LOCALLAB_TRANSITGRAD_TOOLTIP;允许你对纵向过渡进行调整 -TP_LOCALLAB_TRANSITVALUE;过渡值 -TP_LOCALLAB_TRANSITWEAK;渐变衰减(线性-对数) -!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) -!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. !TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain !TP_LOCALLAB_TRANSMISSIONMAP;Transmission map -!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. !TP_LOCALLAB_USEMASK;Laplacian !TP_LOCALLAB_VART;Variance (contrast) -TP_LOCALLAB_VIBRANCE;鲜明度 & 冷暖 -!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts 鲜明度 (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. -TP_LOCALLAB_VIB_TOOLNAME;鲜明度 & 冷暖 +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. !TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. -!TP_LOCALLAB_WAMASKCOL;Mask Wavelet level -TP_LOCALLAB_WARM;冷暖 & 杂色 -TP_LOCALLAB_WARM_TOOLTIP;此滑条使用CIECAM算法,表现为白平衡控制工具,令选中区域的色温偏冷/暖\n部分情况下此工具可以减少色彩杂点 !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. -!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. -!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘衰减响应’ value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. !TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. !TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. !TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. !TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. !TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. -!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. !TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. !TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. !TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. @@ -3836,31 +3889,23 @@ TP_LOCALLAB_WARM_TOOLTIP;此滑条使用CIECAM算法,表现为白平衡控制 !TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. !TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. !TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. -!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the ‘Edge sharpness’ tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. !TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. !TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. !TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. -TP_LOCALLAB_WAV;局部反差 !TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. !TP_LOCALLAB_WAVCOMP;Compression by level !TP_LOCALLAB_WAVCOMPRE;Compression by level !TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. -!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. !TP_LOCALLAB_WAVCON;Contrast by level !TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. -TP_LOCALLAB_WAVDEN;亮度去噪 -TP_LOCALLAB_WAVE;小波 -TP_LOCALLAB_WAVEDG;局部反差 !TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. -!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). -!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. -!TP_LOCALLAB_WAVHIGH;Wavelet high +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. !TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. !TP_LOCALLAB_WAVLEV;Blur by level -!TP_LOCALLAB_WAVLOW;Wavelet low -TP_LOCALLAB_WAVMASK;局部反差 -!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) -!TP_LOCALLAB_WAVMED;Wavelet normal +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). !TP_LOCALLAB_WEDIANHI;Median Hi !TP_LOCALLAB_WHITE_EV;White Ev !TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments @@ -3869,21 +3914,9 @@ TP_LOCALLAB_WAVMASK;局部反差 !TP_LOCAL_HEIGHT_T;Top !TP_LOCAL_WIDTH;Right !TP_LOCAL_WIDTH_L;Left -!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n -TP_PERSPECTIVE_CAMERA_CROP_FACTOR;裁切系数 -TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;焦距 -TP_PERSPECTIVE_CAMERA_FRAME;矫正 -TP_PERSPECTIVE_CAMERA_PITCH;垂直 -TP_PERSPECTIVE_CAMERA_ROLL;旋转 +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift !TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift -TP_PERSPECTIVE_CAMERA_YAW;水平 -TP_PERSPECTIVE_CONTROL_LINES;控制线 -TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+拖移:画一条新线\n右击:删除线 -TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;必须有至少两条水平或两条垂直控制线 -TP_PERSPECTIVE_METHOD;方法 -TP_PERSPECTIVE_METHOD_CAMERA_BASED;基于相机 -TP_PERSPECTIVE_METHOD_SIMPLE;简单 !TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment !TP_PERSPECTIVE_PROJECTION_PITCH;Vertical !TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation @@ -3891,10 +3924,6 @@ TP_PERSPECTIVE_METHOD_SIMPLE;简单 !TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift !TP_PERSPECTIVE_PROJECTION_YAW;Horizontal !TP_PERSPECTIVE_RECOVERY_FRAME;Recovery -TP_PREPROCWB_LABEL;预处理白平衡 -TP_PREPROCWB_MODE;模式 -TP_PREPROCWB_MODE_AUTO;自动 -TP_PREPROCWB_MODE_CAMERA;相机 !TP_RAWEXPOS_TWOGREEN;Link greens !TP_RAW_1PASSMEDIUM;1-pass (Markesteijn) !TP_RAW_2PASS;1-pass+fast @@ -3903,10 +3932,8 @@ TP_PREPROCWB_MODE_CAMERA;相机 !TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_FAST;Fast -TP_RAW_PIXELSHIFTAVERAGE;对动体区域使用平均值 -TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;动体区域的内容将会变为四张图片平均混合的结果\n对于缓慢移动的物体会有运动模糊的效果 !TP_RAW_RCDBILINEAR;RCD+Bilinear -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans @@ -3917,7 +3944,7 @@ TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;动体区域的内容将会变为四张图片 !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_FREEGAMMA;Free gamma @@ -3937,13 +3964,10 @@ TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;动体区域的内容将会变为四张图片 !TP_RETINEX_GRADS_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Strength is reduced when iterations increase, and conversely. !TP_RETINEX_GRAD_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Variance and Threshold are reduced when iterations increase, and conversely. !TP_RETINEX_HIGH;High -TP_RETINEX_HIGHLIG;高光 -TP_RETINEX_HIGHLIGHT;高光阈值 -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) -TP_RETINEX_ITERF;色调映射 !TP_RETINEX_ITER_TOOLTIP;Simulate a tone-mapping operator.\nHigh values increase the processing time. !TP_RETINEX_LABEL;Retinex !TP_RETINEX_LABEL_MASK;Mask @@ -3959,18 +3983,13 @@ TP_RETINEX_ITERF;色调映射 !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. !TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending -TP_RETINEX_NEIGHBOR;半径 -TP_RETINEX_NEUTRAL;重置 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_OFFSET;Offset (brightness) !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. -TP_RETINEX_SETTINGS;设置 !TP_RETINEX_SKAL;Scale !TP_RETINEX_SLOPE;Free gamma slope -TP_RETINEX_STRENGTH;力度 -TP_RETINEX_THRESHOLD;阈值 !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. !TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 !TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 @@ -3983,106 +4002,62 @@ TP_RETINEX_THRESHOLD;阈值 !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed -TP_SPOT_COUNTLABEL;%1个点 -TP_SPOT_DEFAULT_SIZE;默认点大小 !TP_SPOT_ENTRYCHANGED;Point changed -TP_SPOT_HINT;点击此按钮后便可在预览图中进行操作\n\n若要编辑一个点,将光标移动到点上,令编辑圆出现\n\n若要添加一个点,按住Ctrl键并单击鼠标左键,然后松开Ctrl键,单击生成的点,将鼠标拖移到你希望用于复制的区域上,最后松开鼠标\n\n如要拖移复制/被复制点,将光标移到点的中心后进行拖移\n\n将鼠标移动到内圈(最大有效区域)和外“渐变”圈的白线上可以更改它们的大小(线会变为橙色),拖动圈线即可(线会继续变红)\n\n完成调整后,鼠标右键单击图片空白区域或再次点击此按钮便可退出污点编辑模式 -TP_SPOT_LABEL;污点移除 !TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH -TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;肤色 -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE1;红/紫 -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;红 -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;红/黄 -TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;黄 -TP_VIBRANCE_LABEL;鲜明度 -TP_VIBRANCE_PASTELS;欠饱和色调 -TP_VIBRANCE_PASTSATTOG;将饱和色与欠饱和色挂钩 -TP_VIBRANCE_PSTHRESHOLD;欠饱和/饱和色阈值 -TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;饱和度阈值 -TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;纵向底部代表欠饱和色,顶部代表饱和色\n横轴代表整个饱和度范围 -TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;欠饱和/饱和色过渡权重 -TP_VIBRANCE_SATURATED;饱和色调 !TP_WAVELET_BALCHROM;Equalizer Color -!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BL;Blur levels !TP_WAVELET_BLCURVE;Blur by levels !TP_WAVELET_BLURFRAME;Blur -TP_WAVELET_BLUWAV;衰减响应 !TP_WAVELET_CBENAB;Toning and Color balance -!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CHROFRAME;Denoise chrominance !TP_WAVELET_CHROMAFRAME;Chroma !TP_WAVELET_CHROMCO;Chrominance Coarse !TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. !TP_WAVELET_CHRWAV;Blur chroma -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CLA;Clarity !TP_WAVELET_CLARI;Sharp-mask and Clarity -TP_WAVELET_COLORT;红-绿不透明度 -TP_WAVELET_COMPEXPERT;高级 !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. -TP_WAVELET_COMPLEXLAB;工具复杂度 -TP_WAVELET_COMPLEX_TOOLTIP;标准:显示适用于大部分后期处理的工具,少部分被隐藏\n高级:显示可以用于高级操作的完整工具列表 -TP_WAVELET_COMPNORMAL;标准 !TP_WAVELET_CONTEDIT;'After' contrast curve !TP_WAVELET_CONTFRAME;Contrast - Compression -!TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels -!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300% +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH !TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DAUBLOCAL;Wavelet Edge performance !TP_WAVELET_DEN5THR;Guided threshold -!TP_WAVELET_DEN12LOW;1 2 Low -!TP_WAVELET_DEN12PLUS;1 2 High -!TP_WAVELET_DEN14LOW;1 4 Low -!TP_WAVELET_DEN14PLUS;1 4 High -TP_WAVELET_DENCONTRAST;局部反差均衡器 !TP_WAVELET_DENCURV;Curve -!TP_WAVELET_DENEQUAL;1 2 3 4 Equal -TP_WAVELET_DENH;阈值 !TP_WAVELET_DENL;Correction structure !TP_WAVELET_DENLH;Guided threshold levels 1-4 -!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. !TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. !TP_WAVELET_DENOISE;Guide curve based on Local contrast !TP_WAVELET_DENOISEGUID;Guided threshold based on hue !TP_WAVELET_DENOISEH;High levels Curve Local contrast -TP_WAVELET_DENOISEHUE;去噪色相均衡器 -TP_WAVELET_DENQUA;模式 -!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide -TP_WAVELET_DENSLI;滑条 +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. !TP_WAVELET_DENSLILAB;Method -!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter -TP_WAVELET_DENWAVHUE_TOOLTIP;根据色相来增强/减弱降噪力度 -TP_WAVELET_DETEND;细节 +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. !TP_WAVELET_DIRFRAME;Directional contrast -TP_WAVELET_EDEFFECT;衰减响应 -!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. -TP_WAVELET_EDGEAMPLI;放大基数 -TP_WAVELET_EDGEDETECT;渐变敏感度 !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) !TP_WAVELET_EDGEDETECTTHR2;Edge enhancement -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. -TP_WAVELET_EDGESENSI;边缘敏感度 -TP_WAVELET_EDGREINF_TOOLTIP;增强或减弱对于第一级的调整,并对第二级的强弱进行与之相反的调整,其他层级不受影响 -!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect -TP_WAVELET_FINAL;最终润色 -TP_WAVELET_FINCFRAME;最终局部反差 -!TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values -!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. !TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. @@ -4095,73 +4070,42 @@ TP_WAVELET_FINCFRAME;最终局部反差 !TP_WAVELET_LEVELSIGM;Radius !TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 -TP_WAVELET_LIPST;算法增强 -TP_WAVELET_LOWLIGHT;粗糙层级亮度范围 -TP_WAVELET_LOWTHR_TOOLTIP;避免放大细节和噪点 !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. !TP_WAVELET_MERGEC;Merge chroma !TP_WAVELET_MERGEL;Merge luma !TP_WAVELET_MIXCONTRAST;Reference -TP_WAVELET_MIXDENOISE;去噪 !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise -TP_WAVELET_MIXNOISE;噪点 !TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. -TP_WAVELET_NPTYPE;临近像素 !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low 衰减响应 value you can select which contrast values will be enhanced. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values -TP_WAVELET_OPACITY;蓝-黄不透明度 -TP_WAVELET_OPACITYWL;局部反差 !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. -TP_WAVELET_PASTEL;欠饱和色 !TP_WAVELET_PROTAB;Protection -TP_WAVELET_QUAAGRES;激进 -TP_WAVELET_QUACONSER;保守 -TP_WAVELET_QUANONE;关闭 !TP_WAVELET_RADIUS;Radius shadows - highlight !TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RESBLUR;Blur luminance !TP_WAVELET_RESBLURC;Blur chroma -!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500% -TP_WAVELET_SAT;饱和色 +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. !TP_WAVELET_SHA;Sharp mask -TP_WAVELET_SHFRAME;阴影/高光 !TP_WAVELET_SHOWMASK;Show wavelet 'mask' -TP_WAVELET_SIGM;半径 -TP_WAVELET_SIGMA;衰减响应 -TP_WAVELET_SIGMAFIN;衰减响应 -!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SOFTRAD;Soft radius -TP_WAVELET_STREND;力度 !TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. -TP_WAVELET_THREND;局部反差阈值 !TP_WAVELET_THRESHOLD;Finer levels !TP_WAVELET_THRESHOLD2;Coarser levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of ‘wavelet levels’ will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. !TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. -!TP_WAVELET_THRESWAV;Balance threshold !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale -TP_WAVELET_TMSTRENGTH;压缩力度 -TP_WAVELET_TMSTRENGTH_TOOLTIP;控制对于残差图的色调映射/对比度压缩力度 -TP_WAVELET_TMTYPE;压缩方法 !TP_WAVELET_TONFRAME;Excluded colors !TP_WAVELET_USH;None !TP_WAVELET_USHARP;Clarity method -!TP_WAVELET_USHARP_TOOLTIP;Origin : the source file is the file before Wavelet.\nWavelet : the source file is the file including wavelet threatment !TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. !TP_WAVELET_WAVLOWTHR;Low contrast threshold -TP_WAVELET_WAVOFFSET;偏移 !TP_WBALANCE_AUTOITCGREEN;Temperature correlation !TP_WBALANCE_AUTOOLD;RGB grey -TP_WBALANCE_AUTO_HEADER;自动 -!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. -TP_WBALANCE_FLUO1;F1 - 日光 -TP_WBALANCE_FLUO2;F2 - 冷白 -TP_WBALANCE_FLUO3;F3 - 白色 -TP_WBALANCE_FLUO4;F4 - 暖白 -TP_WBALANCE_FLUO5;F5 - 日光 +!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. !TP_WBALANCE_FLUO6;F6 - Lite White !TP_WBALANCE_FLUO7;F7 - D65 Daylight Simulator !TP_WBALANCE_FLUO8;F8 - D50 / Sylvania F40 Design diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index cdff7f1be..aec0b262a 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -46,6 +46,7 @@ #45 2020-04-20 updated by mkyral #46 2020-04-21 updated by mkyral #47 2020-06-02 updated by mkyral + ABOUT_TAB_BUILD;Verze ABOUT_TAB_CREDITS;Zásluhy ABOUT_TAB_LICENSE;Licence @@ -2455,3 +2456,1711 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Přizpůsobit ořez obrazovce\nZkratka: f ZOOMPANEL_ZOOMFITSCREEN;Přizpůsobit celý obrázek obrazovce\nZkratka: Alt-f ZOOMPANEL_ZOOMIN;Přiblížit\nZkratka: + ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - + +!!!!!!!!!!!!!!!!!!!!!!!!! +! Untranslated keys follow; remove the ! prefix after an entry is translated. +!!!!!!!!!!!!!!!!!!!!!!!!! + +!FILEBROWSER_POPUPINSPECT;Inspect +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_SPOT;Spot removal +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_CROP_GTCENTEREDSQUARE;Centered square +!TP_DEHAZE_SATURATION;Saturation +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk index 034c015a3..b5dfccc00 100644 --- a/rtdata/languages/Dansk +++ b/rtdata/languages/Dansk @@ -2317,22 +2317,22 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope !HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope !HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform -!HISTORY_MSG_446;EvPixelShiftMotion -!HISTORY_MSG_447;EvPixelShiftMotionCorrection -!HISTORY_MSG_448;EvPixelShiftStddevFactorGreen -!HISTORY_MSG_450;EvPixelShiftNreadIso -!HISTORY_MSG_451;EvPixelShiftPrnu -!HISTORY_MSG_454;EvPixelShiftAutomatic -!HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal -!HISTORY_MSG_456;EvPixelShiftNonGreenVertical -!HISTORY_MSG_458;EvPixelShiftStddevFactorRed -!HISTORY_MSG_459;EvPixelShiftStddevFactorBlue -!HISTORY_MSG_460;EvPixelShiftGreenAmaze -!HISTORY_MSG_461;EvPixelShiftNonGreenAmaze -!HISTORY_MSG_463;EvPixelShiftRedBlueWeight -!HISTORY_MSG_466;EvPixelShiftSum -!HISTORY_MSG_467;EvPixelShiftExp0 -!HISTORY_MSG_470;EvPixelShiftMedian3 +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_496;Local Spot deleted !HISTORY_MSG_497;Local Spot selected !HISTORY_MSG_498;Local Spot name @@ -2349,7 +2349,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_509;Local Spot quality method !HISTORY_MSG_510;Local Spot transition !HISTORY_MSG_511;Local Spot thresh -!HISTORY_MSG_512;Local Spot ΔE -decay +!HISTORY_MSG_512;Local Spot ΔE decay !HISTORY_MSG_513;Local Spot scope !HISTORY_MSG_514;Local Spot structure !HISTORY_MSG_515;Local Adjustments @@ -2417,7 +2417,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_577;Local - cbdl chroma !HISTORY_MSG_578;Local - cbdl threshold !HISTORY_MSG_579;Local - cbdl scope -!HISTORY_MSG_580;Local - Denoise +!HISTORY_MSG_580;--unused-- !HISTORY_MSG_581;Local - deNoise lum f 1 !HISTORY_MSG_582;Local - deNoise lum c !HISTORY_MSG_583;Local - deNoise lum detail @@ -2500,7 +2500,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_661;Local - cbdl contrast residual !HISTORY_MSG_662;Local - deNoise lum f 0 !HISTORY_MSG_663;Local - deNoise lum f 2 -!HISTORY_MSG_664;Local - cbdl Blur +!HISTORY_MSG_664;--unused-- !HISTORY_MSG_665;Local - cbdl mask Blend !HISTORY_MSG_666;Local - cbdl mask radius !HISTORY_MSG_667;Local - cbdl mask chroma @@ -2695,7 +2695,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_864;Local - Wavelet dir contrast attenuation !HISTORY_MSG_865;Local - Wavelet dir contrast delta !HISTORY_MSG_866;Local - Wavelet dir compression -!HISTORY_MSG_868;Local - balance ΔE C-H +!HISTORY_MSG_868;Local - Balance ΔE C-H !HISTORY_MSG_869;Local - Denoise by level !HISTORY_MSG_870;Local - Wavelet mask curve H !HISTORY_MSG_871;Local - Wavelet mask curve C @@ -2748,7 +2748,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 !HISTORY_MSG_922;Local - changes In Black and White !HISTORY_MSG_923;Local - Tool complexity mode -!HISTORY_MSG_924;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- !HISTORY_MSG_925;Local - Scope color tools !HISTORY_MSG_926;Local - Show mask type !HISTORY_MSG_927;Local - Shadow @@ -2786,25 +2786,25 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_959;Local - Inverse blur !HISTORY_MSG_960;Local - Log encoding - cat16 !HISTORY_MSG_961;Local - Log encoding Ciecam -!HISTORY_MSG_962;Local - Log encoding Absolute luminance source -!HISTORY_MSG_963;Local - Log encoding Absolute luminance target -!HISTORY_MSG_964;Local - Log encoding Surround -!HISTORY_MSG_965;Local - Log encoding Saturation s -!HISTORY_MSG_966;Local - Log encoding Contrast J -!HISTORY_MSG_967;Local - Log encoding Mask curve C -!HISTORY_MSG_968;Local - Log encoding Mask curve L -!HISTORY_MSG_969;Local - Log encoding Mask curve H -!HISTORY_MSG_970;Local - Log encoding Mask enable -!HISTORY_MSG_971;Local - Log encoding Mask blend -!HISTORY_MSG_972;Local - Log encoding Mask radius -!HISTORY_MSG_973;Local - Log encoding Mask chroma -!HISTORY_MSG_974;Local - Log encoding Mask contrast -!HISTORY_MSG_975;Local - Log encoding Lightness J -!HISTORY_MSG_977;Local - Log encoding Contrast Q -!HISTORY_MSG_978;Local - Log encoding Sursource -!HISTORY_MSG_979;Local - Log encoding Brightness Q -!HISTORY_MSG_980;Local - Log encoding Colorfulness M -!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength !HISTORY_MSG_982;Local - Equalizer hue !HISTORY_MSG_983;Local - denoise threshold mask high !HISTORY_MSG_984;Local - denoise threshold mask low @@ -2978,9 +2978,9 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_BLURCWAV;Blur chroma !HISTORY_MSG_BLURWAV;Blur luminance !HISTORY_MSG_BLUWAV;Attenuation response -!HISTORY_MSG_CATCAT;Cat02/16 mode -!HISTORY_MSG_CATCOMPLEX;Ciecam complexity -!HISTORY_MSG_CATMODEL;CAM Model +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_COMPLEX;Wavelet complexity !HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation @@ -3001,7 +3001,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_ICM_REDY;Primaries Red Y !HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method !HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method -!HISTORY_MSG_ILLUM;Illuminant +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera !HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera !HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera @@ -3033,7 +3033,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !HISTORY_MSG_WAVCHROMFI;Chroma fine !HISTORY_MSG_WAVCLARI;Clarity !HISTORY_MSG_WAVDENLH;Level 5 -!HISTORY_MSG_WAVDENMET;Local equalizer !HISTORY_MSG_WAVDENOISE;Local contrast !HISTORY_MSG_WAVDENOISEH;High levels Local contrast !HISTORY_MSG_WAVDETEND;Details soft @@ -3071,7 +3070,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !PARTIALPASTE_LOCALLAB;Local Adjustments !PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings -!PARTIALPASTE_LOCGROUP;Local !PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_SPOT;Spot removal !PREFERENCES_CIE;Ciecam @@ -3098,14 +3096,14 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CATCLASSIC;Classic -!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on ‘Scene conditions’ and basic illuminant on the one hand, and on basic illuminant and ‘Viewing conditions’ on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The ‘Scene conditions’, ‘Image adjustments’ and ‘Viewing conditions’ settings are neutralized.\n\nMixed – Same as the ‘Classic’ option but in this case, the chromatic adaptation is based on the white balance. -!TP_COLORAPP_CATMOD;Cat02/16 mode +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode !TP_COLORAPP_CATSYMGEN;Automatic Symmetric !TP_COLORAPP_CATSYMSPE;Mixed -!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D65), into new values whose white point is that of the new illuminant - see WP Model (for example D50 or D55). -!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation, it converts the values of an image whose white point is that of a given illuminant (for example D50), into new values whose white point is that of the new illuminant - see WP model (for example D75). -!TP_COLORAPP_GEN;Settings - Preset -!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance model, which was designed to better simulate how human vision perceives colors under different lighting conditions, e.g., against different backgrounds.\nIt takes into account the environment of each color and modifies its appearance to get as close as possible to human perception.\nIt also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_IL41;D41 !TP_COLORAPP_IL50;D50 !TP_COLORAPP_IL55;D55 @@ -3116,18 +3114,18 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_COLORAPP_ILFREE;Free !TP_COLORAPP_ILLUM;Illuminant !TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. -!TP_COLORAPP_MOD02;CIECAM02 -!TP_COLORAPP_MOD16;CIECAM16 -!TP_COLORAPP_MODELCAT;CAM Model -!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CIECAM02 or CIECAM16.\n CIECAM02 will sometimes be more accurate.\n CIECAM16 should generate fewer artifacts -!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a "normal" area. Normal" means average or standard conditions and data, i.e. without taking into account CIECAM corrections. -!TP_COLORAPP_SURROUNDSRC;Surround - Scene Lighting -!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment. The image will become slightly bright.\n\nDark: Dark environment. The image will become more bright.\n\nExtremly Dark: Extremly dark environment. The image will become very bright. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint -!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, ...), as well as its environment. This process will take the data coming from process "Image Adjustments" and "bring" it to the support in such a way that the viewing conditions and its environment are taken into account. -!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image -!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_CROP_GTCENTEREDSQUARE;Centered square !TP_DEHAZE_SATURATION;Saturation !TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm @@ -3141,21 +3139,19 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_FILMNEGATIVE_REF_PICK;Pick white balance spot !TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_HLREC_HLBLUR;Blur -!TP_ICM_BLUFRAME;Blue Primaries !TP_ICM_FBW;Black-and-White -!TP_ICM_GREFRAME;Green Primaries -!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the ‘Destination primaries’ selection is set to ‘Custom (sliders)’. +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. !TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 !TP_ICM_NEUTRAL;Reset !TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K !TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 !TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 -!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode (‘working profile’) to a different mode (‘destination primaries’). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the ‘primaries’ is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). !TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_REDFRAME;Custom Primaries !TP_ICM_TRCFRAME;Abstract Profile -!TP_ICM_TRCFRAME_TOOLTIP;Also known as ‘synthetic’ or ‘virtual’ profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n ‘Tone response curve’, which modifies the tones of the image.\n ‘Illuminant’ : which allows you to change the profile primaries to adapt them to the shooting conditions.\n ‘Destination primaries’: which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. -!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB ‘Tone response curve’ in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. !TP_ICM_WORKING_CIEDIAG;CIE xy diagram !TP_ICM_WORKING_ILLU;Illuminant !TP_ICM_WORKING_ILLU_1500;Tungsten 1500K @@ -3171,7 +3167,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_ICM_WORKING_ILLU_STDA;stdA 2875K !TP_ICM_WORKING_PRESER;Preserves Pastel tones !TP_ICM_WORKING_PRIM;Destination primaries -!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When ‘Custom CIE xy diagram’ is selected in ‘Destination- primaries’’ combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. !TP_ICM_WORKING_PRIM_AC0;ACESp0 !TP_ICM_WORKING_PRIM_ACE;ACESp1 !TP_ICM_WORKING_PRIM_ADOB;Adobe RGB @@ -3194,22 +3190,21 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_ACTIV;Luminance only !TP_LOCALLAB_ACTIVSPOT;Enable Spot !TP_LOCALLAB_ADJ;Equalizer Color -!TP_LOCALLAB_ALL;All rubrics !TP_LOCALLAB_AMOUNT;Amount !TP_LOCALLAB_ARTIF;Shape detection -!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of deltaE scope. High values are for very wide gamut images.\nIncreasing deltaE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the “Mean luminance” and “Absolute luminance”.\nFor Jz Cz Hz: automatically calculates "PU adaptation", "Black Ev" and "White Ev". +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only -!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDRAD;Soft radius !TP_LOCALLAB_BALAN;ab-L balance (ΔE) !TP_LOCALLAB_BALANEXP;Laplacian balance !TP_LOCALLAB_BALANH;C-H balance (ΔE) -!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. !TP_LOCALLAB_BASELOG;Shadows range (logarithm base) !TP_LOCALLAB_BILATERAL;Bilateral filter !TP_LOCALLAB_BLACK_EV;Black Ev @@ -3217,8 +3212,8 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_BLENDMASKCOL;Blend !TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask !TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask -!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image -!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. !TP_LOCALLAB_BLGUID;Guided Filter !TP_LOCALLAB_BLINV;Inverse !TP_LOCALLAB_BLLC;Luminance & Chrominance @@ -3227,22 +3222,19 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. !TP_LOCALLAB_BLNOI_EXP;Blur & Noise !TP_LOCALLAB_BLNORM;Normal -!TP_LOCALLAB_BLSYM;Symmetric !TP_LOCALLAB_BLUFR;Blur/Grain & Denoise -!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and ‘Normal’ or ‘Inverse’ in checkbox).\n-Isolate the foreground by using one or more ‘Excluding’ RT-spot(s) and increase the scope.\n\nThis module (including the ‘median’ and ‘Guided filter’) can be used in addition to the main-menu noise reduction +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. !TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain -!TP_LOCALLAB_BLURCBDL;Blur levels 0-1-2-3-4 !TP_LOCALLAB_BLURCOL;Radius !TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. !TP_LOCALLAB_BLURDE;Blur shape detection !TP_LOCALLAB_BLURLC;Luminance only !TP_LOCALLAB_BLURLEVELFRA;Blur levels !TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. -!TP_LOCALLAB_BLURRESIDFRA;Blur Residual -!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the "radius" of the Gaussian blur (0 to 1000) +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). !TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise !TP_LOCALLAB_BLWH;All changes forced in Black-and-White -!TP_LOCALLAB_BLWH_TOOLTIP;Force color components "a" and "b" to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. !TP_LOCALLAB_BUTTON_ADD;Add !TP_LOCALLAB_BUTTON_DEL;Delete !TP_LOCALLAB_BUTTON_DUPL;Duplicate @@ -3261,7 +3253,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. !TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. -!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. !TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels !TP_LOCALLAB_CENTER_X;Center X !TP_LOCALLAB_CENTER_Y;Center Y @@ -3278,7 +3270,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CHRRT;Chroma !TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) !TP_LOCALLAB_CIEC;Use Ciecam environment parameters -!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. !TP_LOCALLAB_CIECOLORFRA;Color !TP_LOCALLAB_CIECONTFRA;Contrast !TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast @@ -3288,7 +3280,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CIEMODE_DR;Dynamic Range !TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet !TP_LOCALLAB_CIETOOLEXP;Curves !TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) @@ -3296,17 +3288,17 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. !TP_LOCALLAB_CLARICRES;Merge chroma !TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images -!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. !TP_LOCALLAB_CLARILRES;Merge luma !TP_LOCALLAB_CLARISOFT;Soft radius -!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. -!TP_LOCALLAB_CLARISOFT_TOOLTIP;The ‘Soft radius’ slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. !TP_LOCALLAB_CLARITYML;Clarity -!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): ‘Sharp mask’ is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping' +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. !TP_LOCALLAB_CLIPTM;Clip restored data (gain) !TP_LOCALLAB_COFR;Color & Light !TP_LOCALLAB_COLORDE;ΔE preview color - intensity -!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in ‘Add tool to current spot’ menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. !TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. !TP_LOCALLAB_COLORSCOPE;Scope (color tools) !TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. @@ -3315,16 +3307,10 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_COL_NAME;Name !TP_LOCALLAB_COL_VIS;Status !TP_LOCALLAB_COMPFRA;Directional contrast -!TP_LOCALLAB_COMPFRAME_TOOLTIP;Allows you to create special effects. You can reduce artifacts with 'Clarity and Sharp mask - Blend and Soften Images’.\nUses a lot of resources. -!TP_LOCALLAB_COMPLEX_METHOD;Software Complexity -!TP_LOCALLAB_COMPLEX_TOOLTIP; Allow user to select Local adjustments complexity. !TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping -!TP_LOCALLAB_COMPRESS_TOOLTIP;If necessary, use the module 'Clarity and Sharp mask and Blend and Soften Images' by adjusting 'Soft radius' to reduce artifacts. !TP_LOCALLAB_CONTCOL;Contrast threshold !TP_LOCALLAB_CONTFRA;Contrast by level -!TP_LOCALLAB_CONTL;Contrast (J) !TP_LOCALLAB_CONTRAST;Contrast -!TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;Allows you to freely modify the contrast of the mask (gamma and slope), instead of using a continuous and progressive curve. However it can create artifacts that have to be dealt with using the ‘Smooth radius’ or ‘Laplacian threshold sliders’. !TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. !TP_LOCALLAB_CONTRESID;Contrast !TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. @@ -3332,43 +3318,38 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CONTWFRA;Local contrast !TP_LOCALLAB_CSTHRESHOLD;Wavelet levels !TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection -!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance "Super" +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' !TP_LOCALLAB_CURVCURR;Normal !TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. !TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. -!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the ‘Curve type’ combobox to ‘Normal’ +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. !TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve -!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. !TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. -!TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) -!TP_LOCALLAB_CURVENH;Super -!TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) -!TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) !TP_LOCALLAB_CURVES_CIE;Tone curve !TP_LOCALLAB_CURVNONE;Disable curves !TP_LOCALLAB_DARKRETI;Darkness !TP_LOCALLAB_DEHAFRA;Dehaze !TP_LOCALLAB_DEHAZ;Strength !TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. -!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. !TP_LOCALLAB_DELTAD;Delta balance !TP_LOCALLAB_DELTAEC;ΔE Image mask !TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask !TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask -!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or ‘salt & pepper’ noise. +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. !TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. !TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). -!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. !TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. !TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. !TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). !TP_LOCALLAB_DENOIMASK;Denoise chroma mask !TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. -!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with ‘Non-local Means – Luminance’. -!TP_LOCALLAB_DENOIS;Denoise +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. !TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. !TP_LOCALLAB_DENOI_EXP;Denoise -!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (deltaE).\nMinimum RT-spot size: 128x128 +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. !TP_LOCALLAB_DEPTH;Depth !TP_LOCALLAB_DETAIL;Local contrast !TP_LOCALLAB_DETAILFRA;Edge detection - DCT @@ -3395,85 +3376,80 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_EV_VIS;Show !TP_LOCALLAB_EV_VIS_ALL;Show all !TP_LOCALLAB_EXCLUF;Excluding -!TP_LOCALLAB_EXCLUF_TOOLTIP;‘Excluding’ mode prevents adjacent spots from influencing certain parts of the image. Adjusting ‘Scope’ will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. !TP_LOCALLAB_EXCLUTYPE;Spot method -!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n‘Full image’ allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. !TP_LOCALLAB_EXECLU;Excluding spot !TP_LOCALLAB_EXFULL;Full image !TP_LOCALLAB_EXNORM;Normal spot !TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). !TP_LOCALLAB_EXPCHROMA;Chroma compensation -!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with ‘Exposure compensation f’ and ‘Contrast Attenuator f’ to avoid desaturating colors. +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. !TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. !TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ !TP_LOCALLAB_EXPCOMPINV;Exposure compensation -!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change ‘Shape detection’ in "Settings":\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)’ -!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\ne.g. Wavelet-level tone mapping. -!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low ‘Transition value’ and high ‘Transition decay’ and ‘Scope’ to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. !TP_LOCALLAB_EXPCURV;Curves !TP_LOCALLAB_EXPGRAD;Graduated Filter -!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and "Merge file") Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. -!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend -!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform -!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of deltaE.\n\nContrast attenuator : use another algorithm also with deltaE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. -!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the ‘Denoise’ tool. +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure -!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. !TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools -!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high ‘Transition decay’ and ‘Scope’ values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. !TP_LOCALLAB_EXPTOOL;Exposure Tools -!TP_LOCALLAB_EXPTRC;Tone Response Curve - TRC !TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure !TP_LOCALLAB_FATAMOUNT;Amount !TP_LOCALLAB_FATANCHOR;Anchor -!TP_LOCALLAB_FATANCHORA;Offset !TP_LOCALLAB_FATDETAIL;Detail !TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ !TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. !TP_LOCALLAB_FATLEVEL;Sigma -!TP_LOCALLAB_FATRES;Amount Residual Image !TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ -!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn’t been activated. +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. !TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) !TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ -!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements) +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). !TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform -!TP_LOCALLAB_FFTW2;ƒ - Use Fast Fourier Transform (TIF, JPG,..) !TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform !TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image !TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. !TP_LOCALLAB_GAM;Gamma !TP_LOCALLAB_GAMC;Gamma -!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance "linear" is used. -!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. !TP_LOCALLAB_GAMFRA;Tone response curve (TRC) !TP_LOCALLAB_GAMM;Gamma !TP_LOCALLAB_GAMMASKCOL;Gamma -!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. !TP_LOCALLAB_GAMSH;Gamma !TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) !TP_LOCALLAB_GRADANG;Gradient angle -!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees : -180 0 +180 +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. !TP_LOCALLAB_GRADFRA;Graduated Filter Mask -!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. !TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance !TP_LOCALLAB_GRADSTR;Gradient strength -!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. !TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength !TP_LOCALLAB_GRADSTRHUE;Hue gradient strength !TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength -!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. !TP_LOCALLAB_GRADSTRLUM;Luma gradient strength -!TP_LOCALLAB_GRADSTR_TOOLTIP;Filter strength in stops -!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 !TP_LOCALLAB_GRAINFRA2;Coarseness -!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. !TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) -!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the ‘Transition value’ and ‘Transition decay’\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE) -!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the "white dot" on the grid remains at zero and you only vary the "black dot". Equivalent to "Color toning" if you vary the 2 dots.\n\nDirect: acts directly on the chroma +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. !TP_LOCALLAB_GRIDONE;Color Toning !TP_LOCALLAB_GRIDTWO;Direct !TP_LOCALLAB_GUIDBL;Soft radius @@ -3481,24 +3457,23 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. !TP_LOCALLAB_GUIDFILTER;Guided filter radius !TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. -!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. !TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. !TP_LOCALLAB_HIGHMASKCOL;Highlights !TP_LOCALLAB_HLH;H -!TP_LOCALLAB_HLHZ;Hz !TP_LOCALLAB_HUECIE;Hue !TP_LOCALLAB_IND;Independent (mouse) !TP_LOCALLAB_INDSL;Independent (mouse + sliders) !TP_LOCALLAB_INVBL;Inverse -!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to ‘Inverse’ mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot : Excluding spot +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. !TP_LOCALLAB_INVERS;Inverse -!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. !TP_LOCALLAB_INVMASK;Inverse algorithm !TP_LOCALLAB_ISOGR;Distribution (ISO) !TP_LOCALLAB_JAB;Uses Black Ev & White Ev -!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account "Absolute luminance". +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. !TP_LOCALLAB_JZ100;Jz reference 100cd/m2 -!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of “PU adaptation” (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). !TP_LOCALLAB_JZADAP;PU adaptation !TP_LOCALLAB_JZCH;Chroma !TP_LOCALLAB_JZCHROM;Chroma @@ -3506,7 +3481,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_JZCLARILRES;Merge Jz !TP_LOCALLAB_JZCONT;Contrast !TP_LOCALLAB_JZFORCE;Force max Jz to 1 -!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. !TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments !TP_LOCALLAB_JZHFRA;Curves Hz !TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) @@ -3514,15 +3489,15 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_JZLIGHT;Brightness !TP_LOCALLAB_JZLOG;Log encoding Jz !TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. -!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including "Log Encoding Jz".\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. !TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. !TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. !TP_LOCALLAB_JZPQFRA;Jz remapping -!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf “PQ - Peak luminance” is set to 10000, “Jz remappping” behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. !TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance !TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. !TP_LOCALLAB_JZQTOJ;Relative luminance -!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use "Relative luminance" instead of "Absolute luminance" - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. !TP_LOCALLAB_JZSAT;Saturation !TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz !TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) @@ -3548,14 +3523,14 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets !TP_LOCALLAB_LEVELBLUR;Maximum blur levels !TP_LOCALLAB_LEVELWAV;Wavelet levels -!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4 +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. !TP_LOCALLAB_LEVFRA;Levels !TP_LOCALLAB_LIGHTNESS;Lightness -!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. !TP_LOCALLAB_LIGHTRETI;Lightness !TP_LOCALLAB_LINEAR;Linearity !TP_LOCALLAB_LIST_NAME;Add tool to current spot... -!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. !TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). !TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. !TP_LOCALLAB_LOCCONT;Unsharp Mask @@ -3569,10 +3544,11 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments !TP_LOCALLAB_LOG2FRA;Viewing Conditions !TP_LOCALLAB_LOGAUTO;Automatic -!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the ‘Automatic’ button in Relative Exposure Levels is pressed. -!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the "Auto mean luminance (Yb%)” is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3585,11 +3561,11 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. !TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. !TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. -!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. !TP_LOCALLAB_LOGEXP;All tools !TP_LOCALLAB_LOGFRA;Scene Conditions !TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. -!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode) +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). !TP_LOCALLAB_LOGLIGHTL;Lightness (J) !TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. !TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) @@ -3600,44 +3576,41 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. !TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. !TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. -!TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estimated gray point value of the image. !TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. -!TP_LOCALLAB_LOGTARGGREY_TOOLTIP;You can adjust this value to suit. -!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions.. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. !TP_LOCALLAB_LOG_TOOLNAME;Log Encoding !TP_LOCALLAB_LUM;LL - CC !TP_LOCALLAB_LUMADARKEST;Darkest !TP_LOCALLAB_LUMASK;Background color/luma mask -!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications) +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). !TP_LOCALLAB_LUMAWHITESEST;Lightest !TP_LOCALLAB_LUMFRA;L*a*b* standard -!TP_LOCALLAB_LUMONLY;Luminance only !TP_LOCALLAB_MASFRAME;Mask and Merge -!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the deltaE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve !TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. -!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. !TP_LOCALLAB_MASKDDECAY;Decay strength -!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. !TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. -!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the Denoise will be applied progressively.\n if the mask is above the ‘light’ threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders "Gray area luminance denoise" or "Gray area chrominance denoise". -!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the ‘dark’ threshold, then the GF will be applied progressively.\n if the mask is above the ‘light’ threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. !TP_LOCALLAB_MASKH;Hue curve -!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'Blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask'=0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable colorpicker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘structure mask’, ‘Smooth radius’, ‘Gamma and slope’, ‘Contrast curve’, ‘Local contrast wavelet’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Be careful in 'settings' to Background color mask = 0 +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. !TP_LOCALLAB_MASKLCTHR;Light area luminance threshold !TP_LOCALLAB_MASKLCTHR2;Light area luma threshold !TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold @@ -3646,31 +3619,30 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise !TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. !TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas -!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, 'blur mask', ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels:‘Smooth radius’, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’.\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in ‘Mask and modifications’ to change the gray levels: ‘Structure mask’, ‘Smooth radius’, Gamma and Slope, ‘Contrast curve’, ‘Local contrast’ (wavelets).\n Use a ‘lockable color picker’ on the mask to see which areas will be affected. Make sure you set ‘Background color mask’ = 0 in Settings. -!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. !TP_LOCALLAB_MASKRECOTHRES;Recovery threshold -!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied -!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied -!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied -!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied -!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied -!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied -!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied -!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The ‘dark’ and ‘light’ areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. !TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) !TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) !TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. -!TP_LOCALLAB_MED;Medium !TP_LOCALLAB_MEDIAN;Median Low !TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. !TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. @@ -3683,17 +3655,9 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MERFOU;Multiply !TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background !TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure -!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm -!TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCh -!TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) -!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case) -!TP_LOCALLAB_MERGENONE;None -!TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). !TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. -!TP_LOCALLAB_MERGETHR;Original + Mask LCh -!TP_LOCALLAB_MERGETWO;Original -!TP_LOCALLAB_MERGETYPE;Merge image and mask -!TP_LOCALLAB_MERGETYPE_TOOLTIP;None, use all mask in LCh mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original !TP_LOCALLAB_MERHEI;Overlay !TP_LOCALLAB_MERHUE;Hue !TP_LOCALLAB_MERLUCOL;Luminance @@ -3702,6 +3666,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MERONE;Normal !TP_LOCALLAB_MERSAT;Saturation !TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion !TP_LOCALLAB_MERSEV1;Soft Light W3C !TP_LOCALLAB_MERSEV2;Hard Light !TP_LOCALLAB_MERSIX;Divide @@ -3712,7 +3677,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MERTWO;Subtract !TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. !TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 -!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust ‘Clip restored data (gain)’ and ‘Offset’ to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_LOCALLAB_MODE_EXPERT;Advanced !TP_LOCALLAB_MODE_NORMAL;Standard !TP_LOCALLAB_MODE_SIMPLE;Basic @@ -3721,12 +3686,12 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image !TP_LOCALLAB_MRTWO;Short Curves 'L' Mask -!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius -!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance "linear" is used. +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. !TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. !TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. -!TP_LOCALLAB_NLDENOISE_TOOLTIP;“Detail recovery” acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. !TP_LOCALLAB_NLDET;Detail recovery !TP_LOCALLAB_NLFRA;Non-local Means - Luminance !TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. @@ -3735,12 +3700,11 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_NLPAT;Maximum patch size !TP_LOCALLAB_NLRAD;Maximum radius size !TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) -!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02 +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. !TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery !TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) -!TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Disabled if slider = 100 !TP_LOCALLAB_NOISEGAM;Gamma -!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance "Lab" is used. If gamma = 3.0 Luminance "linear" is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. !TP_LOCALLAB_NOISELEQUAL;Equalizer white-black !TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) !TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery @@ -3748,19 +3712,19 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) !TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) !TP_LOCALLAB_NOISEMETH;Denoise -!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. !TP_LOCALLAB_NONENOISE;None !TP_LOCALLAB_NUL_TOOLTIP;. !TP_LOCALLAB_OFFS;Offset !TP_LOCALLAB_OFFSETWAV;Offset !TP_LOCALLAB_OPACOL;Opacity !TP_LOCALLAB_ORIGLC;Merge only with original image -!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by ‘Scope’. This allows you to differentiate the action for different parts of the image (with respect to the background for example). -!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. !TP_LOCALLAB_PASTELS2;Vibrance !TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression !TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ -!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu ‘Exposure’.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. !TP_LOCALLAB_PREVHIDE;Hide additional settings !TP_LOCALLAB_PREVIEW;Preview ΔE !TP_LOCALLAB_PREVSHOW;Show additional settings @@ -3772,13 +3736,12 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_QUANONEALL;Off !TP_LOCALLAB_QUANONEWAV;Non-local means only !TP_LOCALLAB_RADIUS;Radius -!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30 +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. !TP_LOCALLAB_RADMASKCOL;Smooth radius -!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the “Recovery threshold” value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the “Recovery threshold” is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the “Recovery threshold” acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). !TP_LOCALLAB_RECT;Rectangle !TP_LOCALLAB_RECURS;Recursive references !TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. -!TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 Hue=%3 !TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name !TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot !TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. @@ -3802,9 +3765,8 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). !TP_LOCALLAB_RETIM;Original Retinex !TP_LOCALLAB_RETITOOLFRA;Retinex Tools -!TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT improve quality and allow big radius, but increases the treatment time.\nThe treatment time depends on the surface to be treated\nThe treatment time depends on the value of scale (be careful of high values).\nTo be used preferably for large radius.\n\nDimensions can be reduced by a few pixels to optimize FFTW.\nThis optimization can reduce the treatment time by a factor of 1.5 to 10.\nOptimization not used in Preview -!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of "Lightness = 1" or "Darkness =2".\nFor other values, the last step of a "Multiple scale Retinex" algorithm (similar to "local contrast") is applied. These 2 cursors, associated with "Strength" allow you to make adjustments upstream of local contrast -!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the "Restored data" values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. !TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. !TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. !TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. @@ -3817,29 +3779,28 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. !TP_LOCALLAB_SATUR;Saturation !TP_LOCALLAB_SATURV;Saturation (s) -!TP_LOCALLAB_SAVREST;Save - Restore Current Image !TP_LOCALLAB_SCALEGR;Scale !TP_LOCALLAB_SCALERETI;Scale !TP_LOCALLAB_SCALTM;Scale !TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) -!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if DeltaE Image Mask is enabled.\nLow values avoid retouching selected area +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. !TP_LOCALLAB_SENSI;Scope !TP_LOCALLAB_SENSIEXCLU;Scope -!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded -!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the deltaE of the mask itself by using 'Scope (deltaE image mask)' in 'Settings' > ‘Mask and Merge’ -!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. !TP_LOCALLAB_SETTINGS;Settings !TP_LOCALLAB_SH1;Shadows Highlights !TP_LOCALLAB_SH2;Equalizer !TP_LOCALLAB_SHADEX;Shadows !TP_LOCALLAB_SHADEXCOMP;Shadow compression !TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer -!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm -!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. !TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. !TP_LOCALLAB_SHAMASKCOL;Shadows !TP_LOCALLAB_SHAPETYPE;RT-spot shape -!TP_LOCALLAB_SHAPE_TOOLTIP;”Ellipse” is the normal mode.\n “Rectangle” can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. !TP_LOCALLAB_SHARAMOUNT;Amount !TP_LOCALLAB_SHARBLUR;Blur radius !TP_LOCALLAB_SHARDAMPING;Damping @@ -3849,7 +3810,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_SHARP_TOOLNAME;Sharpening !TP_LOCALLAB_SHARRADIUS;Radius !TP_LOCALLAB_SHORTC;Short Curves 'L' Mask -!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7 +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. !TP_LOCALLAB_SHOWC;Mask and modifications !TP_LOCALLAB_SHOWC1;Merge file !TP_LOCALLAB_SHOWCB;Mask and modifications @@ -3859,12 +3820,12 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) !TP_LOCALLAB_SHOWLC;Mask and modifications !TP_LOCALLAB_SHOWMASK;Show mask -!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the "Spot structure" cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. !TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. !TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise !TP_LOCALLAB_SHOWMASKTYP2;Denoise -!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise -!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with ‘Mask and modifications’.\nIf ‘Blur and noise’ is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for ‘Blur and noise’.\nIf ‘Blur and noise + Denoise’ is selected, the mask is shared. Note that in this case, the Scope sliders for both ‘Blur and noise’ and Denoise will be active so it is advisable to use the option ‘Show modifications with mask’ when making any adjustments. +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. !TP_LOCALLAB_SHOWMNONE;Show modified image !TP_LOCALLAB_SHOWMODIF;Show modified areas without mask !TP_LOCALLAB_SHOWMODIF2;Show modified areas @@ -3890,9 +3851,8 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev !TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) !TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. -!TP_LOCALLAB_SIM;Simple !TP_LOCALLAB_SLOMASKCOL;Slope -!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying ‘L’ to avoid any discontinuities. +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. !TP_LOCALLAB_SLOSH;Slope !TP_LOCALLAB_SOFT;Soft Light & Original Retinex !TP_LOCALLAB_SOFTM;Soft Light @@ -3900,13 +3860,12 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_SOFTRADIUSCOL;Soft radius !TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. !TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts -!TP_LOCALLAB_SOFTRETI_TOOLTIP;Take into account deltaE to improve Transmission map !TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex !TP_LOCALLAB_SOURCE_ABS;Absolute luminance !TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) !TP_LOCALLAB_SPECCASE;Specific cases !TP_LOCALLAB_SPECIAL;Special use of RGB curves -!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. ‘Scope’, masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. !TP_LOCALLAB_SPOTNAME;New Spot !TP_LOCALLAB_STD;Standard !TP_LOCALLAB_STR;Strength @@ -3914,16 +3873,15 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_STREN;Compression strength !TP_LOCALLAB_STRENG;Strength !TP_LOCALLAB_STRENGR;Strength -!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with "strength", but you can also use the "scope" function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). !TP_LOCALLAB_STRENGTH;Noise !TP_LOCALLAB_STRGRID;Strength -!TP_LOCALLAB_STRRETI_TOOLTIP;if Strength Retinex < 0.2 only Dehaze is enabled.\nif Strength Retinex >= 0.1 Dehaze is in luminance mode. !TP_LOCALLAB_STRUC;Structure !TP_LOCALLAB_STRUCCOL;Spot structure !TP_LOCALLAB_STRUCCOL1;Spot structure -!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate ‘Mask and modifications’ > ‘Show spot structure’ (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and ‘Local contrast’ (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either ‘Show modified image’ or ‘Show modified areas with mask’. +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. !TP_LOCALLAB_STRUMASKCOL;Structure mask strength -!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise") and mask(Color & Light). +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). !TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! !TP_LOCALLAB_STYPE;Shape method !TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. @@ -3935,55 +3893,53 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_THRESRETI;Threshold !TP_LOCALLAB_THRESWAV;Balance threshold !TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 -!TP_LOCALLAB_TLABEL2;TM Effective Tm=%1 TM=%2 !TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_LOCALLAB_TM;Tone Mapping !TP_LOCALLAB_TM_MASK;Use transmission map -!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an "edge".\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. !TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. !TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. !TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. -!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between "local" and "global" contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. !TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping !TP_LOCALLAB_TOOLCOL;Structure mask as tool -!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. !TP_LOCALLAB_TOOLMASK;Mask Tools !TP_LOCALLAB_TOOLMASK_2;Wavelets -!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox ‘Structure mask as tool’ checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the ‘Structure mask’ behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. !TP_LOCALLAB_TRANSIT;Transition Gradient !TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY -!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. !TP_LOCALLAB_TRANSITVALUE;Transition value !TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) -!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light) -!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the "radius" +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. !TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain !TP_LOCALLAB_TRANSMISSIONMAP;Transmission map -!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. !TP_LOCALLAB_USEMASK;Laplacian !TP_LOCALLAB_VART;Variance (contrast) !TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool !TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. !TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool !TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. -!TP_LOCALLAB_WAMASKCOL;Mask Wavelet level !TP_LOCALLAB_WARM;Warm/Cool & Color artifacts !TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;“Merge chroma” is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;“Merge luma” is used to select the intensity of the desired effect on luminance. -!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;‘Chroma levels’: adjusts the “a” and “b” components of Lab* as a proportion of the luminance value. -!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low ‘Attenuation response’ value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. !TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. !TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. !TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. !TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. !TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. -!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;‘Merge only with original image’, prevents the ‘Wavelet Pyramid’ settings from interfering with ‘Clarity’ and ‘Sharp mask’. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. !TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. !TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. !TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. @@ -3993,7 +3949,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. !TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. !TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. -!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the ‘Edge sharpness’ tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. !TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. !TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. !TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. @@ -4002,22 +3958,19 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_WAVCOMP;Compression by level !TP_LOCALLAB_WAVCOMPRE;Compression by level !TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. -!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. !TP_LOCALLAB_WAVCON;Contrast by level !TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. !TP_LOCALLAB_WAVDEN;Luminance denoise !TP_LOCALLAB_WAVE;Wavelets !TP_LOCALLAB_WAVEDG;Local contrast !TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. -!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in ‘Local contrast’ (by wavelet level). -!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. -!TP_LOCALLAB_WAVHIGH;Wavelet high +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. !TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. !TP_LOCALLAB_WAVLEV;Blur by level -!TP_LOCALLAB_WAVLOW;Wavelet low !TP_LOCALLAB_WAVMASK;Local contrast -!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings...) -!TP_LOCALLAB_WAVMED;Wavelet normal +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). !TP_LOCALLAB_WEDIANHI;Median Hi !TP_LOCALLAB_WHITE_EV;White Ev !TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments @@ -4026,7 +3979,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCAL_HEIGHT_T;Top !TP_LOCAL_WIDTH;Right !TP_LOCAL_WIDTH_L;Left -!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light.\n +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor !TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length !TP_PERSPECTIVE_CAMERA_FRAME;Correction @@ -4064,10 +4017,10 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_SPOT_COUNTLABEL;%1 point(s) !TP_SPOT_DEFAULT_SIZE;Default spot size !TP_SPOT_ENTRYCHANGED;Point changed -!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the "feather" circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. !TP_SPOT_LABEL;Spot Removal !TP_WAVELET_BALCHROM;Equalizer Color -!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BL;Blur levels !TP_WAVELET_BLCURVE;Blur by levels !TP_WAVELET_BLURFRAME;Blur @@ -4081,42 +4034,33 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_WAVELET_CLARI;Sharp-mask and Clarity !TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPLEXLAB;Complexity -!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. !TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_CONTFRAME;Contrast - Compression -!TP_WAVELET_CONTRASTEDIT;Finer - Coarser levels -!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300% +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_DAUBLOCAL;Wavelet Edge performance !TP_WAVELET_DEN5THR;Guided threshold -!TP_WAVELET_DEN12LOW;1 2 Low -!TP_WAVELET_DEN12PLUS;1 2 High -!TP_WAVELET_DEN14LOW;1 4 Low -!TP_WAVELET_DEN14PLUS;1 4 High -!TP_WAVELET_DENCONTRAST;Local contrast Equalizer !TP_WAVELET_DENCURV;Curve -!TP_WAVELET_DENEQUAL;1 2 3 4 Equal -!TP_WAVELET_DENH;Threshold !TP_WAVELET_DENL;Correction structure !TP_WAVELET_DENLH;Guided threshold levels 1-4 -!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. !TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. !TP_WAVELET_DENOISE;Guide curve based on Local contrast !TP_WAVELET_DENOISEGUID;Guided threshold based on hue !TP_WAVELET_DENOISEH;High levels Curve Local contrast !TP_WAVELET_DENOISEHUE;Denoise hue equalizer !TP_WAVELET_DENQUA;Mode -!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. !TP_WAVELET_DENSLI;Slider !TP_WAVELET_DENSLILAB;Method -!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter -!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. !TP_WAVELET_DETEND;Details !TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_EDEFFECT;Attenuation response -!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_FINCFRAME;Final local contrast -!TP_WAVELET_FINCOAR_TOOLTIP;The left (positive) part of the curve acts on the finer levels (increase).\nThe 2 points on the abscissa represent the respective action limits of finer and coarser levels 5 and 6 (default).\nThe right (negative) part of the curve acts on the coarser levels (increase).\nAvoid moving the left part of the curve with negative values. Avoid moving the right part of the curve with positives values -!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. !TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) !TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LEVDEN;Level 5-6 denoise @@ -4125,7 +4069,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_WAVELET_LEVELSIGM;Radius !TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 -!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MERGEC;Merge chroma !TP_WAVELET_MERGEL;Merge luma !TP_WAVELET_MIXCONTRAST;Reference @@ -4139,30 +4083,27 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_WAVELET_PROTAB;Protection !TP_WAVELET_QUAAGRES;Aggressive !TP_WAVELET_QUACONSER;Conservative -!TP_WAVELET_QUANONE;Off !TP_WAVELET_RADIUS;Radius shadows - highlight !TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RESBLUR;Blur luminance !TP_WAVELET_RESBLURC;Blur chroma -!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500% +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. !TP_WAVELET_SHA;Sharp mask !TP_WAVELET_SHFRAME;Shadows/Highlights !TP_WAVELET_SHOWMASK;Show wavelet 'mask' !TP_WAVELET_SIGM;Radius !TP_WAVELET_SIGMA;Attenuation response !TP_WAVELET_SIGMAFIN;Attenuation response -!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SOFTRAD;Soft radius !TP_WAVELET_STREND;Strength !TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. !TP_WAVELET_THREND;Local contrast threshold -!TP_WAVELET_THRESWAV;Balance threshold !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TONFRAME;Excluded colors !TP_WAVELET_USH;None !TP_WAVELET_USHARP;Clarity method -!TP_WAVELET_USHARP_TOOLTIP;Origin : the source file is the file before Wavelet.\nWavelet : the source file is the file including wavelet threatment !TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. !TP_WAVELET_WAVLOWTHR;Low contrast threshold !TP_WAVELET_WAVOFFSET;Offset diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 5d73a3982..b447fd075 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1,4 +1,6 @@ +#01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. #01 keenonkites; Aktualisierte Version für 2.3 beta2 +#02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: #02 phberlin; basiert auf keenonkites' Erstübersetzung #03 2007-12-20 #04 2007-12-22 @@ -85,10 +87,8 @@ #84 06.10.2019 Erweiterung (TooWaBoo) RT 5.7 #84 18.07.2019 Erweiterung (TooWaBoo) RT 5.6 #85 29.07.2022 Erweiterung (marter, mozzihh) RT 5.9 - -#01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. -#02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: #2022-07, Version RT 5.9 (marter, mozzihh) + ABOUT_TAB_BUILD;Version ABOUT_TAB_CREDITS;Danksagungen ABOUT_TAB_LICENSE;Lizenz @@ -1373,9 +1373,6 @@ HISTORY_MSG_1061;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nAbsolute Luminanz HISTORY_MSG_1062;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nUmgebung HISTORY_MSG_1063;(Lokal - CIECAM)\nCAM16 - Farbe\nSättigung HISTORY_MSG_1064;(Lokal - CIECAM)\nCAM16 - Farbe\nChroma -HISTORY_MSG_1062;(Lokal - CIECAM)\nHelligkeit -HISTORY_MSG_1063;(Lokal - CIECAM)\nHelligkeit -HISTORY_MSG_1064;(Lokal - CIECAM)\nSchwellenwert HISTORY_MSG_1065;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (J) HISTORY_MSG_1066;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (Q) HISTORY_MSG_1067;(Lokal - CIECAM)\nCAM16 - Kontrast\nKontrast (J) @@ -1410,7 +1407,6 @@ HISTORY_MSG_1095;(Lokal - CIECAM)\nTonwertbreite Jz Lichter HISTORY_MSG_1096;(Lokal - CIECAM)\nJz Schatten HISTORY_MSG_1097;(Lokal - CIECAM)\nTonwertbreite Jz Schatten HISTORY_MSG_1098;(Lokal - CIECAM)\nJz Radius -//HISTORY_MSG_1099;(Lokal) - Hz(Hz)-Kurve HISTORY_MSG_1099;(Lokal - CIECAM)\nJz Cz Hz\nKurve Cz(Hz) HISTORY_MSG_1100;(Lokal - CIECAM)\nJz Zuordnung\nReferenz 100 HISTORY_MSG_1101;(Lokal - CIECAM)\nJz Zuordnung\nPQ Peak Luminanz @@ -1502,25 +1498,25 @@ HISTORY_MSG_FILMNEGATIVE_REF_SPOT;(Farbe - Negativfilm)\nReferenz Eingabe HISTORY_MSG_FILMNEGATIVE_VALUES;(Farbe - Negativfilm)\nWerte HISTORY_MSG_HISTMATCHING;(Belichtung)\nAuto-Tonwertkurve HISTORY_MSG_HLBL;Farbübertragung - Unschärfe +HISTORY_MSG_ICL_LABGRIDCIEXY;CIE xy +HISTORY_MSG_ICM_AINTENT;(Farbe - Farbmanagement)\nAbstraktes Profil Ziel +HISTORY_MSG_ICM_BLUX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau X +HISTORY_MSG_ICM_BLUY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau Y +HISTORY_MSG_ICM_FBW;(Farbe - Farbmanagement)\nAbstraktes Profil\nSchwarz-Weiß +HISTORY_MSG_ICM_GREX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün X +HISTORY_MSG_ICM_GREY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün Y HISTORY_MSG_ICM_OUTPUT_PRIMARIES;(Farbe - Farbmanagement)\nAusgabeprofil\nVorlagen HISTORY_MSG_ICM_OUTPUT_TEMP;(Farbe - Farbmanagement)\nAusgabeprofil\nIccV4-Illuminant D HISTORY_MSG_ICM_OUTPUT_TYPE;(Farbe - Farbmanagement)\nAusgabeprofil\nTyp -HISTORY_MSG_ICM_WORKING_GAMMA;(Farbe - Farbmanagement)\nAbstraktes Profil\nGamma Farbtonkennlinie -HISTORY_MSG_ICM_WORKING_SLOPE;(Farbe - Farbmanagement)\nAbstraktes Profil\nSteigung Farbtonkennlinie -HISTORY_MSG_ICM_WORKING_TRC_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nFarbtonkennlinie -HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nBeleuchtung -HISTORY_MSG_ICM_WORKING_PRIM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nZielvorwahl +HISTORY_MSG_ICM_PRESER;(Farbe - Farbmanagement)\nAbstraktes Profil\nPastelltöne erhalten HISTORY_MSG_ICM_REDX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot X HISTORY_MSG_ICM_REDY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot Y -HISTORY_MSG_ICM_GREX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün X -HISTORY_MSG_ICM_GREY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün Y -HISTORY_MSG_ICM_BLUX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau X -HISTORY_MSG_ICM_BLUY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau Y -HISTORY_MSG_ICL_LABGRIDCIEXY;CIE xy -HISTORY_MSG_ICM_AINTENT;(Farbe - Farbmanagement)\nAbstraktes Profil Ziel +HISTORY_MSG_ICM_WORKING_GAMMA;(Farbe - Farbmanagement)\nAbstraktes Profil\nGamma Farbtonkennlinie +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nBeleuchtung +HISTORY_MSG_ICM_WORKING_PRIM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nZielvorwahl +HISTORY_MSG_ICM_WORKING_SLOPE;(Farbe - Farbmanagement)\nAbstraktes Profil\nSteigung Farbtonkennlinie +HISTORY_MSG_ICM_WORKING_TRC_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nFarbtonkennlinie HISTORY_MSG_ILLUM;Beleuchtung -HISTORY_MSG_ICM_FBW;(Farbe - Farbmanagement)\nAbstraktes Profil\nSchwarz-Weiß -HISTORY_MSG_ICM_PRESER;(Farbe - Farbmanagement)\nAbstraktes Profil\nPastelltöne erhalten HISTORY_MSG_LOCALCONTRAST_AMOUNT;(Details - Lokaler Kontrast)\nIntensität HISTORY_MSG_LOCALCONTRAST_DARKNESS;(Details - Lokaler Kontrast)\nDunkle Bereiche HISTORY_MSG_LOCALCONTRAST_ENABLED;(Details - Lokaler Kontrast) @@ -1575,9 +1571,9 @@ HISTORY_MSG_TRANS_METHOD;(Transformieren - Objektivkorrektur)\nMethode HISTORY_MSG_WAVBALCHROM;(Erweitert - Wavelet)\nRauschreduzierung\nFarb-Equalizer HISTORY_MSG_WAVBALLUM;(Erweitert - Wavelet)\nRauschreduzierung\nEqualizer Luminanz HISTORY_MSG_WAVBL;(Erweitert - Wavelet)\nUnschärfeebenen +HISTORY_MSG_WAVCHR;(Erweitert - Wavelet)\nUnschärfeebenen\nChroma-Unschärfe HISTORY_MSG_WAVCHROMCO;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz grob HISTORY_MSG_WAVCHROMFI;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz fein -HISTORY_MSG_WAVCHR;(Erweitert - Wavelet)\nUnschärfeebenen\nChroma-Unschärfe HISTORY_MSG_WAVCLARI;(Erweitert - Wavelet)\nSchärfemaske und Klarheit HISTORY_MSG_WAVDENLH;(Erweitert - Wavelet)\nRauschreduzierung\nEbenen 5-6 HISTORY_MSG_WAVDENMET;(Erweitert - Wavelet)\nLokaler Equalizer @@ -1587,10 +1583,10 @@ HISTORY_MSG_WAVDETEND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nDet HISTORY_MSG_WAVEDGS;(Erweitert - Wavelet)\nRestbild - Kompression\nKantenschutz HISTORY_MSG_WAVGUIDH;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nEqualizer Farbton HISTORY_MSG_WAVHUE;(Erweitert - Wavelet)\nEqualizer Farbton -HISTORY_MSG_WAVLEVDEN;(Erweitert - Wavelet)\nKontrast\nSchwellenwert hoher Kontrast -HISTORY_MSG_WAVLEVSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius HISTORY_MSG_WAVLABGRID_VALUE;(Erweitert - Wavelet)\nTönung\nAusgeschlossene Farben +HISTORY_MSG_WAVLEVDEN;(Erweitert - Wavelet)\nKontrast\nSchwellenwert hoher Kontrast HISTORY_MSG_WAVLEVELSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius +HISTORY_MSG_WAVLEVSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius HISTORY_MSG_WAVLIMDEN;(Erweitert - Wavelet)\nRauschreduzierung\nInteraktion der Ebenen 5-6 mit 1-4 HISTORY_MSG_WAVLOWTHR;(Erweitert - Wavelet)\nKontrast\nSchwellenwert niedriger Kontrast HISTORY_MSG_WAVMERGEC;(Erweitert - Wavelet)\nSchärfemaske und Klarheit\nChroma zusammenführen @@ -1953,13 +1949,13 @@ PREFERENCES_DIRSELECTDLG;Wähle das Bild-Verzeichnis beim Programmstart... PREFERENCES_DIRSOFTWARE;Installationsverzeichnis PREFERENCES_EDITORCMDLINE;Benutzerdefinierte Befehlszeile PREFERENCES_EDITORLAYOUT;Editor-Layout -PREFERENCES_EXTERNALEDITOR;Externer Editor +PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass Ausgabeprofil PREFERENCES_EXTEDITOR_DIR;Ausgabeverzeichnis -PREFERENCES_EXTEDITOR_DIR_TEMP;Temp-Ordner Betriebssystem PREFERENCES_EXTEDITOR_DIR_CURRENT;Derselbe Ordner wie Bild PREFERENCES_EXTEDITOR_DIR_CUSTOM;Benutzerdefiniert +PREFERENCES_EXTEDITOR_DIR_TEMP;Temp-Ordner Betriebssystem PREFERENCES_EXTEDITOR_FLOAT32;Ausgabe in 32-bit (float) TIFF -PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass Ausgabeprofil +PREFERENCES_EXTERNALEDITOR;Externer Editor PREFERENCES_FBROWSEROPTS;Bildinformationen und Miniaturbilder PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Einzeilige Toolbar PREFERENCES_FLATFIELDFOUND;Gefunden @@ -2151,6 +2147,12 @@ SAVEDLG_WARNFILENAME;Die Datei wird gespeichert als SHCSELECTOR_TOOLTIP;Um die 3 Regler zurückzusetzen, rechte Maustaste klicken. SOFTPROOF_GAMUTCHECK_TOOLTIP;Markiert Pixel, deren Farbe außerhalb des Farbumfangs liegen in Abhängigkeit des:\n- Druckerprofils, wenn eines eingestellt und Soft-Proofing aktiviert ist.\n- Ausgabeprofils, wenn ein Druckerprofil nicht eingestellt und Soft-Proofing aktiviert ist.\n- Monitorprofils, wenn Soft-Proofing deaktiviert ist. SOFTPROOF_TOOLTIP;Soft-Proofing simuliert das Aussehen des Bildes:\n- für den Druck, wenn ein Druckerprofil unter Einstellungen > Farbmanagement eingestellt ist.\n- wenn es auf einem Bildschirm dargestellt wird, der das aktuelle Ausgabeprofil verwendet und kein Druckerprofil eingestellt ist. +TC_PRIM_BLUX;Bx +TC_PRIM_BLUY;By +TC_PRIM_GREX;Gx +TC_PRIM_GREY;Gy +TC_PRIM_REDX;Rx +TC_PRIM_REDY;Ry THRESHOLDSELECTOR_B;Unten THRESHOLDSELECTOR_BL;Unten-Links THRESHOLDSELECTOR_BR;Unten-Rechts @@ -2250,9 +2252,9 @@ TP_COLORAPP_BADPIXSL_TOOLTIP;Unterdrückt Hot-/Dead-Pixel (hell gefärbt).\n0 = TP_COLORAPP_BRIGHT;Helligkeit (Q) TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM02/16 berücksichtigt die Weißintensität und unterscheidet sich von L*a*b* und RGB-Helligkeit. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bei manueller Einstellung werden Werte über 65 empfohlen. +TP_COLORAPP_CATCLASSIC;Klassisch TP_COLORAPP_CATMET_TOOLTIP;Klassisch - traditionelle CIECAM-Berechnung. Die Transformationen der chromatischen Adaption werden separat auf 'Szenenbedingungen' und 'Grundlichtart' einerseits und auf 'Grundlichtart' und 'Betrachtungsbedingungen' andererseits angewandt.\n\nSymmetrisch - Die chromatische Anpassung basiert auf dem Weißabgleich. Die Einstellungen 'Szenenbedingungen', 'Bildeinstellungen' und 'Betrachtungsbedingungen' werden neutralisiert.\n\nGemischt - Wie die Option 'Klassisch', aber in diesem Fall basiert die chromatische Anpassung auf dem Weißabgleich. TP_COLORAPP_CATMOD;Modus CAT02/16 -TP_COLORAPP_CATCLASSIC;Klassisch TP_COLORAPP_CATSYMGEN;Automatisch Symmetrisch TP_COLORAPP_CATSYMSPE;Gemischt TP_COLORAPP_CHROMA;Buntheit (H) @@ -2299,12 +2301,12 @@ TP_COLORAPP_LABEL_VIEWING;Betrachtungsbedingungen TP_COLORAPP_LIGHT;Helligkeit (J) TP_COLORAPP_LIGHT_TOOLTIP;Helligkeit in CIECAM02/16 unterscheidet sich von L*a*b* und RGB Helligkeit. TP_COLORAPP_MEANLUMINANCE;Mittlere Leuchtdichte (Yb%) -TP_COLORAPP_MODEL;Weißpunktmodell -TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRTs Weißabgleich wird für die Szene verwendet,\nCIECAM02/16 auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02/16] + [Ausgabe]:\nRTs Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. -TP_COLORAPP_MODELCAT;CAM Modell -TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CIECAM02 oder CIECAM16.\nCIECAM02 ist manchmal genauer.\nCIECAM16 sollte weniger Artefakte erzeugen. TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MODEL;Weißpunktmodell +TP_COLORAPP_MODELCAT;CAM Modell +TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CIECAM02 oder CIECAM16.\nCIECAM02 ist manchmal genauer.\nCIECAM16 sollte weniger Artefakte erzeugen. +TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRTs Weißabgleich wird für die Szene verwendet,\nCIECAM02/16 auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02/16] + [Ausgabe]:\nRTs Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. TP_COLORAPP_NEUTRAL;Zurücksetzen TP_COLORAPP_NEUTRAL_TOOLTIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. TP_COLORAPP_RSTPRO;Hautfarbtöne schützen @@ -2536,9 +2538,6 @@ TP_FILMNEGATIVE_COLORSPACE;Farbraum TP_FILMNEGATIVE_COLORSPACE_INPUT;Eingangsfarbraum TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Wählen Sie den Farbraum aus, der verwendet werden soll, um die Negativ-Umkehrung durchzuführen:\nEingangsfarbraum: Führt die Umkehrung durch, bevor das Eingangsprofil angewendet wird, wie in den vorherigen Versionen von RT.\nArbeitsfarbraum< /b>: Führt die Umkehrung nach dem Eingabeprofil durch, wobei das aktuell ausgewählte Arbeitsprofil angewandt wird. TP_FILMNEGATIVE_COLORSPACE_WORKING;Arbeitsfarbraum -TP_FILMNEGATIVE_REF_LABEL;Eingang RGB: %1 -TP_FILMNEGATIVE_REF_PICK;Farbwähler -TP_FILMNEGATIVE_REF_TOOLTIP;Auswahl eines Graupunktes, um den Weißabgleich für das Positivbild zu setzen. TP_FILMNEGATIVE_GREEN;Bezugsexponent TP_FILMNEGATIVE_GREENBALANCE;Balance Magenta/Grün TP_FILMNEGATIVE_GUESS_TOOLTIP;Setzt automatisch die Rot- und Blau-Werte, indem mit der Pipette zwei Punkte ohne Farbinformation im Originalbild genommen werden. Diese Punkte sollten in der Helligkeit unterschiedlich sein. Der Weißabgleich sollte erst danach vorgenommen werden. @@ -2546,6 +2545,9 @@ TP_FILMNEGATIVE_LABEL;Negativfilm TP_FILMNEGATIVE_OUT_LEVEL;Ausgabestärke TP_FILMNEGATIVE_PICK;Neutrale Punkte anwählen TP_FILMNEGATIVE_RED;Rotverhältnis +TP_FILMNEGATIVE_REF_LABEL;Eingang RGB: %1 +TP_FILMNEGATIVE_REF_PICK;Farbwähler +TP_FILMNEGATIVE_REF_TOOLTIP;Auswahl eines Graupunktes, um den Weißabgleich für das Positivbild zu setzen. TP_FILMSIMULATION_LABEL;Filmsimulation TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee sucht nach Hald-CLUT-Bildern, die für die Filmsimulation benötigt werden, in einem Ordner, der zu viel Zeit zum Laden benötigt.\nGehen Sie zu\n< Einstellungen > Bildbearbeitung > Filmsimulation >\nund prüfen Sie, welcher Order benutzt wird. Wählen Sie den Ordner aus, der nur die Hald-CLUT-Bilder beinhaltet oder einen leeren Ordner, wenn Sie die Filmsimulation nicht verwenden möchten.\n\nWeitere Informationen über die Filmsimulation finden Sie auf RawPedia.\n\nMöchten Sie die Suche beenden? TP_FILMSIMULATION_STRENGTH;Intensität @@ -2576,8 +2578,8 @@ TP_GRADIENT_STRENGTH_TOOLTIP;Filterstärke in Blendenstufen. TP_HLREC_BLEND;Überlagerung TP_HLREC_CIELAB;CIELab-Überlagerung TP_HLREC_COLOR;Farbübertragung -TP_HLREC_HLBLUR;Unschärfe TP_HLREC_ENA_TOOLTIP;Wird bei Verwendung der automatischen\nBelichtungskorrektur möglicherweise\naktiviert. +TP_HLREC_HLBLUR;Unschärfe TP_HLREC_LABEL;Lichter rekonstruieren TP_HLREC_LUMINANCE;Luminanz wiederherstellen TP_HLREC_METHOD;Methode: @@ -2616,9 +2618,10 @@ TP_ICM_NEUTRAL;Zurücksetzen TP_ICM_NOICM;Kein ICM: sRGB-Ausgabe TP_ICM_OUTPUTPROFILE;Ausgabeprofil TP_ICM_OUTPUTPROFILE_TOOLTIP;Standardmäßig sind alle RTv4- oder RTv2-Profile mit TRC - sRGB: g=2.4 s=12.92 voreingestellt.\n\nMit 'ICC Profile Creator' können Sie v4- oder v2-Profile mit den folgenden Auswahlmöglichkeiten erstellen:\n- Primär: Aces AP0, Aces AP1 , AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Benutzerdefiniert\n- TRC: BT709, sRGB, linear, Standard g=2,2, Standard g=1,8, Benutzerdefiniert\n- Lichtart: D41, D50, D55 , D60, D65, D80, stdA 2856K -TP_ICM_PRIMRED_TOOLTIP;Primäreinstellungen Rot:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 -TP_ICM_PRIMGRE_TOOLTIP;Primäreinstellungen Grün:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 TP_ICM_PRIMBLU_TOOLTIP;Primäreinstellungen Blau:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;Primäreinstellungen Grün:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMILLUM_TOOLTIP;Sie können ein Bild von seinem ursprünglichen Modus ('Arbeitsprofil') in einen anderen Modus ('Zielvorwahl') ändern. Wenn Sie einen anderen Farbmodus für ein Bild auswählen, ändern Sie die Farbwerte im Bild dauerhaft.\n\nDas Ändern der 'Primärfarben' ist ziemlich komplex und schwierig zu verwenden. Es erfordert viel Experimentieren.\nEs kann exotische Farbanpassungen als Primärfarben des Kanalmischers vornehmen.\nEs ermöglicht Ihnen, die Kamerakalibrierung mit 'Benutzerdefiniert (Schieberegler)' zu ändern. +TP_ICM_PRIMRED_TOOLTIP;Primäreinstellungen Rot:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 TP_ICM_PROFILEINTENT;Wiedergabe TP_ICM_REDFRAME;Benutzerdefinierte Voreinstellungen TP_ICM_SAVEREFERENCE;Referenzbild speichern @@ -2629,22 +2632,12 @@ TP_ICM_TONECURVE;Tonwertkurve TP_ICM_TONECURVE_TOOLTIP;Eingebettete DCP-Tonwertkurve verwenden.\nDie Einstellung ist nur verfügbar, wenn sie vom Eingangsfarbprofil unterstützt wird. TP_ICM_TRCFRAME;Abstraktes Profil TP_ICM_TRCFRAME_TOOLTIP;Auch bekannt als 'synthetisches' oder 'virtuelles' Profil, das am Ende der Verarbeitungspipeline (vor CIECAM) angewendet wird, sodass Sie benutzerdefinierte Bildeffekte erstellen können.\nSie können Änderungen vornehmen an:\n'Farbtonkennlinie': Ändert die Farbtöne des Bildes.\n'Beleuchtungsart': Ermöglicht Ihnen, die Profil-Primärfarben zu ändern, um sie an die Aufnahmebedingungen anzupassen.\n'Ziel-Primärfarben': Ermöglicht Ihnen, die Ziel-Primärfarben mit zwei Hauptanwendungen zu ändern - Kanalmischer und -kalibrierung.\nHinweis: Abstrakte Profile berücksichtigen die integrierten Arbeitsprofile, ohne sie zu ändern. Sie funktionieren nicht mit benutzerdefinierten Arbeitsprofilen. -TP_ICM_WORKING_CIEDIAG;CIE xy-Diagramm -TP_ICM_WORKINGPROFILE;Arbeitsfarbraum -TP_ICM_WORKING_PRESER;Pastelltöne erhalten -TP_ICM_WORKING_TRC;Farbtonkennlinie: -TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 -TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 -TP_ICM_WORKING_TRC_22;Adobe g=2.2 -TP_ICM_WORKING_TRC_18;ProPhoto g=1.8 -TP_ICM_WORKING_TRC_LIN;Linear g=1 -TP_ICM_WORKING_TRC_CUSTOM;Benutzerdefiniert -TP_ICM_WORKING_TRC_GAMMA;Gamma -TP_ICM_WORKING_TRC_NONE;Keine -TP_ICM_WORKING_TRC_SLOPE;Steigung TP_ICM_TRC_TOOLTIP;Ermöglicht Ihnen, die standardmäßige sRGB-'Farbtonkennlinie' in RT (g=2,4 s=12,92) zu ändern.\nDiese Farbtonkennlinie modifiziert die Farbtöne des Bildes. Die RGB- und Lab-Werte, das Histogramm und die Ausgabe (Bildschirm, TIF, JPG) werden geändert:\nGamma wirkt hauptsächlich auf helle Töne, Steigung wirkt hauptsächlich auf dunkle Töne.\nSie können ein beliebiges Paar von 'Gamma' und 'Steigung' (Werte >1) wählen, und der Algorithmus stellt sicher, dass zwischen den linearen und parabolischen Teilen der Kurve Kontinuität besteht.\nEine andere Auswahl als 'Keine' aktiviert die Menüs 'Lichtart' und 'Ziel-Primärfarben'. +TP_ICM_WORKINGPROFILE;Arbeitsfarbraum +TP_ICM_WORKING_CIEDIAG;CIE xy-Diagramm TP_ICM_WORKING_ILLU;Beleuchtung -TP_ICM_WORKING_ILLU_NONE;Standard +TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +TP_ICM_WORKING_ILLU_2000;Tungsten 2000K TP_ICM_WORKING_ILLU_D41;D41 TP_ICM_WORKING_ILLU_D50;D50 TP_ICM_WORKING_ILLU_D55;D55 @@ -2652,25 +2645,34 @@ TP_ICM_WORKING_ILLU_D60;D60 TP_ICM_WORKING_ILLU_D65;D65 TP_ICM_WORKING_ILLU_D80;D80 TP_ICM_WORKING_ILLU_D120;D120 +TP_ICM_WORKING_ILLU_NONE;Standard TP_ICM_WORKING_ILLU_STDA;Glühbirne Normlicht A 2875K -TP_ICM_WORKING_ILLU_2000;Tungsten 2000K -TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +TP_ICM_WORKING_PRESER;Pastelltöne erhalten TP_ICM_WORKING_PRIM;Zielvorwahl -TP_ICM_PRIMILLUM_TOOLTIP;Sie können ein Bild von seinem ursprünglichen Modus ('Arbeitsprofil') in einen anderen Modus ('Zielvorwahl') ändern. Wenn Sie einen anderen Farbmodus für ein Bild auswählen, ändern Sie die Farbwerte im Bild dauerhaft.\n\nDas Ändern der 'Primärfarben' ist ziemlich komplex und schwierig zu verwenden. Es erfordert viel Experimentieren.\nEs kann exotische Farbanpassungen als Primärfarben des Kanalmischers vornehmen.\nEs ermöglicht Ihnen, die Kamerakalibrierung mit 'Benutzerdefiniert (Schieberegler)' zu ändern. -TP_ICM_WORKING_PRIM_NONE;Standard -TP_ICM_WORKING_PRIM_SRGB;sRGB -TP_ICM_WORKING_PRIM_ADOB;Adobe RGB -TP_ICM_WORKING_PRIM_PROP;ProPhoto -TP_ICM_WORKING_PRIM_REC;Rec2020 -TP_ICM_WORKING_PRIM_ACE;ACESp1 -TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_PRIMFRAME_TOOLTIP;Wenn 'Benutzerdefiniert CIE xy-Diagramm' in der Combobox 'Zielvorwahl' ausgewählt ist, können die Werte der 3 Primärfarben direkt im Diagramm geändert werden.\nBeachten Sie, dass in diesem Fall die Weißpunktposition im Diagramm nicht aktualisiert wird. TP_ICM_WORKING_PRIM_AC0;ACESp0 -TP_ICM_WORKING_PRIM_BRU;BruceRGB +TP_ICM_WORKING_PRIM_ACE;ACESp1 +TP_ICM_WORKING_PRIM_ADOB;Adobe RGB TP_ICM_WORKING_PRIM_BET;Beta RGB +TP_ICM_WORKING_PRIM_BRU;BruceRGB TP_ICM_WORKING_PRIM_BST;BestRGB TP_ICM_WORKING_PRIM_CUS;Benutzerdefiniert (Regler) TP_ICM_WORKING_PRIM_CUSGR;Benutzerdefiniert (CIE xy-Diagramm) -TP_ICM_WORKING_PRIMFRAME_TOOLTIP;Wenn 'Benutzerdefiniert CIE xy-Diagramm' in der Combobox 'Zielvorwahl' ausgewählt ist, können die Werte der 3 Primärfarben direkt im Diagramm geändert werden.\nBeachten Sie, dass in diesem Fall die Weißpunktposition im Diagramm nicht aktualisiert wird. +TP_ICM_WORKING_PRIM_NONE;Standard +TP_ICM_WORKING_PRIM_PROP;ProPhoto +TP_ICM_WORKING_PRIM_REC;Rec2020 +TP_ICM_WORKING_PRIM_SRGB;sRGB +TP_ICM_WORKING_PRIM_WID;WideGamut +TP_ICM_WORKING_TRC;Farbtonkennlinie: +TP_ICM_WORKING_TRC_18;ProPhoto g=1.8 +TP_ICM_WORKING_TRC_22;Adobe g=2.2 +TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +TP_ICM_WORKING_TRC_CUSTOM;Benutzerdefiniert +TP_ICM_WORKING_TRC_GAMMA;Gamma +TP_ICM_WORKING_TRC_LIN;Linear g=1 +TP_ICM_WORKING_TRC_NONE;Keine +TP_ICM_WORKING_TRC_SLOPE;Steigung +TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 TP_ICM_WORKING_TRC_TOOLTIP;Auswahl der mitgelieferten Profile. TP_IMPULSEDENOISE_LABEL;Impulsrauschreduzierung TP_IMPULSEDENOISE_THRESH;Schwelle @@ -2743,9 +2745,9 @@ TP_LOCALLAB_AUTOGRAYCIE;Automatisch TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Berechnet automatisch die 'mittlere Luminanz' und 'absolute Luminanz'.\nFür Jz Cz Hz: automatische Berechnung von 'PU Anpassung', 'Schwarz-Ev' und 'Weiß-Ev'. TP_LOCALLAB_AVOID;vermeide Farbverschiebungen TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewandt wird. -TP_LOCALLAB_AVOIDRAD;Radius TP_LOCALLAB_AVOIDMUN;Nur Munsell-Korrektur TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewandt wird +TP_LOCALLAB_AVOIDRAD;Radius TP_LOCALLAB_BALAN;ab-L Balance (ΔE) TP_LOCALLAB_BALANEXP;Laplace Balance TP_LOCALLAB_BALANH;C-H Balance (ΔE) @@ -2786,14 +2788,14 @@ TP_LOCALLAB_BUTTON_DUPL;Duplizieren TP_LOCALLAB_BUTTON_REN;Umbenennen TP_LOCALLAB_BUTTON_VIS;Ein-/Ausblenden TP_LOCALLAB_BWFORCE;Schwarz-Ev & Weiß-Ev verwenden -TP_LOCALLAB_CAM16_FRA;CAM16 Bildanpassungen TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Spitzenleuchtdichte) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) angepasst an CAM16. Ermöglicht die Änderung der internen PQ-Funktion (normalerweise 10000 cd/m2 - Standard 100 cd/m2 - deaktiviert für 100 cd/m2).\nKann zur Anpassung an verschiedene Geräte und Bilder verwendet werden. +TP_LOCALLAB_CAM16_FRA;CAM16 Bildanpassungen TP_LOCALLAB_CAMMODE;CAM-Modell TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 -TP_LOCALLAB_CAMMODE_ZCAM;nur ZCAM TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CAMMODE_ZCAM;nur ZCAM TP_LOCALLAB_CATAD;Chromatische Adaptation/Cat16 TP_LOCALLAB_CBDL;Detailebenenkontrast TP_LOCALLAB_CBDLCLARI_TOOLTIP;Verstärkt den lokalen Kontrast der Mitteltöne. @@ -2813,41 +2815,41 @@ TP_LOCALLAB_CHROMASKCOL;Chrominanz TP_LOCALLAB_CHROMASK_TOOLTIP;Ändert die Chrominanz der Maske, wenn eine existiert (d.h. C(C) oder LC(H) ist aktiviert). TP_LOCALLAB_CHROML;Chroma (C) TP_LOCALLAB_CHRRT;Chrominanz -TP_LOCALLAB_CIE_TOOLNAME;CIECAM (CAM16 & JzCzHz) TP_LOCALLAB_CIE;CIECAM (CAM16 & JzCzHz) TP_LOCALLAB_CIEC;CIECAM-Umgebungsparameter TP_LOCALLAB_CIECAMLOG_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um das Sehen der menschlichen Farbwahrnehmung unter verschiedenen Lichtbedingungen zu simulieren.\nDer erste CIECAM-Prozess 'Szenebasierte Bedingungen' wird per LOG-Kodierung durchgeführt und verwendet 'Absolute Luminanz' zum Zeitpunkt der Aufnahme.\nDer zweite CIECAM-Prozess 'Bildkorrektur' wurde vereinfacht und nutzt nur 3 Variablen ('Lokaler Kontrast', 'Kontrast J', 'Sättigung s').\nDer dritte CIECAM-Prozess 'Anzeigebedingungen' passt die Ausgabe an das beabsichtigte Anzeigegerät (Monitor, TV, Projektor, Drucker, etc.) an, damit das chromatische und kontrastreiche Erscheinungsbild in der gesamten Anzeigeumgebung erhalten bleibt. +TP_LOCALLAB_CIECOLORFRA;Farbe +TP_LOCALLAB_CIECONTFRA;Kontrast +TP_LOCALLAB_CIELIGHTCONTFRA;Beleuchtung & Kontrast +TP_LOCALLAB_CIELIGHTFRA;Beleuchtung TP_LOCALLAB_CIEMODE;Werkzeugposition ändern TP_LOCALLAB_CIEMODE_COM;Standard TP_LOCALLAB_CIEMODE_DR;Dynamikbereich -TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIEMODE_LOG;LOG-Kodierung +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewandt werden. +TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIETOOLEXP;Kurven -TP_LOCALLAB_CIECOLORFRA;Farbe -TP_LOCALLAB_CIECONTFRA;Kontrast -TP_LOCALLAB_CIELIGHTFRA;Beleuchtung -TP_LOCALLAB_CIELIGHTCONTFRA;Beleuchtung & Kontrast +TP_LOCALLAB_CIE_TOOLNAME;CIECAM (CAM16 & JzCzHz) TP_LOCALLAB_CIRCRADIUS;Spot-Größe TP_LOCALLAB_CIRCRAD_TOOLTIP;Die Spot-Größe bestimmt die Referenzen des RT-Spots, die für die Formerkennung nützlich sind (Farbton, Luma, Chroma, Sobel).\nNiedrige Werte können für die Bearbeitung kleiner Flächen und Strukturen nützlich sein.\nHohe Werte können für die Behandlung von größeren Flächen oder auch Haut nützlich sein. TP_LOCALLAB_CLARICRES;Chroma zusammenführen TP_LOCALLAB_CLARIFRA;Klarheit u. Schärfemaske - Überlagern u. Abschwächen +TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 bis 4 (einschließlich): ‘Schärfemaske’ ist aktiviert\nLevel 5 und darüber: 'Klarheit' ist aktiviert. TP_LOCALLAB_CLARILRES;Luma zusammenführen TP_LOCALLAB_CLARISOFT;Radius -TP_LOCALLAB_CLARISOFT_TOOLTIP;Der Regler 'Radius' (Algorithmus des anpassbaren Filters) reduziert Lichthöfe und Unregelmäßigkeiten für die Klarheit, die Schärfemaske und für alle Pyramiden-Wavelet-Prozesse. Zum Deaktivieren setzen Sie den Schieberegler auf Null. TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;Der Regler ‘Radius’ (Algorithmus des anpassbaren Filters) reduziert Lichthöfe und Unregelmäßigkeiten für Klarheit, Schärfemaske und Wavelets Jz des lokalen Kontrastes. +TP_LOCALLAB_CLARISOFT_TOOLTIP;Der Regler 'Radius' (Algorithmus des anpassbaren Filters) reduziert Lichthöfe und Unregelmäßigkeiten für die Klarheit, die Schärfemaske und für alle Pyramiden-Wavelet-Prozesse. Zum Deaktivieren setzen Sie den Schieberegler auf Null. TP_LOCALLAB_CLARITYML;Klarheit TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 bis 4 (einschließlich): 'Schärfemaske' ist aktiviert\nLevel 5 und darüber: 'Klarheit' ist aktiviert.\nHilfreich bei 'Wavelet - Tonwertkorrektur' -TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 bis 4 (einschließlich): ‘Schärfemaske’ ist aktiviert\nLevel 5 und darüber: 'Klarheit' ist aktiviert. TP_LOCALLAB_CLIPTM;Wiederhergestellte Daten beschneiden TP_LOCALLAB_COFR;Farbe und Licht -TP_LOCALLAB_COLOR_CIE;Farbkurve TP_LOCALLAB_COLORDE;Vorschau Farbe - Intensität (ΔE) TP_LOCALLAB_COLORDEPREV_TOOLTIP;Die Schaltfläche 'Vorschau ΔE' funktioniert nur, wenn Sie eines (und nur eines) der Werkzeuge im Menü 'Werkzeug zum aktuellen Spot hinzufügen' aktiviert haben.\nUm eine Vorschau von ΔE mit mehreren aktivierten Werkzeugen anzuzeigen, verwenden Sie 'Maske und Anpassungen' - Vorschau ΔE. TP_LOCALLAB_COLORDE_TOOLTIP;Zeigt eine blaue Farbvorschau für die ΔE-Auswahl an, wenn negativ, und grün, wenn positiv.\n\nMaske und Anpassungen (geänderte Bereiche ohne Maske anzeigen): Zeigt tatsächliche Änderungen an, wenn sie positiv sind, erweiterte Änderungen (nur Luminanz) mit Blau und Gelb, wenn sie negativ sind. TP_LOCALLAB_COLORSCOPE;Bereich (Farbwerkzeuge) TP_LOCALLAB_COLORSCOPE_TOOLTIP;Regler für Farbe, Licht, Schatten, Highlights und Dynamik.\nAndere Werkzeuge haben ihre eigenen Kontrollregler für den Anwendungsbereich. +TP_LOCALLAB_COLOR_CIE;Farbkurve TP_LOCALLAB_COLOR_TOOLNAME;Farbe und Licht TP_LOCALLAB_COL_NAME;Name TP_LOCALLAB_COL_VIS;Status @@ -2873,8 +2875,8 @@ TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;Um die Kurven zu aktivieren, setzen Sie das K TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tonkurve TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), kann mit L(H) in Farbe und Licht verwendet werden. TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal': die Kurve L=f(L) verwendet den selben Algorithmus wie der Helligkeitsregler. -TP_LOCALLAB_CURVNONE;Kurven deaktivieren TP_LOCALLAB_CURVES_CIE;Tonkurve +TP_LOCALLAB_CURVNONE;Kurven deaktivieren TP_LOCALLAB_DARKRETI;Dunkelheit TP_LOCALLAB_DEHAFRA;Dunst entfernen TP_LOCALLAB_DEHAZ;Intensität @@ -2882,14 +2884,14 @@ TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Entfernt atmosphärischen Dunst. Erhöht Sättigu TP_LOCALLAB_DEHAZ_TOOLTIP;Negative Werte fügen Dunst hinzu. TP_LOCALLAB_DELTAD;Ebenenbalance TP_LOCALLAB_DELTAEC;ΔE-Bildmaske +TP_LOCALLAB_DENOI1_EXP;Rauschreduzierung auf Luminanz-Maske +TP_LOCALLAB_DENOI2_EXP;Wiederherstellung auf Luminanz-Maske TP_LOCALLAB_DENOIBILAT_TOOLTIP;Ermöglicht Impulsrauschen zu reduzieren oder auch 'Salz-& Pfefferrauschen'. TP_LOCALLAB_DENOICHROC_TOOLTIP;Ermöglicht den Umgang mit Flecken und Rauschen. TP_LOCALLAB_DENOICHRODET_TOOLTIP;Ermöglicht die Wiederherstellung von Chrominanz-Details durch schrittweise Anwendung einer Fourier-Transformation (DCT). TP_LOCALLAB_DENOICHROF_TOOLTIP;Ermöglicht die Detailjustierung von Chrominanz-Rauschen TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Ermöglicht das Reduzieren von Chrominanz-Rauschen in Richtung Blau/Gelb oder Rot/Grün. TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Ermöglicht das Reduzieren von Rauschen entweder in den Schatten oder in den Lichtern. -TP_LOCALLAB_DENOI1_EXP;Rauschreduzierung auf Luminanz-Maske -TP_LOCALLAB_DENOI2_EXP;Wiederherstellung auf Luminanz-Maske TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Ermöglicht die Wiederherstellung von Luminanz-Details durch schrittweise Anwendung einer Fourier-Transformation (DCT). TP_LOCALLAB_DENOIMASK;Maske Farbrauschen reduzieren TP_LOCALLAB_DENOIMASK_TOOLTIP;Für alle Werkzeuge, ermöglicht die Kontrolle des chromatischen Rauschens der Maske.\nNützlich für eine bessere Kontrolle der Chrominanz und Vermeidung von Artefakten bei Verwendung der LC(h)-Kurve. @@ -2927,8 +2929,8 @@ TP_LOCALLAB_EXCLUF_TOOLTIP;Der 'Ausschlussmodus' verhindert, dass benachbarte Pu TP_LOCALLAB_EXCLUTYPE;Art des Spots TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Der normale Spot verwendet rekursive Daten.\n\nDer ausschließende Spot reinitialisiert alle lokalen Anpassungen.\nEr kann ganz oder partiell angewandt werden, um vorherige lokale Anpassungen zu relativieren oder zurückzusetzen.\n\n'Ganzes Bild' erlaubt lokale Anpassungen auf das gesamte Bild.\nDie RT Spot-Begrenzung wird außerhalb der Vorschau gesetzt.\nDer Übergangswert wird auf 100 gesetzt.\nMöglicherweise muss der RT-Spot neu positioniert oder in der Größe angepasst werden, um das erwünschte Ergebnis zu erzielen.\nAchtung: Die Anwendung von Rauschreduzierung, Wavelet oder schnelle Fouriertransformation im 'Ganzes Bild-Modus' benötigt viel Speicher und Rechenleistung und könnte bei schwachen Systemen zu unerwünschtem Abbruch oder Abstürzen führen. TP_LOCALLAB_EXECLU;Ausschließender Spot -TP_LOCALLAB_EXNORM;Normaler Spot TP_LOCALLAB_EXFULL;Gesamtes Bild +TP_LOCALLAB_EXNORM;Normaler Spot TP_LOCALLAB_EXPCBDL_TOOLTIP;Kann zur Entfernung von Sensorflecken oder Objektivfehlern verwendet werden, indem Kontrast auf der entsprechenden Detailebene verringert wird. TP_LOCALLAB_EXPCHROMA;Kompensation Farbsättigung TP_LOCALLAB_EXPCHROMA_TOOLTIP;In Verbindung mit 'Belichtungskorrektur' und 'Kontrastdämpfung' kann eine Entsättigung der Farben vermieden werden. @@ -2971,7 +2973,6 @@ TP_LOCALLAB_FFTWBLUR;Schnelle Fouriertransformation TP_LOCALLAB_FULLIMAGE;Schwarz-Ev und Weiß-Ev für das gesamte Bild TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Berechnet die Ev-Level für das gesamte Bild. TP_LOCALLAB_GAM;Gamma -TP_LOCALLAB_GAMW;Gamma (Wavelet Pyramiden) TP_LOCALLAB_GAMC;Gamma TP_LOCALLAB_GAMCOL_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten anwenden.\nWenn Gamma = 3 wird Luminanz 'linear' angewandt. TP_LOCALLAB_GAMC_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten vor und nach der Behandlung von Pyramide 1 und Pyramide 2 anwenden.\nWenn Gamma = 3 wird Luminanz linear angewandt. @@ -2980,6 +2981,7 @@ TP_LOCALLAB_GAMM;Gamma TP_LOCALLAB_GAMMASKCOL;Gamma TP_LOCALLAB_GAMMASK_TOOLTIP;'Gamma' und 'Bereich' erlauben eine weiche und artefaktfreie Transformation der Maske, indem 'L' schrittweise geändert wird, um Diskontinuitäten zu vermeiden. TP_LOCALLAB_GAMSH;Gamma +TP_LOCALLAB_GAMW;Gamma (Wavelet Pyramiden) TP_LOCALLAB_GRADANG;Rotationswinkel TP_LOCALLAB_GRADANG_TOOLTIP;Rotationswinkel in Grad: -180° 0° +180° TP_LOCALLAB_GRADFRA;Verlaufsfiltermaske @@ -3021,38 +3023,38 @@ TP_LOCALLAB_ISOGR;Verteilung (ISO) TP_LOCALLAB_JAB;Schwarz-Ev & Weiß-Ev verwenden TP_LOCALLAB_JABADAP_TOOLTIP;Vereinheitliche Wahrnehmungsanpassung.\nPasst automatisch das Verhältnis zwischen Jz und Sättigung unter Berücksichtigung der 'absoluten Leuchtdichte' an. TP_LOCALLAB_JZ100;Jz Referenz 100cd/m2 -TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb ist die relative Helligkeit des Hintergrunds, ausgedrückt als Prozentsatz von Grau. 18 % Grau entspricht einer Hintergrundhelligkeit von 50 %, ausgedrückt in CIE L.\nDie Daten basieren auf der mittleren Helligkeit des Bildes.\nBei Verwendung mit LOG-Kodierung wird die mittlere Helligkeit verwendet, um die erforderliche Verstärkung zu bestimmen, die dem Signal vor der LOG-Kodierung hinzugefügt werden muss. Niedrigere Werte der mittleren Helligkeit führen zu einer erhöhten Verstärkung. -TP_LOCALLAB_JZCLARILRES;Luma zusammenführen Jz +TP_LOCALLAB_JZ100_TOOLTIP;Passt automatisch den Referenz-Jz-Pegel von 100 cd/m2 (Bildsignal) an.\nÄndert den Sättigungspegel und die Aktion der 'PU-Anpassung' (Perceptual Uniform Adaption). +TP_LOCALLAB_JZADAP;PU Anpassung +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma TP_LOCALLAB_JZCLARICRES;Chroma zusammenführen Cz +TP_LOCALLAB_JZCLARILRES;Luma zusammenführen Jz +TP_LOCALLAB_JZCONT;Kontrast TP_LOCALLAB_JZFORCE;Erzwinge max. Jz auf 1 TP_LOCALLAB_JZFORCE_TOOLTIP;Ermöglicht, den Jz-Wert für eine bessere Regler- und Kurvenreaktion auf 1 anzuheben. +TP_LOCALLAB_JZFRA;Jz Cz Hz Bildanpassungen +TP_LOCALLAB_JZHFRA;Kurven Hz +TP_LOCALLAB_JZHJZFRA;Kurve Jz(Hz) +TP_LOCALLAB_JZHUECIE;Farbton +TP_LOCALLAB_JZLIGHT;Helligkeit +TP_LOCALLAB_JZLOG;LOG-Kodierung Jz +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Die Anpassungen von Schwarz-Ev und Weiß-Ev können unterschiedlich sein, je nachdem, ob LOG-Kodierung oder Sigmoid verwendet wird.\nFür Sigmoid kann eine Änderung (in den meisten Fällen eine Erhöhung) von Weiß-Ev erforderlich sein, um eine bessere Wiedergabe von Glanzlichtern, Kontrast und Sättigung zu erhalten. +TP_LOCALLAB_JZLOGWB_TOOLTIP;Wenn Auto aktiviert ist, werden die Ev-Werte und die 'mittlere Leuchtdichte Yb%' für den Spotbereich berechnet und angepasst. Die resultierenden Werte werden von allen Jz-Vorgängen verwendet, einschließlich 'LOG-Kodierung Jz'.\nBerechnet auch die absolute Leuchtdichte zum Zeitpunkt der Aufnahme. +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb ist die relative Helligkeit des Hintergrunds, ausgedrückt als Prozentsatz von Grau. 18 % Grau entspricht einer Hintergrundhelligkeit von 50 %, ausgedrückt in CIE L.\nDie Daten basieren auf der mittleren Helligkeit des Bildes.\nBei Verwendung mit LOG-Kodierung wird die mittlere Helligkeit verwendet, um die erforderliche Verstärkung zu bestimmen, die dem Signal vor der LOG-Kodierung hinzugefügt werden muss. Niedrigere Werte der mittleren Helligkeit führen zu einer erhöhten Verstärkung. TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (Modus 'Erweitert'). Nur funktionsfähig, wenn das Ausgabegerät (Monitor) HDR ist (Spitzenleuchtdichte höher als 100 cd/m2 - idealerweise zwischen 4000 und 10000 cd/m2. Schwarzpunktleuchtdichte unter 0,005 cd/m2). Dies setzt voraus, dass\na) das ICC-PCS für den Bildschirm Jzazbz (oder XYZ) verwendet,\nb) mit echter Präzision arbeitet,\nc) dass der Monitor kalibriert ist (möglichst mit einem DCI-P3- oder Rec-2020-Farbraum),\nd) dass das übliche Gamma (sRGB oder BT709) durch eine Perceptual Quantiser (PQ)-Funktion ersetzt wird. TP_LOCALLAB_JZPQFRA;Jz Zuordnung TP_LOCALLAB_JZPQFRA_TOOLTIP;Ermöglicht, den Jz-Algorithmus wie folgt an eine SDR-Umgebung oder an die Eigenschaften (Leistung) einer HDR-Umgebung anzupassen:\na) Bei Luminanzwerten zwischen 0 und 100 cd/m2 verhält sich das System so, als ob es sich in einer SDR-Umgebung befände .\nb) für Luminanzwerte zwischen 100 und 10000 cd/m2 können Sie den Algorithmus an die HDR-Eigenschaften des Bildes und des Monitors anpassen.\n\nWenn 'PQ - Peak Luminance' auf 10000 eingestellt ist, verhält sich 'Jz Zuordnung' genauso wie der ursprüngliche Jzazbz-Algorithmus. TP_LOCALLAB_JZPQREMAP;PQ - Peak Luminanz TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - ermöglicht die Änderung der internen PQ-Funktion (normalerweise 10000 cd/m2 - Standard 120 cd/m2).\nKann zur Anpassung an verschiedene Bilder, Prozesse und Geräte verwendet werden. -TP_LOCALLAB_JZ100_TOOLTIP;Passt automatisch den Referenz-Jz-Pegel von 100 cd/m2 (Bildsignal) an.\nÄndert den Sättigungspegel und die Aktion der 'PU-Anpassung' (Perceptual Uniform Adaption). -TP_LOCALLAB_JZADAP;PU Anpassung -TP_LOCALLAB_JZFRA;Jz Cz Hz Bildanpassungen -TP_LOCALLAB_JZLIGHT;Helligkeit -TP_LOCALLAB_JZCONT;Kontrast -TP_LOCALLAB_JZCH;Chroma -TP_LOCALLAB_JZCHROM;Chroma -TP_LOCALLAB_JZHFRA;Kurven Hz -TP_LOCALLAB_JZHJZFRA;Kurve Jz(Hz) -TP_LOCALLAB_JZHUECIE;Farbton -TP_LOCALLAB_JZLOGWB_TOOLTIP;Wenn Auto aktiviert ist, werden die Ev-Werte und die 'mittlere Leuchtdichte Yb%' für den Spotbereich berechnet und angepasst. Die resultierenden Werte werden von allen Jz-Vorgängen verwendet, einschließlich 'LOG-Kodierung Jz'.\nBerechnet auch die absolute Leuchtdichte zum Zeitpunkt der Aufnahme. -TP_LOCALLAB_JZLOGWBS_TOOLTIP;Die Anpassungen von Schwarz-Ev und Weiß-Ev können unterschiedlich sein, je nachdem, ob LOG-Kodierung oder Sigmoid verwendet wird.\nFür Sigmoid kann eine Änderung (in den meisten Fällen eine Erhöhung) von Weiß-Ev erforderlich sein, um eine bessere Wiedergabe von Glanzlichtern, Kontrast und Sättigung zu erhalten. +TP_LOCALLAB_JZQTOJ;Relative Helligkeit +TP_LOCALLAB_JZQTOJ_TOOLTIP;Ermöglicht die Verwendung von 'Relative Leuchtdichte' anstelle von 'Absolute Leuchtdichte'.\nDie Änderungen wirken sich auf: den Schieberegler 'Helligkeit', den Schieberegler 'Kontrast' und die Jz(Jz)-Kurve aus. TP_LOCALLAB_JZSAT;Sättigung TP_LOCALLAB_JZSHFRA;Schatten/Lichter Jz TP_LOCALLAB_JZSOFTCIE;Radius (anpassbarer Filter) -TP_LOCALLAB_JZTARGET_EV;Ansicht mittlere Helligkeit (Yb%) TP_LOCALLAB_JZSTRSOFTCIE;Intensität anpassbarer Filter -TP_LOCALLAB_JZQTOJ;Relative Helligkeit -TP_LOCALLAB_JZQTOJ_TOOLTIP;Ermöglicht die Verwendung von 'Relative Leuchtdichte' anstelle von 'Absolute Leuchtdichte'.\nDie Änderungen wirken sich auf: den Schieberegler 'Helligkeit', den Schieberegler 'Kontrast' und die Jz(Jz)-Kurve aus. +TP_LOCALLAB_JZTARGET_EV;Ansicht mittlere Helligkeit (Yb%) TP_LOCALLAB_JZTHRHCIE;Schwellenwert Chroma für Jz(Hz) TP_LOCALLAB_JZWAVEXP;Wavelet Jz -TP_LOCALLAB_JZLOG;LOG-Kodierung Jz TP_LOCALLAB_LABBLURM;Unschärfemaske TP_LOCALLAB_LABEL;Lokale Anpassungen TP_LOCALLAB_LABGRID;Farbkorrektur @@ -3092,19 +3094,19 @@ TP_LOCALLAB_LOG;LOG-Kodierung TP_LOCALLAB_LOG1FRA;CAM16 Bildkorrekturen TP_LOCALLAB_LOG2FRA;Betrachtungsbedingungen TP_LOCALLAB_LOGAUTO;Automatisch -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen, wenn die Schaltfläche 'Automatisch' in 'Relative Belichtungsebenen' gedrückt wird. TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen. +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen, wenn die Schaltfläche 'Automatisch' in 'Relative Belichtungsebenen' gedrückt wird. TP_LOCALLAB_LOGAUTO_TOOLTIP;Mit Drücken dieser Taste werden der 'Dynamikbereich' und die 'Mittlere Luminanz' für die Szenenbedingungen berechnet, wenn die Option 'Automatische mittlere Luminanz (Yb%)' aktiviert ist.\nBerechnet auch die absolute Luminanz zum Zeitpunkt der Aufnahme.\nDrücken Sie die Taste erneut, um die automatisch berechneten Werte anzupassen. TP_LOCALLAB_LOGBASE_TOOLTIP;Standard = 2.\nWerte unter 2 reduzieren die Wirkung des Algorithmus, wodurch die Schatten dunkler und die Glanzlichter heller werden.\nMit Werten über 2 sind die Schatten grauer und die Glanzlichter werden verwaschener. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Geschätzte Werte des Dynamik-Bereiches d.h. 'Schwarz-Ev' und 'Weiß-Ev' TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatische Anpassung ermöglicht, eine Farbe entsprechend ihrer räumlich-zeitlichen Umgebung zu interpretieren.\nNützlich, wenn der Weißabgleich weit von Referenz D50 entfernt ist.\nPasst Farben an das Leuchtmittel des Ausgabegeräts an. -TP_LOCALLAB_LOGCOLORFL;Buntheit (M) TP_LOCALLAB_LOGCIE;LOG-Kodierung statt Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Ermöglicht die Verwendung von 'Schwarz-Ev', 'Weiß-Ev', 'Szenen-Mittlere-Leuchtdichte (Yb%)' und 'sichtbare mittlere Leuchtdichte (Yb%)' für die Tonzuordnung mit 'LOG-Kodierung Q'. +TP_LOCALLAB_LOGCOLORFL;Buntheit (M) TP_LOCALLAB_LOGCOLORF_TOOLTIP;Wahrgenommene Intensität des Farbtones im Vergleich zu Grau.\nAnzeige, dass ein Reiz mehr oder weniger farbig erscheint. TP_LOCALLAB_LOGCONQL;Kontrast (Q) -TP_LOCALLAB_LOGCONTL;Kontrast (J) TP_LOCALLAB_LOGCONTHRES;Schwellenwert Kontrast (J & Q) +TP_LOCALLAB_LOGCONTL;Kontrast (J) TP_LOCALLAB_LOGCONTL_TOOLTIP;Der Kontrast (J) in CIECAM16 berücksichtigt die Zunahme der wahrgenommenen Färbung mit der Luminanz. TP_LOCALLAB_LOGCONTQ_TOOLTIP;Der Kontrast (Q) in CIECAM16 berücksichtigt die Zunahme der wahrgenommenen Färbung mit der Helligkeit. TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Passt den Kontrastbereich (J & Q) der Mitteltöne an.\nPositive Werte verringern den Effekt der Kontrastregler (J & Q) schrittweise. Negative Werte erhöhen den Effekt der Kontrastregler zunehmend. @@ -3144,52 +3146,52 @@ TP_LOCALLAB_MASKCOM_TOOLTIP;Ein eigenständiges Werkzeug.\nKann verwendet werden TP_LOCALLAB_MASKCURVE_TOOLTIP;Die 3 Kurven sind standardmäßig auf 1 (maximal) eingestellt:\nC=f(C) Die Farbintensität variiert je nach Chrominanz. Sie können die Chrominanz verringern, um die Auswahl zu verbessern. Wenn Sie diese Kurve nahe Null setzen (mit einem niedrigen Wert von C, um die Kurve zu aktivieren), können Sie den Hintergrund im inversen Modus entsättigen.\nL= f(L) Die Luminanz variiert je nach Luminanz, so dass Sie die Helligkeit verringern können um die Auswahl zu verbessern.\nL und C = f(H) Luminanz und Chrominanz variieren mit dem Farbton, sodass Sie Luminanz und Chrominanz verringern können, um die Auswahl zu verbessern. TP_LOCALLAB_MASKDDECAY;Zerfallrate TP_LOCALLAB_MASKDECAY_TOOLTIP;Verwaltet die Zerfallrate für die Graustufen in der Maske.\nZerfallrate = 1 linear\nZerfallrate > 1 schärfere parabolische Übergänge\nZerfallrate < 1 allmählichere Übergänge. -TP_LOCALLAB_MASKH;Farbtonkurve -TP_LOCALLAB_MASKLC_TOOLTIP;Auf diese Weise können Sie die Rauschreduzierung anhand der in der L(L)- oder LC(H)-Maske (Maske und Anpassungen) enthaltenen Luminanz-Informationen ausrichten.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\n'Luminanzschwelle Dunkle Bereiche': Wenn 'Rauschreduzierung in dunklen und hellen Bereichen verstärken' > 1, wird die Rauschreduzierung schrittweise von 0% bei den Schwellenwerteinstellungen auf 100% beim maximalen Schwarzwert (bestimmt durch die Maske) erhöht.\n'Luminanzschwelle Helle Bereiche': Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (bestimmt durch die Maske) verringert.\nIn dem Bereich zwischen den beiden Schwellenwerten werden die Einstellungen zur Rauschverminderung von der Maske nicht beeinflusst. +TP_LOCALLAB_MASKDEINV_TOOLTIP;Kehrt die Art und Weise um, wie der Algorithmus die Maske interpretiert.\nWenn aktiviert, werden Schwarz und sehr helle Bereiche verringert. TP_LOCALLAB_MASKDE_TOOLTIP;Wird verwendet, um die Rauschreduzierung als Funktion der in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen einzustellen.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nWenn die Maske unterhalb des Schwellenwertes 'dunkel' oder oberhalb des Schwellenwertes 'hell' liegt, wird die Rauschreduzierung schrittweise angewendet.\nDazwischen bleiben die Bildeinstellungen ohne Rauschreduzierung erhalten, es sei denn, die Regler 'Luminanz-Rauschreduzierung Graubereiche' oder 'Chrominanz-Rauschreduzierung Graubereiche' werden verändert. TP_LOCALLAB_MASKGF_TOOLTIP;Wird verwendet, um den anpassbaren Filter als Funktion der in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen auszurichten.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nBefindet sich die Maske unterhalb der 'dunklen' oder oberhalb der 'hellen' Schwelle, wird der anpassbare Filter schrittweise angewendet.\nZwischen diesen beiden Bereichen bleiben die Bildeinstellungen ohne anpassbaren Filter erhalten. -TP_LOCALLAB_MASKRECOL_TOOLTIP;Wird verwendet, um den Effekt der Farb- und Lichteinstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H) -Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Farbe und Licht geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Farbe und Licht angewendet. -TP_LOCALLAB_MASKREEXP_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für 'Dynamik und Belichtung' basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen 'Dynamik und Belichtung' geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für 'Dynamik und Belichtung' angewendet. -TP_LOCALLAB_MASKRESH_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Schatten/Lichter basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Schatten/Lichter geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Schatten/Lichter angewendet. -TP_LOCALLAB_MASKRESCB_TOOLTIP;Wird verwendet, um den Effekt der CBDL-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die CBDL-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der CBDL-Einstellungen angewendet. -TP_LOCALLAB_MASKRESRETI_TOOLTIP;Wird verwendet, um den Effekt der Retinex-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Retinex-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Retinex-Einstellungen angewendet. -TP_LOCALLAB_MASKRESTM_TOOLTIP;Wird verwendet, um den Effekt der Tonwertkorrektur-Einstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske müssen aktiviert sein, um diese Funktion zu verwenden.\nDie Bereiche 'dunkel' und 'hell' unterhalb des Dunkelschwellenwertes und oberhalb des Helligkeitsschwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen der Tonwertkorrektur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Einstellungswert der Tonwertkorrektur angewandt. -TP_LOCALLAB_MASKRESVIB_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Lebhaftigkeit und Warm/Kalt basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb des entsprechenden Schwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen Lebhaftigkeit und Farbtemperatur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Lebhaftigkeit und Warm/Kalt angewendet. -TP_LOCALLAB_MASKRESWAV_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für lokalen Kontrast und Wavelet basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für lokalen Kontrast und Wavelet geändert werden. Zwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für lokalen Kontrast und Wavelet angewendet. -TP_LOCALLAB_MASKRELOG_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für die LOG-Kodierung basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die LOG-Kodierungseinstellungen geändert werden - kann zur Rekonstruktion von Glanzlichtern durch Farbübertragung verwendet werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Protokoll-Kodierungseinstellungen angewendet. -TP_LOCALLAB_MASKDEINV_TOOLTIP;Kehrt die Art und Weise um, wie der Algorithmus die Maske interpretiert.\nWenn aktiviert, werden Schwarz und sehr helle Bereiche verringert. -TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Farbe und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast' (Wavelets).\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Schatten/Lichter' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKH;Farbtonkurve TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter der 'Detailebenenkontraste' (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen des Detailebenenkontrastes geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Farbe und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast' (Wavelets).\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (wie von der Maske festgelegt) verringert.\nEs können bestimmte Werkzeuge in 'Maske und Anpassungen' verwendet werden, um die Graustufen zu ändern: 'Strukturmaske' , 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und 'Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Dynamik und Belichtung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer Retinex-Parameter (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Retinex-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Schatten/Lichter' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Tone-Mapping-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma' , 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Farbtemperatur-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' , 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Lokalen Kontrast-' und 'Wavelet-Einstellungen' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Dynamik und Belichtung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Hellere Tonwertgrenze, oberhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (wie von der Maske festgelegt) verringert.\nEs können bestimmte Werkzeuge in 'Maske und Anpassungen' verwendet werden, um die Graustufen zu ändern: 'Strukturmaske' , 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und 'Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;Der anpassbare Filter wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (wie von der Maske festgelegt) verringert.\nEs können bestimmte Werkzeuge in 'Maske und Anpassungen' verwendet werden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLCTHR;Schwellenwert helle Bereiche TP_LOCALLAB_MASKLCTHR2;Schwelle helle Bereiche TP_LOCALLAB_MASKLCTHRLOW;Schwellenwert dunkle Bereiche TP_LOCALLAB_MASKLCTHRLOW2;Schwelle dunkle Bereiche +TP_LOCALLAB_MASKLCTHRMID;Luminanz Graubereiche +TP_LOCALLAB_MASKLCTHRMIDCH;Chrominanz Graubereiche +TP_LOCALLAB_MASKLC_TOOLTIP;Auf diese Weise können Sie die Rauschreduzierung anhand der in der L(L)- oder LC(H)-Maske (Maske und Anpassungen) enthaltenen Luminanz-Informationen ausrichten.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\n'Luminanzschwelle Dunkle Bereiche': Wenn 'Rauschreduzierung in dunklen und hellen Bereichen verstärken' > 1, wird die Rauschreduzierung schrittweise von 0% bei den Schwellenwerteinstellungen auf 100% beim maximalen Schwarzwert (bestimmt durch die Maske) erhöht.\n'Luminanzschwelle Helle Bereiche': Die Rauschreduzierung wird schrittweise von 100% bei der Schwellenwerteinstellung auf 0% beim maximalen Weißwert (bestimmt durch die Maske) verringert.\nIn dem Bereich zwischen den beiden Schwellenwerten werden die Einstellungen zur Rauschverminderung von der Maske nicht beeinflusst. TP_LOCALLAB_MASKLNOISELOW;In dunklen und hellen Bereichen verstärken -TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;Der anpassbare Filter wird schrittweise von 0% bei der Schwellenwerteinstellung auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma und Steigung', 'Kontrastkurve, ' Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Die Rauschreduzierung wird bei der Einstellung des Schwellenwertes schrittweise von 0% auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und ' Lokaler Kontrast(Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass in den 'Einstellungen' Hintergrundfarbmaske = 0 gesetzt ist. -TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch 'Farbe- und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelets)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Dynamik und Belichtung'-Einstellungen geändert werden.\nSie können die Grauwerte mit verschiedenen Werkzeugen in ‘Maske und Anpassungen’ ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Schatten - Lichter'-Einstellungen geändert werden.\n Sie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter der Detailebenenkontraste (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen des Detailebenenkontrastes geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch 'Farbe- und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelets)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Die Rauschreduzierung wird bei der Einstellung des Schwellenwertes schrittweise von 0% auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und ' Lokaler Kontrast(Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass in den 'Einstellungen' Hintergrundfarbmaske = 0 gesetzt ist. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Dynamik und Belichtung'-Einstellungen geändert werden.\nSie können die Grauwerte mit verschiedenen Werkzeugen in ‘Maske und Anpassungen’ ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer Retinex-Parameter (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Retinex-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Schatten - Lichter'-Einstellungen geändert werden.\n Sie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Tone-Mapping'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma' , 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Farbtemperatur' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Kontrast- und Wavelet'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLCTHRMID;Luminanz Graubereiche -TP_LOCALLAB_MASKLCTHRMIDCH;Chrominanz Graubereiche -TP_LOCALLAB_MASKUSABLE;Maske aktiviert (siehe Maske u. Anpassungen) -TP_LOCALLAB_MASKUNUSABLE;Maske deaktiviert (siehe Maske u. Anpassungen) +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;Der anpassbare Filter wird schrittweise von 0% bei der Schwellenwerteinstellung auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma und Steigung', 'Kontrastkurve, ' Lokaler Kontrast (Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKRECOL_TOOLTIP;Wird verwendet, um den Effekt der Farb- und Lichteinstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H) -Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Farbe und Licht geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Farbe und Licht angewendet. TP_LOCALLAB_MASKRECOTHRES;Schwellenwert Wiederherstellung +TP_LOCALLAB_MASKREEXP_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für 'Dynamik und Belichtung' basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen 'Dynamik und Belichtung' geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für 'Dynamik und Belichtung' angewendet. +TP_LOCALLAB_MASKRELOG_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für die LOG-Kodierung basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die LOG-Kodierungseinstellungen geändert werden - kann zur Rekonstruktion von Glanzlichtern durch Farbübertragung verwendet werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Protokoll-Kodierungseinstellungen angewendet. +TP_LOCALLAB_MASKRESCB_TOOLTIP;Wird verwendet, um den Effekt der CBDL-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die CBDL-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der CBDL-Einstellungen angewendet. +TP_LOCALLAB_MASKRESH_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Schatten/Lichter basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Schatten/Lichter geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Schatten/Lichter angewendet. +TP_LOCALLAB_MASKRESRETI_TOOLTIP;Wird verwendet, um den Effekt der Retinex-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Retinex-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Retinex-Einstellungen angewendet. +TP_LOCALLAB_MASKRESTM_TOOLTIP;Wird verwendet, um den Effekt der Tonwertkorrektur-Einstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske müssen aktiviert sein, um diese Funktion zu verwenden.\nDie Bereiche 'dunkel' und 'hell' unterhalb des Dunkelschwellenwertes und oberhalb des Helligkeitsschwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen der Tonwertkorrektur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Einstellungswert der Tonwertkorrektur angewandt. +TP_LOCALLAB_MASKRESVIB_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Lebhaftigkeit und Warm/Kalt basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb des entsprechenden Schwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen Lebhaftigkeit und Farbtemperatur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Lebhaftigkeit und Warm/Kalt angewendet. +TP_LOCALLAB_MASKRESWAV_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für lokalen Kontrast und Wavelet basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für lokalen Kontrast und Wavelet geändert werden. Zwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für lokalen Kontrast und Wavelet angewendet. +TP_LOCALLAB_MASKUNUSABLE;Maske deaktiviert (siehe Maske u. Anpassungen) +TP_LOCALLAB_MASKUSABLE;Maske aktiviert (siehe Maske u. Anpassungen) TP_LOCALLAB_MASK_TOOLTIP;Sie können mehrere Masken für ein Werkzeug aktivieren, indem Sie ein anderes Werkzeug aktivieren und nur die Maske verwenden (setzen Sie die Werkzeugregler auf 0).\n\nSie können den RT-Spot auch duplizieren und nahe am ersten Punkt platzieren. Die kleinen Abweichungen in den Punktreferenzen ermöglichen Feineinstellungen. TP_LOCALLAB_MED;Medium TP_LOCALLAB_MEDIAN;Median niedrig @@ -3237,15 +3239,15 @@ TP_LOCALLAB_MRTHR;Original Bild TP_LOCALLAB_MRTWO;Maske Short L-Kurve TP_LOCALLAB_MULTIPL_TOOLTIP;Weitbereichs-Toneinstellung: -18 EV bis + 4 EV. Der erste Regler wirkt auf sehr dunkle Töne zwischen -18 EV und -6 EV. Der letzte Regler wirkt auf helle Töne bis zu 4 EV. TP_LOCALLAB_NEIGH;Radius -TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detailwiederherstellung' basiert auf einer Laplace-Transformation, um einheitliche Bereiche und keine Bereiche mit Details zu erfassen. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewandt. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Passt die Intensität der Rauschreduzierung an die Größe der zu verarbeitenden Objekte an. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Höhere Werte erhöhen die Rauschreduzierung auf Kosten der Verarbeitungszeit. -TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewandt. +TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detailwiederherstellung' basiert auf einer Laplace-Transformation, um einheitliche Bereiche und keine Bereiche mit Details zu erfassen. +TP_LOCALLAB_NLDET;Detailwiederherstellung TP_LOCALLAB_NLFRA;Nicht-lokales Mittel - Luminanz TP_LOCALLAB_NLFRAME_TOOLTIP;Nicht-lokales Mittel bedeutet, dass bei der Rauschreduzierung ein Mittelwert aller Pixel im Bild verwendet wird, gewichtet danach, wie ähnlich sie dem Zielpixel sind.\nReduziert den Detailverlust im Vergleich zu lokalen Mittelwertalgorithmen.\nBei dieser Methode wird nur das Luminanz-Rauschen berücksichtigt. Chrominanz-Rauschen wird am besten mit Wavelets und Fourier-Transformationen (DCT) verarbeitet.\nKann in Verbindung mit 'Luminanz-Rauschreduzierung nach Ebenen' oder alleine verwendet werden. -TP_LOCALLAB_NLLUM;Intensität -TP_LOCALLAB_NLDET;Detailwiederherstellung TP_LOCALLAB_NLGAM;Gamma +TP_LOCALLAB_NLLUM;Intensität TP_LOCALLAB_NLPAT;Maximale Objektgröße TP_LOCALLAB_NLRAD;Maximaler Radius TP_LOCALLAB_NOISECHROCOARSE;Grobe Chrominanz @@ -3278,27 +3280,27 @@ TP_LOCALLAB_PREVHIDE;Mehr Einstellungen ausblenden TP_LOCALLAB_PREVIEW;Vorschau ΔE TP_LOCALLAB_PREVSHOW;Mehr Einstellungen einblenden TP_LOCALLAB_PROXI;Zerfallrate (ΔE) +TP_LOCALLAB_QUAAGRES;Aggressiv +TP_LOCALLAB_QUACONSER;Konservativ TP_LOCALLAB_QUALCURV_METHOD;Kurventyp TP_LOCALLAB_QUAL_METHOD;Globale Qualität -TP_LOCALLAB_QUACONSER;Konservativ -TP_LOCALLAB_QUAAGRES;Aggressiv -TP_LOCALLAB_QUANONEWAV;Nur nicht-lokales Mittel TP_LOCALLAB_QUANONEALL;Aus +TP_LOCALLAB_QUANONEWAV;Nur nicht-lokales Mittel TP_LOCALLAB_RADIUS;Radius TP_LOCALLAB_RADIUS_TOOLTIP;Verwendet eine schnelle Fouriertransformation bei Radius > 30 TP_LOCALLAB_RADMASKCOL;Glättradius -TP_LOCALLAB_RECT;Rechteck TP_LOCALLAB_RECOTHRES02_TOOLTIP;Wenn der Wert 'Wiederherstellungsschwelle' > 1 ist, berücksichtigt die Maske in 'Maske und Anpassungen' alle vorherigen Änderungen am Bild aber nicht die mit dem aktuellen Werkzeug (z.B. Farbe und Licht, Wavelet, Cam16 usw.).\nWenn der Wert der 'Wiederherstellungsschwelle' < 1 ist, berücksichtigt die Maske in 'Maske und Anpassungen' keine vorherigen Änderungen am Bild.\n\nIn beiden Fällen wirkt der 'Wiederherstellungsschwellenwert' auf das maskierte Bild modifiziert durch das aktuelle Tool (Farbe und Licht, Wavelet, CAM16 usw.). +TP_LOCALLAB_RECT;Rechteck TP_LOCALLAB_RECURS;Referenzen rekursiv TP_LOCALLAB_RECURS_TOOLTIP;Erzwingt, dass der Algorithmus die Referenzen neu berechnet, nachdem jedes Werkzeug angewendet wurde.\nAuch hilfreich bei der Arbeit mit Masken. TP_LOCALLAB_REN_DIALOG_LAB;Neuer Spot Name TP_LOCALLAB_REN_DIALOG_NAME;Spot umbenennen -TP_LOCALLAB_REPARW_TOOLTIP;Ermöglicht, die relative Stärke des'Lokalen Kontrasts' und der 'Wavelets' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPARCOL_TOOLTIP;Ermöglicht, die relative Stärke von 'Farbe und Licht' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPARDEN_TOOLTIP;Ermöglicht, die relative Stärke der 'Rauschreduzierung' in Bezug auf das Originalbild anzupassen. -TP_LOCALLAB_REPARSH_TOOLTIP;Ermöglicht, die relative Stärke von 'Schatten/Lichter' und 'Tonwert' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPAREXP_TOOLTIP;Ermöglicht, die relative Stärke von 'Dynamik und und Belichtung' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARSH_TOOLTIP;Ermöglicht, die relative Stärke von 'Schatten/Lichter' und 'Tonwert' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPARTM_TOOLTIP;Ermöglicht, die relative Stärke des 'Tone-Mappings' in Bezug auf das Originalbild anzupassen. +TP_LOCALLAB_REPARW_TOOLTIP;Ermöglicht, die relative Stärke des'Lokalen Kontrasts' und der 'Wavelets' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_RESETSHOW;Alle sichtbaren Änderungen zurücksetzen TP_LOCALLAB_RESID;Restbild TP_LOCALLAB_RESIDBLUR;Unschärfe Restbild @@ -3393,13 +3395,13 @@ TP_LOCALLAB_SHOWVI;Maske und Anpassungen TP_LOCALLAB_SHRESFRA;Schatten/Lichter & TRC TP_LOCALLAB_SHTRC_TOOLTIP;Basierend auf den (bereitgestellten) 'Arbeitsprofil'(en) werden die Farbtöne des Bildes geändert, indem das Arbeitsprofil auf eine Farbtonkennlinie einwirkt. \n'Gamma' wirkt hauptsächlich auf helle Töne.\n'Steigung' wirkt hauptsächlich auf dunkle Töne.\nEs wird empfohlen, die Farbtonkennlinie beider Geräte (Monitor- und Ausgabeprofil) auf sRGB (Standard) zu setzen. TP_LOCALLAB_SH_TOOLNAME;Schatten/Lichter - Equalizer -TP_LOCALLAB_SIGMAWAV;Dämpfungsreaktion TP_LOCALLAB_SIGFRA;Sigmoid Q & LOG-Kodierung Q TP_LOCALLAB_SIGJZFRA;Sigmoid Jz -TP_LOCALLAB_SIGMOIDLAMBDA;Kontrast -TP_LOCALLAB_SIGMOIDTH;Schwellenwert (Graupunkt) +TP_LOCALLAB_SIGMAWAV;Dämpfungsreaktion TP_LOCALLAB_SIGMOIDBL;Überlagern +TP_LOCALLAB_SIGMOIDLAMBDA;Kontrast TP_LOCALLAB_SIGMOIDQJ;Schwarz-Ev und Weiß-Ev verwenden +TP_LOCALLAB_SIGMOIDTH;Schwellenwert (Graupunkt) TP_LOCALLAB_SIGMOID_TOOLTIP;Ermöglicht, ein Tone-Mapping-Erscheinungsbild zu simulieren, indem sowohl die 'CIECAM' (oder 'Jz') als auch die 'Sigmoid'-Funktion verwendet werden. Drei Schieberegler:\na) 'Kontrast' wirkt sich auf die Form der Sigmoidkurve und folglich auf die Stärke aus;\nb) 'Schwellenwert' (Graupunkt) verteilt die Aktion entsprechend der Leuchtdichte;\nc) 'Überlagern' wirkt sich auf den endgültigen Aspekt des Bildes, Kontrast und Leuchtdichte aus. TP_LOCALLAB_SIM;Einfach TP_LOCALLAB_SLOMASKCOL;Steigung @@ -3479,10 +3481,10 @@ TP_LOCALLAB_WARM_TOOLTIP;Dieser Regler verwendet den CIECAM-Algorithmus und fung TP_LOCALLAB_WASDEN_TOOLTIP;Reduzierung des Luminanz-Rauschens: Die linke Seite der Kurve einschließlich der dunkelgrauen/hellgrauen Grenze entspricht den ersten 3 Stufen 0, 1, 2 (feines Detail). Die rechte Seite der Kurve entspricht den gröberen Details (Ebene 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Gleicht die Aktion innerhalb jeder Ebene an. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;Die Standardeinstellung für Unschärfe wirkt sich auf alle 3 L*a*b* -Komponenten (Luminanz und Farbe) aus.\nWenn diese Option aktiviert ist, wird nur die Luminanz unscharf. -TP_LOCALLAB_WAT_CLARIC_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt. -TP_LOCALLAB_WAT_CLARIL_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt. TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. +TP_LOCALLAB_WAT_CLARIC_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt. TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma Ebenen': Passt die 'a'- und 'b'- Komponenten von L*a*b* als Anteil des Luminanzwertes an. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Durch den Versatz wird die Balance zwischen kontrastarmen und kontrastreichen Details geändert.\nHohe Werte verstärken die Kontraständerungen zu den kontrastreicheren Details, während niedrige Werte die Kontraständerungen zu kontrastarmen Details verstärken.\nMit Verwendung eines geringeren Wertes der 'Dämpfungsreaktion' kann bestimmt werden, welche Kontrastwerte verbessert werden sollen. TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;Durch Bewegen des Reglers nach links werden die unteren Ebenen akzentuiert. Nach Rechts werden die niedrigeren Ebenen reduziert und die höheren Ebenen akzentuiert. @@ -3545,7 +3547,6 @@ TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Form:\n0 = Rechteck\n50 = Ellipse\n100 = Kreis TP_PCVIGNETTE_STRENGTH;Intensität TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filterstärke in Blendenstufen (bezogen auf die Bildecken). TP_PDSHARPENING_LABEL;Eingangsschärfung -TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Es werden mindestens zwei horizontale oder zwei vertikale Kontroll-Linien benötigt. TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop-Faktor TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Fokale Länge TP_PERSPECTIVE_CAMERA_FRAME;Korrektur @@ -3556,6 +3557,7 @@ TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertikale Verschiebung TP_PERSPECTIVE_CAMERA_YAW;Horizontal TP_PERSPECTIVE_CONTROL_LINES;Kontroll-Linien TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Strg+ziehen: Zeichne neue Linien (mind. 2)\nRechts-Klick: Lösche Linie +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Es werden mindestens zwei horizontale oder zwei vertikale Kontroll-Linien benötigt. TP_PERSPECTIVE_HORIZONTAL;Horizontal TP_PERSPECTIVE_LABEL;Perspektive TP_PERSPECTIVE_METHOD;Methode @@ -3589,12 +3591,6 @@ TP_PREPROCWB_LABEL;Vorverarbeitung Weißabgleich TP_PREPROCWB_MODE;Modus TP_PREPROCWB_MODE_AUTO;Auto TP_PREPROCWB_MODE_CAMERA;Kamera -TC_PRIM_BLUX;Bx -TC_PRIM_BLUY;By -TC_PRIM_GREX;Gx -TC_PRIM_GREY;Gy -TC_PRIM_REDX;Rx -TC_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;Nach Skalierung schärfen TP_PRSHARPENING_TOOLTIP;Schärft das Bild nach der Größenänderung.\nFunktioniert nur mit der Methode 'Lanczos'.\nDas Ergebnis wird nicht in RawTherapee\nangezeigt.\n\nWeitere Informationen finden Sie auf 'RawPedia'. TP_RAWCACORR_AUTO;Autokorrektur @@ -3703,9 +3699,9 @@ TP_RESIZE_LONG;Lange Kante TP_RESIZE_METHOD;Methode: TP_RESIZE_NEAREST;Nächster Nachbar TP_RESIZE_SCALE;Maßstab -TP_RESIZE_SPECIFY;Basierend auf: TP_RESIZE_SE;Kurze Kante: TP_RESIZE_SHORT;Kurze Kante +TP_RESIZE_SPECIFY;Basierend auf: TP_RESIZE_W;Breite: TP_RESIZE_WIDTH;Breite TP_RETINEX_CONTEDIT_HSL;HSL-Kurve @@ -4186,4 +4182,6 @@ ZOOMPANEL_ZOOM100;Zoom 100%\nTaste: z ZOOMPANEL_ZOOMFITCROPSCREEN;Ausschnitt an Bildschirm anpassen.\nTaste: f ZOOMPANEL_ZOOMFITSCREEN;An Bildschirm anpassen.\nTaste: Alt + f ZOOMPANEL_ZOOMIN;Hineinzoomen\nTaste: + -ZOOMPANEL_ZOOMOUT;Herauszoomen\nTaste: - \ No newline at end of file +ZOOMPANEL_ZOOMOUT;Herauszoomen\nTaste: - +//HISTORY_MSG_1099;(Lokal) - Hz(Hz)-Kurve + diff --git a/rtdata/languages/English (UK) b/rtdata/languages/English (UK) index a9f59a8b6..622ae996d 100644 --- a/rtdata/languages/English (UK) +++ b/rtdata/languages/English (UK) @@ -3,16 +3,16 @@ FILEBROWSER_COLORLABEL_TOOLTIP;Colour label.\n\nUse dropdown menu or shortcuts:\ FILEBROWSER_POPUPCOLORLABEL;Colour label FILEBROWSER_SHOWUNCOLORHINT;Show images without a colour label.\nShortcut: Alt-0 FILECHOOSER_FILTER_COLPROF;Colour profiles (*.icc) -HISTORY_MSG_46;Colour denoising HISTORY_MSG_69;Working colour space HISTORY_MSG_70;Output colour space HISTORY_MSG_71;Input colour space HISTORY_MSG_111;L*a*b* - Avoid colour shift HISTORY_MSG_115;False colour suppression HISTORY_MSG_155;Vib - Avoid colour shift -HISTORY_MSG_191;CAM02 - Colourfulness (M) -HISTORY_MSG_197;CAM02 - Colour curve -HISTORY_MSG_198;CAM02 - Colour curve +HISTORY_MSG_174;Colour Appearance & Lighting +HISTORY_MSG_191;CAL - IA - Colourfulness (M) +HISTORY_MSG_197;CAL - IA - Colour curve +HISTORY_MSG_198;CAL - IA - Colour curve mode HISTORY_MSG_203;NR - Colour space HISTORY_MSG_221;B&W - Colour filter HISTORY_MSG_240;GF - Centre @@ -21,19 +21,74 @@ HISTORY_MSG_257;Colour Toning HISTORY_MSG_258;CT - Colour curve HISTORY_MSG_273;CT - Colour Balance SMH HISTORY_MSG_322;W - Gamut - Avoid colour shift -HISTORY_MSG_385;W - Residual - Colour Balance -HISTORY_MSG_392;W - Residual - Colour Balance +HISTORY_MSG_385;W - Residual - Colour balance +HISTORY_MSG_392;W - Residual - Colour balance HISTORY_MSG_419;Retinex - Colour space +HISTORY_MSG_507;Local Spot centre +HISTORY_MSG_516;Local - Colour and light +HISTORY_MSG_527;Local - Colour Inverse +HISTORY_MSG_542;Local - Vib avoid colourshift +HISTORY_MSG_591;Local - Avoid colour shift +HISTORY_MSG_607;Local - Colour Mask C +HISTORY_MSG_608;Local - Colour Mask L +HISTORY_MSG_611;Local - Colour Mask H +HISTORY_MSG_612;Local - Colour Structure +HISTORY_MSG_615;Local - Blend colour +HISTORY_MSG_618;Local - Use Colour Mask +HISTORY_MSG_624;Local - Colour correction grid +HISTORY_MSG_625;Local - Colour correction strength +HISTORY_MSG_626;Local - Colour correction Method +HISTORY_MSG_634;Local - radius colour +HISTORY_MSG_650;Local - Colour mask chroma +HISTORY_MSG_651;Local - Colour mask gamma +HISTORY_MSG_652;Local - Colour mask slope +HISTORY_MSG_656;Local - Colour soft radius +HISTORY_MSG_760;Local - Colour Laplacian mask +HISTORY_MSG_770;Local - Colour Mask contrast curve +HISTORY_MSG_779;Local - Colour Mask local contrast curve +HISTORY_MSG_780;Local - Colour Mask shadows +HISTORY_MSG_783;Local - Colour Wavelet levels +HISTORY_MSG_799;Local - Colour RGB ToneCurve +HISTORY_MSG_800;Local - Colour ToneCurve Method +HISTORY_MSG_801;Local - Colour ToneCurve Special +HISTORY_MSG_803;Local - Colour Merge +HISTORY_MSG_804;Local - Colour mask Structure +HISTORY_MSG_806;Local - Colour mask Structure as tool +HISTORY_MSG_808;Local - Colour mask curve H(H) +HISTORY_MSG_821;Local - colour grid background +HISTORY_MSG_822;Local - colour background merge +HISTORY_MSG_823;Local - colour background luminance +HISTORY_MSG_830;Local - Colour gradient strength L +HISTORY_MSG_831;Local - Colour gradient angle +HISTORY_MSG_832;Local - Colour gradient strength C +HISTORY_MSG_834;Local - Colour gradient strength H +HISTORY_MSG_894;Local - Colour Preview dE +HISTORY_MSG_925;Local - Scope colour tools +HISTORY_MSG_928;Local - Common colour mask +HISTORY_MSG_980;Local - Log encoding Colourfulness M +HISTORY_MSG_996;Local - Colour recovery threshold +HISTORY_MSG_997;Local - Colour threshold mask low +HISTORY_MSG_998;Local - Colour threshold mask high +HISTORY_MSG_999;Local - Colour decay +HISTORY_MSG_1045;Local - Colour and Light strength +HISTORY_MSG_1055;Local - Colour and Light gamma +HISTORY_MSG_1070;Local - CIECAM colourfullness +HISTORY_MSG_1107;Local - CIECAM Colour method +HISTORY_MSG_1108;Local - CIECAM Colour curve HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colours HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Colour correction HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Colour correction +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative colour space +HISTORY_MSG_HLBL;Colour propagation - blur HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid colour shift HISTORY_MSG_SH_COLORSPACE;S/H - Colourspace +HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colours MAIN_TAB_COLOR;Colour MAIN_TOOLTIP_BACKCOLOR0;Background colour of the preview: theme-based\nShortcut: 9 MAIN_TOOLTIP_BACKCOLOR1;Background colour of the preview: black\nShortcut: 9 MAIN_TOOLTIP_BACKCOLOR2;Background colour of the preview: white\nShortcut: 9 MAIN_TOOLTIP_BACKCOLOR3;Background colour of the preview: middle grey\nShortcut: 9 +PARTIALPASTE_COLORAPP;Colour Appearance & Lighting PARTIALPASTE_COLORGROUP;Colour Related Settings PARTIALPASTE_COLORTONING;Colour toning PARTIALPASTE_ICMSETTINGS;Colour management settings @@ -47,14 +102,14 @@ PREFERENCES_BEHAVIOR;Behaviour PREFERENCES_ICCDIR;Directory containing colour profiles PREFERENCES_INTENT_ABSOLUTE;Absolute Colourimetric PREFERENCES_INTENT_RELATIVE;Relative Colourimetric -PREFERENCES_MENUGROUPLABEL;Group "Colour label" +PREFERENCES_MENUGROUPLABEL;Group 'Colour label' PREFERENCES_MONPROFILE;Default colour profile PREFERENCES_PRTPROFILE;Colour profile PREFERENCES_TAB_COLORMGR;Colour Management SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colours with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Colour Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. TOOLBAR_TOOLTIP_COLORPICKER;Lockable Colour Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. -TOOLBAR_TOOLTIP_STRAIGHTEN;Straighten / fine rotation.\nShortcut: s\n\nIndicate the vertical or horizontal by drawing a guide line over the image preview. Angle of rotation will be shown next to the guide line. Centre of rotation is the geometrical centre of the image. +TOOLBAR_TOOLTIP_STRAIGHTEN;Straighten / fine rotation.\nShortcut: s\n\nIndicate the vertical or horizontal by drawing a guide line over the image. Angle of rotation will be shown next to the guide line. Centre of rotation is the geometrical centre of the image. TP_BWMIX_CC_ENABLED;Adjust complementary colour TP_BWMIX_CC_TOOLTIP;Enable to allow automatic adjustment of complementary colours in ROYGCBPM mode. TP_BWMIX_CURVEEDITOR_BEFORE_TOOLTIP;Tone curve, just before B&W conversion.\nMay take into account the colour components. @@ -64,23 +119,30 @@ TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attent TP_COLORAPP_ALGO_QM;Brightness + Colourfulness (QM) TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly coloured) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. TP_COLORAPP_CHROMA_M;Colourfulness (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;Colourfulness in CIECAM02 differs from L*a*b* and RGB colourfulness. +TP_COLORAPP_CHROMA_M_TOOLTIP;Colourfulness in CIECAM is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less coloured. +TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the colour of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. +TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the colour of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. TP_COLORAPP_CURVEEDITOR3;Colour curve -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colourfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of C, s or M after CIECAM02.\n\nC, s and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -TP_COLORAPP_LABEL;CIE Colour Appearance Model 2002 -TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colours to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colourfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Colour Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM colour appearance models, which were designed to better simulate how human vision perceives colours under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each colour and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a colour described as red, green, blue and yellow. +TP_COLORAPP_LABEL;Colour Appearance & Lighting +TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colours to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colours to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. TP_COLORAPP_TCMODE_COLORF;Colourfulness -TP_COLORTONING_COLOR;Colour +TP_COLORTONING_COLOR;Colour: TP_COLORTONING_LABEL;Colour Toning TP_COLORTONING_LABGRID;L*a*b* colour correction grid TP_COLORTONING_LABREGIONS;Colour correction regions TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change colour (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. -TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated colour blending.\n"Colour balance (Shadows/Midtones/Highlights)" and "Saturation 2 colours" use direct colours.\n\nThe Black-and-White tool can be enabled when using any colour toning method, which allows for colour toning. +TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated colour blending.\n'Colour balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colours' use direct colours.\n\nThe Black-and-White tool can be enabled when using any colour toning method, which allows for colour toning. TP_COLORTONING_SPLITCOCO;Colour Balance Shadows/Midtones/Highlights TP_COLORTONING_SPLITLR;Saturation 2 colours TP_COLORTONING_TWO2;Special chroma '2 colours' TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colours:\nMore predictable. -TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and centre to the preview size and centre you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +TP_CROP_GTCENTEREDSQUARE;Centreed square +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and centre to the preview size and centre you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Preview size=%1, Centre: Px=%2 Py=%3 TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Tile size=%1, Centre: Tx=%2 Ty=%3 TP_DIRPYRDENOISE_MAIN_COLORSPACE;Colour space @@ -88,7 +150,11 @@ TP_DIRPYREQUALIZER_ALGO;Skin Colour Range TP_DIRPYREQUALIZER_ALGO_TOOLTIP;Fine: closer to the colours of the skin, minimizing the action on other colours\nLarge: avoid more artifacts. TP_DIRPYREQUALIZER_TOOLTIP;Attempts to reduce artifacts in the transitions between skin colours (hue, chroma, luma) and the rest of the image. TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colours -TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no colour) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +TP_FILMNEGATIVE_COLORSPACE;Inversion colour space: +TP_FILMNEGATIVE_COLORSPACE_INPUT;Input colour space +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the colour space used to perform the negative inversion:\nInput colour space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking colour space : perform inversion after input profile, using the currently selected working profile. +TP_FILMNEGATIVE_COLORSPACE_WORKING;Working colour space +TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no colour) in the original scene. The patches should differ in brightness. TP_GRADIENT_CENTER;Centre TP_GRADIENT_CENTER_X;Centre X TP_GRADIENT_CENTER_Y;Centre Y @@ -99,24 +165,112 @@ TP_ICM_INPUTCUSTOM_TOOLTIP;Select your own DCP/ICC colour profile file for the c TP_ICM_INPUTEMBEDDED_TOOLTIP;Use colour profile embedded in non-raw files. TP_ICM_INPUTNONE_TOOLTIP;Use no input colour profile at all.\nUse only in special cases. TP_ICM_LABEL;Colour Management +TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different colour mode for an image, you permanently change the colour values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic colour adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). TP_LABCURVE_AVOIDCOLORSHIFT;Avoid colour shift -TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colours into gamut of the working colour space and apply Munsell correction. +TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colours into gamut of the working colour space and apply Munsell correction (Uniform Perceptual Lab). +TP_LOCALLAB_ADJ;Equalizer Colour +TP_LOCALLAB_AVOID;Avoid colour shift +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colours into gamut of the working colour space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +TP_LOCALLAB_BLWH_TOOLTIP;Force colour components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +TP_LOCALLAB_CENTER_X;Centre X +TP_LOCALLAB_CENTER_Y;Centre Y +TP_LOCALLAB_CIE;Colour appearance (Cam16 & JzCzHz) +TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM colour appearance model which was designed to better simulate how human vision perceives colours under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +TP_LOCALLAB_CIECOLORFRA;Colour +TP_LOCALLAB_CIE_TOOLNAME;Colour appearance (Cam16 & JzCzHz) +TP_LOCALLAB_COFR;Colour & Light +TP_LOCALLAB_COLORDE;ΔE preview colour - intensity +TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue colour preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +TP_LOCALLAB_COLORSCOPE;Scope (colour tools) +TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Colour and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +TP_LOCALLAB_COLOR_CIE;Colour curve +TP_LOCALLAB_COLOR_TOOLNAME;Colour & Light +TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colourful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colourful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Colour and Light. +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove colour casts, but may also introduce a blue cast which can be corrected with other tools. +TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colours. +TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on colour (ΔE).\nMinimum RT-spot size: 128x128. +TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colours.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colours. +TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust colour, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low colour gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Colour and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a colour and luminance background (fewer possibilties). +TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Colour, Luminosity are concerned by Merge background (ΔE). +TP_LOCALLAB_GRIDMETH_TOOLTIP;Colour toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Colour toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +TP_LOCALLAB_GRIDONE;Colour Toning +TP_LOCALLAB_LABGRID;Colour correction grid +TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a colour according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colours to the illuminant of the output device. +TP_LOCALLAB_LOGCOLORFL;Colourfulness (M) +TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less coloured. +TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived colouration with luminance. +TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived colouration with brightness. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colourfulness (M) (in Advanced mode). +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived colouration. +TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the colour of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colours to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +TP_LOCALLAB_LUMASK;Background colour/luma mask +TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or colour of the mask background in Show Mask (Mask and modifications). +TP_LOCALLAB_MASKCOM;Common Colour Mask +TP_LOCALLAB_MASKCOM_TOOLNAME;Common Colour Mask +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Colour and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colourpicker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Colour and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable colour picker' on the mask to see which areas will be affected. Make sure you set 'Background colour mask' = 0 in Settings. +TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Colour and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Colour and Light settings \n In between these two areas, the full value of the Colour and Light settings will be applied. +TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Colour propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +TP_LOCALLAB_MERCOL;Colour +TP_LOCALLAB_MERFOR;Colour Dodge +TP_LOCALLAB_MERTHI;Colour Burn +TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Colour and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Colour and Light, Wavelet, Cam16, etc.). +TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Colour and Light image with respect to the original image. +TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colourfulness sliders. +TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colours to be excluded. +TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the centre of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colours similar to those in the centre of the spot.\nHigh values let the tool act on a wider range of colours. +TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular colour). +TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Colour & Light). +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Colour & Light). +TP_LOCALLAB_WARM;Warm/Cool & Colour artifacts +TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the colour temperature of the selected area warmer or cooler.\nIt can also reduce colour artifacts in some cases. TP_PCVIGNETTE_FEATHER_TOOLTIP;Feathering:\n0 = corners only,\n50 = halfway to centre,\n100 = to centre. TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Controls defringe strength by colour.\nHigher = more,\nLower = less. TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid colour shift TP_RAW_FALSECOLOR;False colour suppression steps TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta colour cast in overexposed areas or enable motion correction. TP_RGBCURVES_LUMAMODE_TOOLTIP;Luminosity mode allows to vary the contribution of R, G and B channels to the luminosity of the image, without altering image colour. +TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its centre then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. TP_VIBRANCE_AVOIDCOLORSHIFT;Avoid colour shift TP_VIGNETTING_CENTER;Centre TP_VIGNETTING_CENTER_X;Centre X TP_VIGNETTING_CENTER_Y;Centre Y TP_WAVELET_AVOID;Avoid colour shift -TP_WAVELET_CBENAB;Toning and Colour Balance -TP_WAVELET_CB_TOOLTIP;For strong values product colour-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +TP_WAVELET_BALCHROM;Equalizer Colour +TP_WAVELET_CBENAB;Toning and Colour balance TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colours.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. +TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the colour. TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centreed on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. -TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. +TP_WAVELET_TONFRAME;Excluded colours +TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. !!!!!!!!!!!!!!!!!!!!!!!!! ! Untranslated keys follow; remove the ! prefix after an entry is translated. @@ -142,7 +296,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !CURVEEDITOR_HIGHLIGHTS;Highlights !CURVEEDITOR_LIGHTS;Lights !CURVEEDITOR_LINEAR;Linear -!CURVEEDITOR_LOADDLGLABEL;Load curve... +!CURVEEDITOR_LOADDLGLABEL;Load curve !CURVEEDITOR_MINMAXCPOINTS;Equalizer !CURVEEDITOR_NURBS;Control cage !CURVEEDITOR_PARAMETRIC;Parametric @@ -159,7 +313,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -219,7 +373,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !EXPORT_MAXHEIGHT;Maximum height: !EXPORT_MAXWIDTH;Maximum width: !EXPORT_PIPELINE;Processing pipeline -!EXPORT_PUTTOQUEUEFAST; Put to queue for fast export +!EXPORT_PUTTOQUEUEFAST;Put to queue for fast export !EXPORT_RAW_DMETHOD;Demosaic method !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. @@ -230,7 +384,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !FILEBROWSER_APPLYPROFILE_PARTIAL;Apply - partial !FILEBROWSER_AUTODARKFRAME;Auto dark-frame !FILEBROWSER_AUTOFLATFIELD;Auto flat-field -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_BROWSEPATHHINT;Type a path to navigate to.\n\nKeyboard shortcuts:\nCtrl-o to focus to the path text box.\nEnter / Ctrl-Enter to browse there;\nEsc to clear changes.\nShift-Esc to remove focus.\n\nPath shortcuts:\n~ - user's home directory.\n! - user's pictures directory !FILEBROWSER_CACHE;Cache !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -262,6 +416,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !FILEBROWSER_POPUPCOLORLABEL5;Label: Purple !FILEBROWSER_POPUPCOPYTO;Copy to... !FILEBROWSER_POPUPFILEOPERATIONS;File operations +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPMOVEEND;Move to end of queue !FILEBROWSER_POPUPMOVEHEAD;Move to head of queue !FILEBROWSER_POPUPMOVETO;Move to... @@ -335,8 +490,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !GENERAL_CANCEL;Cancel !GENERAL_CLOSE;Close !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all !GENERAL_DISABLE;Disable !GENERAL_DISABLED;Disabled +!GENERAL_EDIT;Edit !GENERAL_ENABLE;Enable !GENERAL_ENABLED;Enabled !GENERAL_FILE;File @@ -358,16 +515,24 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTOGRAM_TOOLTIP_B;Show/Hide blue histogram. !HISTOGRAM_TOOLTIP_BAR;Show/Hide RGB indicator bar. !HISTOGRAM_TOOLTIP_CHRO;Show/Hide chromaticity histogram. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_G;Show/Hide green histogram. !HISTOGRAM_TOOLTIP_L;Show/Hide CIELab luminance histogram. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. !HISTOGRAM_TOOLTIP_R;Show/Hide red histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_CHANGED;Changed !HISTORY_CUSTOMCURVE;Custom curve !HISTORY_FROMCLIPBOARD;From clipboard !HISTORY_LABEL;History !HISTORY_MSG_1;Photo loaded -!HISTORY_MSG_2;PP3 loaded !HISTORY_MSG_3;PP3 changed !HISTORY_MSG_4;History browsing !HISTORY_MSG_5;Exposure - Lightness @@ -381,9 +546,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_13;Exposure - Clip !HISTORY_MSG_14;L*a*b* - Lightness !HISTORY_MSG_15;L*a*b* - Contrast -!HISTORY_MSG_16;- -!HISTORY_MSG_17;- -!HISTORY_MSG_18;- !HISTORY_MSG_19;L*a*b* - L* curve !HISTORY_MSG_20;Sharpening !HISTORY_MSG_21;USM - Radius @@ -409,9 +571,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_41;Exposure - Tone curve 1 mode !HISTORY_MSG_42;Exposure - Tone curve 2 !HISTORY_MSG_43;Exposure - Tone curve 2 mode -!HISTORY_MSG_44;Lum. denoising radius -!HISTORY_MSG_45;Lum. denoising edge tolerance -!HISTORY_MSG_47;Blend ICC highlights with matrix !HISTORY_MSG_48;DCP - Tone curve !HISTORY_MSG_49;DCP illuminant !HISTORY_MSG_50;Shadows/Highlights @@ -419,7 +578,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_52;S/H - Shadows !HISTORY_MSG_53;S/H - Highlights tonal width !HISTORY_MSG_54;S/H - Shadows tonal width -!HISTORY_MSG_55;S/H - Local contrast !HISTORY_MSG_56;S/H - Radius !HISTORY_MSG_57;Coarse rotation !HISTORY_MSG_58;Horizontal flipping @@ -431,7 +589,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_64;Crop !HISTORY_MSG_65;CA correction !HISTORY_MSG_66;Exposure - Highlight reconstruction -!HISTORY_MSG_67;Exposure - HLR amount !HISTORY_MSG_68;Exposure - HLR method !HISTORY_MSG_72;VC - Amount !HISTORY_MSG_73;Channel Mixer @@ -439,12 +596,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_75;Resize - Method !HISTORY_MSG_76;Exif metadata !HISTORY_MSG_77;IPTC metadata -!HISTORY_MSG_78;- !HISTORY_MSG_79;Resize - Width !HISTORY_MSG_80;Resize - Height !HISTORY_MSG_81;Resize !HISTORY_MSG_82;Profile changed -!HISTORY_MSG_83;S/H - Sharp mask !HISTORY_MSG_84;Perspective correction !HISTORY_MSG_85;Lens Correction - LCP file !HISTORY_MSG_86;RGB Curves - Luminosity mode @@ -489,12 +644,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_128;Flat-Field - Blur radius !HISTORY_MSG_129;Flat-Field - Blur type !HISTORY_MSG_130;Auto distortion correction -!HISTORY_MSG_131;NR - Luma -!HISTORY_MSG_132;NR - Chroma -!HISTORY_MSG_133;Output gamma -!HISTORY_MSG_134;Free gamma -!HISTORY_MSG_135;Free gamma -!HISTORY_MSG_136;Free gamma slope !HISTORY_MSG_137;Black level - Green 1 !HISTORY_MSG_138;Black level - Red !HISTORY_MSG_139;Black level - Blue @@ -531,35 +680,34 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_171;L*a*b* - LC curve !HISTORY_MSG_172;L*a*b* - Restrict LC !HISTORY_MSG_173;NR - Detail recovery -!HISTORY_MSG_174;CIECAM02 -!HISTORY_MSG_175;CAM02 - CAT02 adaptation -!HISTORY_MSG_176;CAM02 - Viewing surround -!HISTORY_MSG_177;CAM02 - Scene luminosity -!HISTORY_MSG_178;CAM02 - Viewing luminosity -!HISTORY_MSG_179;CAM02 - White-point model -!HISTORY_MSG_180;CAM02 - Lightness (J) -!HISTORY_MSG_181;CAM02 - Chroma (C) -!HISTORY_MSG_182;CAM02 - Automatic CAT02 -!HISTORY_MSG_183;CAM02 - Contrast (J) -!HISTORY_MSG_184;CAM02 - Scene surround -!HISTORY_MSG_185;CAM02 - Gamut control -!HISTORY_MSG_186;CAM02 - Algorithm -!HISTORY_MSG_187;CAM02 - Red/skin prot. -!HISTORY_MSG_188;CAM02 - Brightness (Q) -!HISTORY_MSG_189;CAM02 - Contrast (Q) -!HISTORY_MSG_190;CAM02 - Saturation (S) -!HISTORY_MSG_192;CAM02 - Hue (h) -!HISTORY_MSG_193;CAM02 - Tone curve 1 -!HISTORY_MSG_194;CAM02 - Tone curve 2 -!HISTORY_MSG_195;CAM02 - Tone curve 1 -!HISTORY_MSG_196;CAM02 - Tone curve 2 -!HISTORY_MSG_199;CAM02 - Output histograms -!HISTORY_MSG_200;CAM02 - Tone mapping +!HISTORY_MSG_175;CAL - SC - Adaptation +!HISTORY_MSG_176;CAL - VC - Surround +!HISTORY_MSG_177;CAL - SC - Absolute luminance +!HISTORY_MSG_178;CAL - VC - Absolute luminance +!HISTORY_MSG_179;CAL - SC - WP model +!HISTORY_MSG_180;CAL - IA - Lightness (J) +!HISTORY_MSG_181;CAL - IA - Chroma (C) +!HISTORY_MSG_182;CAL - SC - Auto adaptation +!HISTORY_MSG_183;CAL - IA - Contrast (J) +!HISTORY_MSG_184;CAL - SC - Surround +!HISTORY_MSG_185;CAL - Gamut control +!HISTORY_MSG_186;CAL - IA - Algorithm +!HISTORY_MSG_187;CAL - IA - Red/skin protection +!HISTORY_MSG_188;CAL - IA - Brightness (Q) +!HISTORY_MSG_189;CAL - IA - Contrast (Q) +!HISTORY_MSG_190;CAL - IA - Saturation (S) +!HISTORY_MSG_192;CAL - IA - Hue (h) +!HISTORY_MSG_193;CAL - IA - Tone curve 1 +!HISTORY_MSG_194;CAL - IA - Tone curve 2 +!HISTORY_MSG_195;CAL - IA - Tone curve 1 mode +!HISTORY_MSG_196;CAL - IA - Tone curve 2 mode +!HISTORY_MSG_199;CAL - IA - Use CAM output for histograms +!HISTORY_MSG_200;CAL - IA - Use CAM for tone mapping !HISTORY_MSG_201;NR - Chrominance - R&G !HISTORY_MSG_202;NR - Chrominance - B&Y !HISTORY_MSG_204;LMMSE enhancement steps -!HISTORY_MSG_205;CAM02 - Hot/bad pixel filter -!HISTORY_MSG_206;CAT02 - Auto scene luminosity +!HISTORY_MSG_205;CAL - Hot/bad pixel filter +!HISTORY_MSG_206;CAL - SC - Auto absolute luminance !HISTORY_MSG_207;Defringe - Hue curve !HISTORY_MSG_208;WB - B/R equalizer !HISTORY_MSG_210;GF - Angle @@ -599,7 +747,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_247;L*a*b* - LH curve !HISTORY_MSG_248;L*a*b* - HH curve !HISTORY_MSG_249;CbDL - Threshold -!HISTORY_MSG_250;NR - Enhanced !HISTORY_MSG_251;B&W - Algorithm !HISTORY_MSG_252;CbDL - Skin tar/prot !HISTORY_MSG_253;CbDL - Reduce artifacts @@ -620,8 +767,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_270;CT - High - Green !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -646,7 +791,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -664,10 +808,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel !HISTORY_MSG_325;W - Chroma - Saturated @@ -752,7 +896,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -767,7 +910,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -787,30 +930,45 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -821,6 +979,603 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Channel !HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - region C mask !HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;CT - H mask @@ -833,22 +1588,40 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -863,25 +1636,84 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !HISTORY_NEWSNAPSHOT;Add !HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s !HISTORY_SNAPSHOT;Snapshot !HISTORY_SNAPSHOTS;Snapshots !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -893,11 +1725,12 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -907,6 +1740,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -914,13 +1748,14 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORY;Category !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITY;City @@ -939,7 +1774,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !IPTCPANEL_DATECREATED;Date created !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_EMBEDDED;Embedded @@ -998,7 +1833,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !MAIN_MSG_QOVERWRITE;Do you want to overwrite it? !MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! !MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -!MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. +!MAIN_MSG_WRITEFAILED;Failed to write\n'%1'\n\nMake sure that the folder exists and that you have write permission to it. !MAIN_TAB_ADVANCED;Advanced !MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a !MAIN_TAB_COLOR_TOOLTIP;Shortcut: Alt-c @@ -1014,6 +1849,8 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !MAIN_TAB_FILTER; Filter !MAIN_TAB_INSPECT; Inspect !MAIN_TAB_IPTC;IPTC +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TAB_METADATA;Metadata !MAIN_TAB_METADATA_TOOLTIP;Shortcut: Alt-m !MAIN_TAB_RAW;Raw @@ -1049,16 +1886,15 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !NAVIGATOR_V;V: !NAVIGATOR_XY_FULL;Width: %1, Height: %2 !NAVIGATOR_XY_NA;x: --, y: -- -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_BASICGROUP;Basic Settings !PARTIALPASTE_CACORRECTION;Chromatic aberration correction !PARTIALPASTE_CHANNELMIXER;Channel mixer !PARTIALPASTE_CHANNELMIXERBW;Black-and-white !PARTIALPASTE_COARSETRANS;Coarse rotation/flipping -!PARTIALPASTE_COLORAPP;CIECAM02 !PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-fill !PARTIALPASTE_COMPOSITIONGROUP;Composition Settings !PARTIALPASTE_CROP;Crop @@ -1076,7 +1912,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PARTIALPASTE_EVERYTHING;Everything !PARTIALPASTE_EXIFCHANGES;Exif !PARTIALPASTE_EXPOSURE;Exposure -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDAUTOSELECT;Flat-field auto-selection !PARTIALPASTE_FLATFIELDBLURRADIUS;Flat-field blur radius @@ -1091,6 +1927,8 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PARTIALPASTE_LENSGROUP;Lens Related Settings !PARTIALPASTE_LENSPROFILE;Profiled lens correction !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_METAGROUP;Metadata settings !PARTIALPASTE_PCVIGNETTE;Vignette filter @@ -1100,6 +1938,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_LINEDENOISE;Line noise filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AUTO;CA auto-correction !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1122,6 +1961,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PARTIALPASTE_SHARPENING;Sharpening (USM/RL) !PARTIALPASTE_SHARPENMICRO;Microcontrast !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PARTIALPASTE_VIBRANCE;Vibrance !PARTIALPASTE_VIGNETTING;Vignetting correction @@ -1152,11 +1992,17 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLIPPINGIND;Clipping Indication !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1169,7 +2015,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_CURVEBBOXPOS_LEFT;Left !PREFERENCES_CURVEBBOXPOS_RIGHT;Right !PREFERENCES_CUSTPROFBUILD;Custom Processing Profile Builder -!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. "Keyfile") is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. +!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. 'Keyfile') is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. !PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format !PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID @@ -1188,6 +2034,12 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_DIRSOFTWARE;Installation directory !PREFERENCES_EDITORCMDLINE;Custom command line !PREFERENCES_EDITORLAYOUT;Editor layout +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_EXTERNALEDITOR;External Editor !PREFERENCES_FBROWSEROPTS;File Browser / Thumbnail Options !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser @@ -1204,6 +2056,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_HISTOGRAM_TOOLTIP;If enabled, the working profile is used for rendering the main histogram and the Navigator panel, otherwise the gamma-corrected output profile is used. !PREFERENCES_HLTHRESHOLD;Threshold for clipped highlights !PREFERENCES_IMPROCPARAMS;Default Processing Profile +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. @@ -1213,10 +2066,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_LANG;Language !PREFERENCES_LANGAUTODETECT;Use system language !PREFERENCES_MAXRECENTFOLDERS;Maximum number of recent folders -!PREFERENCES_MENUGROUPEXTPROGS;Group "Open with" -!PREFERENCES_MENUGROUPFILEOPERATIONS;Group "File operations" -!PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group "Processing profile operations" -!PREFERENCES_MENUGROUPRANK;Group "Rank" +!PREFERENCES_MENUGROUPEXTPROGS;Group 'Open with' +!PREFERENCES_MENUGROUPFILEOPERATIONS;Group 'File operations' +!PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group 'Processing profile operations' +!PREFERENCES_MENUGROUPRANK;Group 'Rank' !PREFERENCES_MENUOPTIONS;Context Menu Options !PREFERENCES_MONINTENT;Default rendering intent !PREFERENCES_MONITOR;Monitor @@ -1256,7 +2109,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_PSPATH;Adobe Photoshop installation directory !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SELECTLANG;Select language !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings @@ -1267,10 +2120,11 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_SHOWDATETIME;Show date and time !PREFERENCES_SHOWEXPOSURECOMPENSATION;Append exposure compensation !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_SHTHRESHOLD;Threshold for clipped shadows !PREFERENCES_SINGLETAB;Single Editor Tab Mode !PREFERENCES_SINGLETABVERTAB;Single Editor Tab Mode, Vertical Tabs -!PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use "SystemDefault", "SystemAsterisk" etc., and on Linux use "complete", "window-attention" etc. +!PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use 'SystemDefault', 'SystemAsterisk' etc., and on Linux use 'complete', 'window-attention' etc. !PREFERENCES_SND_LNGEDITPROCDONE;Editor processing done !PREFERENCES_SND_QUEUEDONE;Queue processing done !PREFERENCES_SND_THRESHOLDSECS;After seconds @@ -1289,6 +2143,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !PREFERENCES_TP_VSCROLLBAR;Hide vertical scrollbar !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles !PREFERENCES_WORKFLOW;Layout +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_COPYPPASTE;Parameters to copy !PROFILEPANEL_GLOBALPROFILES;Bundled profiles !PROFILEPANEL_LABEL;Processing Profiles @@ -1368,6 +2223,12 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !SAVEDLG_TIFFUNCOMPRESSED;Uncompressed TIFF !SAVEDLG_WARNFILENAME;File will be named !SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !THRESHOLDSELECTOR_B;Bottom !THRESHOLDSELECTOR_BL;Bottom-left !THRESHOLDSELECTOR_BR;Bottom-right @@ -1377,6 +2238,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !THRESHOLDSELECTOR_TR;Top-right !TOOLBAR_TOOLTIP_CROP;Crop selection.\nShortcut: c\nMove the crop using Shift+mouse drag. !TOOLBAR_TOOLTIP_HAND;Hand tool.\nShortcut: h +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TOOLBAR_TOOLTIP_WB;Spot white balance.\nShortcut: w !TP_BWMIX_ALGO;Algorithm OYCPM !TP_BWMIX_ALGO_LI;Linear @@ -1407,7 +2269,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% -!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_SETTING;Presets !TP_BWMIX_SETTING_TOOLTIP;Different presets (film, landscape, etc.) or manual Channel Mixer settings. !TP_BWMIX_SET_HIGHCONTAST;High contrast @@ -1446,6 +2308,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COARSETRAF_TOOLTIP_ROTRIGHT;Rotate right.\n\nShortcuts:\n] - Multiple Editor Tabs Mode,\nAlt-] - Single Editor Tab Mode. !TP_COARSETRAF_TOOLTIP_VFLIP;Flip vertically. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_ALGO;Algorithm !TP_COLORAPP_ALGO_ALL;All !TP_COLORAPP_ALGO_JC;Lightness + Chroma (JC) @@ -1453,40 +2316,60 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORAPP_ALGO_TOOLTIP;Lets you choose between parameter subsets or all parameters. !TP_COLORAPP_BADPIXSL;Hot/bad pixel filter !TP_COLORAPP_BRIGHT;Brightness (Q) -!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02 takes into account the white's luminosity and differs from L*a*b* and RGB brightness. +!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed !TP_COLORAPP_CHROMA;Chroma (C) !TP_COLORAPP_CHROMA_S;Saturation (S) -!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02 differs from L*a*b* and RGB saturation. -!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02 differs from L*a*b* and RGB chroma. -!TP_COLORAPP_CIECAT_DEGREE;CAT02 adaptation +!TP_COLORAPP_CIECAT_DEGREE;Adaptation !TP_COLORAPP_CONTRAST;Contrast (J) !TP_COLORAPP_CONTRAST_Q;Contrast (Q) -!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CONTRAST_TOOLTIP;Differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. !TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of J or Q after CIECAM02.\n\nJ and Q are not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. !TP_COLORAPP_CURVEEDITOR2;Tone curve 2 -!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the second exposure tone curve. -!TP_COLORAPP_DATACIE;CIECAM02 output histograms in curves -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] -!TP_COLORAPP_GAMUT;Gamut control (L*a*b*) +!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. +!TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode +!TP_COLORAPP_GEN;Settings !TP_COLORAPP_HUE;Hue (h) -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_LABEL_CAM02;Image Adjustments !TP_COLORAPP_LABEL_SCENE;Scene Conditions !TP_COLORAPP_LABEL_VIEWING;Viewing Conditions !TP_COLORAPP_LIGHT;Lightness (J) -!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02 differs from L*a*b* and RGB lightness. +!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_MODEL;WP Model -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODEL;WP model +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUND;Surround +!TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURROUND_AVER;Average !TP_COLORAPP_SURROUND_DARK;Dark !TP_COLORAPP_SURROUND_DIM;Dim @@ -1498,18 +2381,23 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02 +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). -!TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] !TP_COLORAPP_WBRT;WB [RT] + [output] +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1538,7 +2426,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1577,7 +2465,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_DEFRINGE_THRESHOLD;Threshold !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1610,14 +2498,14 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1662,7 +2550,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_EXPOSURE_CONTRAST;Contrast !TP_EXPOSURE_CURVEEDITOR1;Tone curve 1 !TP_EXPOSURE_CURVEEDITOR2;Tone curve 2 -!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the "Exposure > Tone Curves" RawPedia article to learn how to achieve the best results by using two tone curves. +!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the 'Exposure > Tone Curves' RawPedia article to learn how to achieve the best results by using two tone curves. !TP_EXPOSURE_EXPCOMP;Exposure compensation !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. @@ -1679,10 +2567,16 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength @@ -1710,6 +2604,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_HLREC_BLEND;Blend !TP_HLREC_CIELAB;CIELab Blending !TP_HLREC_ENA_TOOLTIP;Could be activated by Auto Levels. +!TP_HLREC_HLBLUR;Blur !TP_HLREC_LABEL;Highlight reconstruction !TP_HLREC_LUMINANCE;Luminance Recovery !TP_HLREC_METHOD;Method: @@ -1727,7 +2622,9 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. !TP_ICM_INPUTCAMERA;Camera standard !TP_ICM_INPUTCAMERAICC;Auto-matched camera profile !TP_ICM_INPUTCUSTOM;Custom @@ -1735,21 +2632,65 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_ICM_INPUTEMBEDDED;Use embedded, if possible !TP_ICM_INPUTNONE;No profile !TP_ICM_INPUTPROFILE;Input Profile +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset !TP_ICM_NOICM;No ICM: sRGB Output !TP_ICM_OUTPUTPROFILE;Output Profile +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE;Tone curve !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. !TP_ICM_WORKINGPROFILE;Working Profile +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_IMPULSEDENOISE_LABEL;Impulse Noise Reduction !TP_IMPULSEDENOISE_THRESH;Threshold @@ -1771,18 +2712,18 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Dull !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated -!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C) +!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C). !TP_LABCURVE_CURVEEDITOR_CH;CH -!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H) +!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H). !TP_LABCURVE_CURVEEDITOR_CL;CL -!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L) +!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L). !TP_LABCURVE_CURVEEDITOR_HH;HH -!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H) +!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H). !TP_LABCURVE_CURVEEDITOR_LC;LC -!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C) +!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C). !TP_LABCURVE_CURVEEDITOR_LH;LH -!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) -!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) +!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H). +!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L). !TP_LABCURVE_LABEL;L*a*b* Adjustments !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones !TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. @@ -1808,6 +2749,715 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata @@ -1821,8 +3471,29 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_PCVIGNETTE_STRENGTH;Strength !TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filter strength in stops (reached in corners). !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. !TP_PERSPECTIVE_HORIZONTAL;Horizontal !TP_PERSPECTIVE_LABEL;Perspective +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PERSPECTIVE_VERTICAL;Vertical !TP_PFCURVE_CURVEEDITOR_CH;Hue !TP_PREPROCESS_DEADPIXFILT;Dead pixel filter @@ -1839,11 +3510,15 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_NO_FOUND;None found !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTO;Auto-correction !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_CABLUE;Blue !TP_RAWCACORR_CARED;Red !TP_RAWCACORR_LABEL;Chromatic Aberration Correction @@ -1863,9 +3538,11 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBENHANCE;DCB enhancement !TP_RAW_DCBITERATIONS;Number of DCB iterations !TP_RAW_DCBVNG4;DCB+VNG4 @@ -1892,6 +3569,8 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -1901,7 +3580,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Enabled: Equalize the RGB channels individually.\nDisabled: Use same equalization factor for all channels. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -1916,11 +3595,12 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans @@ -1934,9 +3614,13 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RESIZE_HEIGHT;Height !TP_RESIZE_LABEL;Resize !TP_RESIZE_LANCZOS;Lanczos +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge !TP_RESIZE_METHOD;Method: !TP_RESIZE_NEAREST;Nearest !TP_RESIZE_SCALE;Scale +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RESIZE_SPECIFY;Specify: !TP_RESIZE_W;Width: !TP_RESIZE_WIDTH;Width @@ -1947,7 +3631,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -1955,7 +3639,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -1970,7 +3654,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -1989,8 +3673,8 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2003,9 +3687,9 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2014,7 +3698,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2065,6 +3749,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_SHARPENMICRO_UNIFORMITY;Uniformity !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2075,9 +3763,9 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Red !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Red/Yellow !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Yellow -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H) +!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H). !TP_VIBRANCE_LABEL;Vibrance -!TP_VIBRANCE_PASTELS;Pastel Tones +!TP_VIBRANCE_PASTELS;Pastel tones !TP_VIBRANCE_PASTSATTOG;Link pastel and saturated tones !TP_VIBRANCE_PROTECTSKINS;Protect skin-tones !TP_VIBRANCE_PSTHRESHOLD;Pastel/saturated tones threshold @@ -2098,9 +3786,9 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve @@ -2108,9 +3796,15 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2118,28 +3812,41 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2147,107 +3854,177 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset !TP_WBALANCE_AUTO;Auto +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_CAMERA;Camera !TP_WBALANCE_CLOUDY;Cloudy !TP_WBALANCE_CUSTOM;Custom @@ -2288,8 +4065,10 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of "wh !TP_WBALANCE_SOLUX47;Solux 4700K (vendor) !TP_WBALANCE_SOLUX47_NG;Solux 4700K (Nat. Gallery) !TP_WBALANCE_SPOTWB;Use the pipette to pick the white balance from a neutral patch in the preview. +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !TP_WBALANCE_TEMPERATURE;Temperature !TP_WBALANCE_TUNGSTEN;Tungsten !TP_WBALANCE_WATER1;UnderWater 1 diff --git a/rtdata/languages/English (US) b/rtdata/languages/English (US) index 47a4c420b..66c28ab5d 100644 --- a/rtdata/languages/English (US) +++ b/rtdata/languages/English (US) @@ -23,7 +23,7 @@ !CURVEEDITOR_HIGHLIGHTS;Highlights !CURVEEDITOR_LIGHTS;Lights !CURVEEDITOR_LINEAR;Linear -!CURVEEDITOR_LOADDLGLABEL;Load curve... +!CURVEEDITOR_LOADDLGLABEL;Load curve !CURVEEDITOR_MINMAXCPOINTS;Equalizer !CURVEEDITOR_NURBS;Control cage !CURVEEDITOR_PARAMETRIC;Parametric @@ -40,7 +40,7 @@ !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -101,7 +101,7 @@ !EXPORT_MAXHEIGHT;Maximum height: !EXPORT_MAXWIDTH;Maximum width: !EXPORT_PIPELINE;Processing pipeline -!EXPORT_PUTTOQUEUEFAST; Put to queue for fast export +!EXPORT_PUTTOQUEUEFAST;Put to queue for fast export !EXPORT_RAW_DMETHOD;Demosaic method !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. @@ -112,7 +112,7 @@ !FILEBROWSER_APPLYPROFILE_PARTIAL;Apply - partial !FILEBROWSER_AUTODARKFRAME;Auto dark-frame !FILEBROWSER_AUTOFLATFIELD;Auto flat-field -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_BROWSEPATHHINT;Type a path to navigate to.\n\nKeyboard shortcuts:\nCtrl-o to focus to the path text box.\nEnter / Ctrl-Enter to browse there;\nEsc to clear changes.\nShift-Esc to remove focus.\n\nPath shortcuts:\n~ - user's home directory.\n! - user's pictures directory !FILEBROWSER_CACHE;Cache !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles @@ -146,6 +146,7 @@ !FILEBROWSER_POPUPCOLORLABEL5;Label: Purple !FILEBROWSER_POPUPCOPYTO;Copy to... !FILEBROWSER_POPUPFILEOPERATIONS;File operations +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPMOVEEND;Move to end of queue !FILEBROWSER_POPUPMOVEHEAD;Move to head of queue !FILEBROWSER_POPUPMOVETO;Move to... @@ -221,8 +222,10 @@ !GENERAL_CANCEL;Cancel !GENERAL_CLOSE;Close !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all !GENERAL_DISABLE;Disable !GENERAL_DISABLED;Disabled +!GENERAL_EDIT;Edit !GENERAL_ENABLE;Enable !GENERAL_ENABLED;Enabled !GENERAL_FILE;File @@ -244,16 +247,24 @@ !HISTOGRAM_TOOLTIP_B;Show/Hide blue histogram. !HISTOGRAM_TOOLTIP_BAR;Show/Hide RGB indicator bar. !HISTOGRAM_TOOLTIP_CHRO;Show/Hide chromaticity histogram. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_G;Show/Hide green histogram. !HISTOGRAM_TOOLTIP_L;Show/Hide CIELab luminance histogram. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. !HISTOGRAM_TOOLTIP_R;Show/Hide red histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_CHANGED;Changed !HISTORY_CUSTOMCURVE;Custom curve !HISTORY_FROMCLIPBOARD;From clipboard !HISTORY_LABEL;History !HISTORY_MSG_1;Photo loaded -!HISTORY_MSG_2;PP3 loaded !HISTORY_MSG_3;PP3 changed !HISTORY_MSG_4;History browsing !HISTORY_MSG_5;Exposure - Lightness @@ -267,9 +278,6 @@ !HISTORY_MSG_13;Exposure - Clip !HISTORY_MSG_14;L*a*b* - Lightness !HISTORY_MSG_15;L*a*b* - Contrast -!HISTORY_MSG_16;- -!HISTORY_MSG_17;- -!HISTORY_MSG_18;- !HISTORY_MSG_19;L*a*b* - L* curve !HISTORY_MSG_20;Sharpening !HISTORY_MSG_21;USM - Radius @@ -295,10 +303,6 @@ !HISTORY_MSG_41;Exposure - Tone curve 1 mode !HISTORY_MSG_42;Exposure - Tone curve 2 !HISTORY_MSG_43;Exposure - Tone curve 2 mode -!HISTORY_MSG_44;Lum. denoising radius -!HISTORY_MSG_45;Lum. denoising edge tolerance -!HISTORY_MSG_46;Color denoising -!HISTORY_MSG_47;Blend ICC highlights with matrix !HISTORY_MSG_48;DCP - Tone curve !HISTORY_MSG_49;DCP illuminant !HISTORY_MSG_50;Shadows/Highlights @@ -306,7 +310,6 @@ !HISTORY_MSG_52;S/H - Shadows !HISTORY_MSG_53;S/H - Highlights tonal width !HISTORY_MSG_54;S/H - Shadows tonal width -!HISTORY_MSG_55;S/H - Local contrast !HISTORY_MSG_56;S/H - Radius !HISTORY_MSG_57;Coarse rotation !HISTORY_MSG_58;Horizontal flipping @@ -318,7 +321,6 @@ !HISTORY_MSG_64;Crop !HISTORY_MSG_65;CA correction !HISTORY_MSG_66;Exposure - Highlight reconstruction -!HISTORY_MSG_67;Exposure - HLR amount !HISTORY_MSG_68;Exposure - HLR method !HISTORY_MSG_69;Working color space !HISTORY_MSG_70;Output color space @@ -329,12 +331,10 @@ !HISTORY_MSG_75;Resize - Method !HISTORY_MSG_76;Exif metadata !HISTORY_MSG_77;IPTC metadata -!HISTORY_MSG_78;- !HISTORY_MSG_79;Resize - Width !HISTORY_MSG_80;Resize - Height !HISTORY_MSG_81;Resize !HISTORY_MSG_82;Profile changed -!HISTORY_MSG_83;S/H - Sharp mask !HISTORY_MSG_84;Perspective correction !HISTORY_MSG_85;Lens Correction - LCP file !HISTORY_MSG_86;RGB Curves - Luminosity mode @@ -381,12 +381,6 @@ !HISTORY_MSG_128;Flat-Field - Blur radius !HISTORY_MSG_129;Flat-Field - Blur type !HISTORY_MSG_130;Auto distortion correction -!HISTORY_MSG_131;NR - Luma -!HISTORY_MSG_132;NR - Chroma -!HISTORY_MSG_133;Output gamma -!HISTORY_MSG_134;Free gamma -!HISTORY_MSG_135;Free gamma -!HISTORY_MSG_136;Free gamma slope !HISTORY_MSG_137;Black level - Green 1 !HISTORY_MSG_138;Black level - Red !HISTORY_MSG_139;Black level - Blue @@ -424,39 +418,39 @@ !HISTORY_MSG_171;L*a*b* - LC curve !HISTORY_MSG_172;L*a*b* - Restrict LC !HISTORY_MSG_173;NR - Detail recovery -!HISTORY_MSG_174;CIECAM02 -!HISTORY_MSG_175;CAM02 - CAT02 adaptation -!HISTORY_MSG_176;CAM02 - Viewing surround -!HISTORY_MSG_177;CAM02 - Scene luminosity -!HISTORY_MSG_178;CAM02 - Viewing luminosity -!HISTORY_MSG_179;CAM02 - White-point model -!HISTORY_MSG_180;CAM02 - Lightness (J) -!HISTORY_MSG_181;CAM02 - Chroma (C) -!HISTORY_MSG_182;CAM02 - Automatic CAT02 -!HISTORY_MSG_183;CAM02 - Contrast (J) -!HISTORY_MSG_184;CAM02 - Scene surround -!HISTORY_MSG_185;CAM02 - Gamut control -!HISTORY_MSG_186;CAM02 - Algorithm -!HISTORY_MSG_187;CAM02 - Red/skin prot. -!HISTORY_MSG_188;CAM02 - Brightness (Q) -!HISTORY_MSG_189;CAM02 - Contrast (Q) -!HISTORY_MSG_190;CAM02 - Saturation (S) -!HISTORY_MSG_191;CAM02 - Colorfulness (M) -!HISTORY_MSG_192;CAM02 - Hue (h) -!HISTORY_MSG_193;CAM02 - Tone curve 1 -!HISTORY_MSG_194;CAM02 - Tone curve 2 -!HISTORY_MSG_195;CAM02 - Tone curve 1 -!HISTORY_MSG_196;CAM02 - Tone curve 2 -!HISTORY_MSG_197;CAM02 - Color curve -!HISTORY_MSG_198;CAM02 - Color curve -!HISTORY_MSG_199;CAM02 - Output histograms -!HISTORY_MSG_200;CAM02 - Tone mapping +!HISTORY_MSG_174;Color Appearance & Lighting +!HISTORY_MSG_175;CAL - SC - Adaptation +!HISTORY_MSG_176;CAL - VC - Surround +!HISTORY_MSG_177;CAL - SC - Absolute luminance +!HISTORY_MSG_178;CAL - VC - Absolute luminance +!HISTORY_MSG_179;CAL - SC - WP model +!HISTORY_MSG_180;CAL - IA - Lightness (J) +!HISTORY_MSG_181;CAL - IA - Chroma (C) +!HISTORY_MSG_182;CAL - SC - Auto adaptation +!HISTORY_MSG_183;CAL - IA - Contrast (J) +!HISTORY_MSG_184;CAL - SC - Surround +!HISTORY_MSG_185;CAL - Gamut control +!HISTORY_MSG_186;CAL - IA - Algorithm +!HISTORY_MSG_187;CAL - IA - Red/skin protection +!HISTORY_MSG_188;CAL - IA - Brightness (Q) +!HISTORY_MSG_189;CAL - IA - Contrast (Q) +!HISTORY_MSG_190;CAL - IA - Saturation (S) +!HISTORY_MSG_191;CAL - IA - Colorfulness (M) +!HISTORY_MSG_192;CAL - IA - Hue (h) +!HISTORY_MSG_193;CAL - IA - Tone curve 1 +!HISTORY_MSG_194;CAL - IA - Tone curve 2 +!HISTORY_MSG_195;CAL - IA - Tone curve 1 mode +!HISTORY_MSG_196;CAL - IA - Tone curve 2 mode +!HISTORY_MSG_197;CAL - IA - Color curve +!HISTORY_MSG_198;CAL - IA - Color curve mode +!HISTORY_MSG_199;CAL - IA - Use CAM output for histograms +!HISTORY_MSG_200;CAL - IA - Use CAM for tone mapping !HISTORY_MSG_201;NR - Chrominance - R&G !HISTORY_MSG_202;NR - Chrominance - B&Y !HISTORY_MSG_203;NR - Color space !HISTORY_MSG_204;LMMSE enhancement steps -!HISTORY_MSG_205;CAM02 - Hot/bad pixel filter -!HISTORY_MSG_206;CAT02 - Auto scene luminosity +!HISTORY_MSG_205;CAL - Hot/bad pixel filter +!HISTORY_MSG_206;CAL - SC - Auto absolute luminance !HISTORY_MSG_207;Defringe - Hue curve !HISTORY_MSG_208;WB - B/R equalizer !HISTORY_MSG_210;GF - Angle @@ -499,7 +493,6 @@ !HISTORY_MSG_247;L*a*b* - LH curve !HISTORY_MSG_248;L*a*b* - HH curve !HISTORY_MSG_249;CbDL - Threshold -!HISTORY_MSG_250;NR - Enhanced !HISTORY_MSG_251;B&W - Algorithm !HISTORY_MSG_252;CbDL - Skin tar/prot !HISTORY_MSG_253;CbDL - Reduce artifacts @@ -523,8 +516,6 @@ !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -549,7 +540,6 @@ !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -567,10 +557,10 @@ !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -634,14 +624,14 @@ !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -658,7 +648,6 @@ !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -674,7 +663,7 @@ !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -694,30 +683,45 @@ !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -728,6 +732,654 @@ !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -743,22 +1395,42 @@ !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -773,27 +1445,87 @@ !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !HISTORY_NEWSNAPSHOT;Add !HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s !HISTORY_SNAPSHOT;Snapshot !HISTORY_SNAPSHOTS;Snapshots !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -805,11 +1537,12 @@ !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -819,6 +1552,7 @@ !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -826,13 +1560,14 @@ !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORY;Category !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITY;City @@ -851,7 +1586,7 @@ !IPTCPANEL_DATECREATED;Date created !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_EMBEDDED;Embedded @@ -910,7 +1645,7 @@ !MAIN_MSG_QOVERWRITE;Do you want to overwrite it? !MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! !MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -!MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. +!MAIN_MSG_WRITEFAILED;Failed to write\n'%1'\n\nMake sure that the folder exists and that you have write permission to it. !MAIN_TAB_ADVANCED;Advanced !MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a !MAIN_TAB_COLOR;Color @@ -927,6 +1662,8 @@ !MAIN_TAB_FILTER; Filter !MAIN_TAB_INSPECT; Inspect !MAIN_TAB_IPTC;IPTC +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TAB_METADATA;Metadata !MAIN_TAB_METADATA_TOOLTIP;Shortcut: Alt-m !MAIN_TAB_RAW;Raw @@ -936,7 +1673,7 @@ !MAIN_TOOLTIP_BACKCOLOR0;Background color of the preview: theme-based\nShortcut: 9 !MAIN_TOOLTIP_BACKCOLOR1;Background color of the preview: black\nShortcut: 9 !MAIN_TOOLTIP_BACKCOLOR2;Background color of the preview: white\nShortcut: 9 -!MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle gray\nShortcut: 9 +!MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_BEFOREAFTERLOCK;Lock / Unlock the Before view\n\nLock: keep the Before view unchanged.\nUseful to evaluate the cumulative effect of multiple tools.\nAdditionally, comparisons can be made to any state in the History.\n\nUnlock: the Before view will follow the After view one step behind, showing the image before the effect of the currently used tool. !MAIN_TOOLTIP_HIDEHP;Show/Hide the left panel (including the history).\nShortcut: l !MAIN_TOOLTIP_INDCLIPPEDH;Clipped highlight indication.\nShortcut: > @@ -966,16 +1703,16 @@ !NAVIGATOR_V;V: !NAVIGATOR_XY_FULL;Width: %1, Height: %2 !NAVIGATOR_XY_NA;x: --, y: -- -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_BASICGROUP;Basic Settings !PARTIALPASTE_CACORRECTION;Chromatic aberration correction !PARTIALPASTE_CHANNELMIXER;Channel mixer !PARTIALPASTE_CHANNELMIXERBW;Black-and-white !PARTIALPASTE_COARSETRANS;Coarse rotation/flipping -!PARTIALPASTE_COLORAPP;CIECAM02 +!PARTIALPASTE_COLORAPP;Color Appearance & Lighting !PARTIALPASTE_COLORGROUP;Color Related Settings !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-fill @@ -995,7 +1732,7 @@ !PARTIALPASTE_EVERYTHING;Everything !PARTIALPASTE_EXIFCHANGES;Exif !PARTIALPASTE_EXPOSURE;Exposure -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDAUTOSELECT;Flat-field auto-selection !PARTIALPASTE_FLATFIELDBLURRADIUS;Flat-field blur radius @@ -1011,6 +1748,8 @@ !PARTIALPASTE_LENSGROUP;Lens Related Settings !PARTIALPASTE_LENSPROFILE;Profiled lens correction !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_METAGROUP;Metadata settings !PARTIALPASTE_PCVIGNETTE;Vignette filter @@ -1020,6 +1759,7 @@ !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_LINEDENOISE;Line noise filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AUTO;CA auto-correction !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift @@ -1044,6 +1784,7 @@ !PARTIALPASTE_SHARPENING;Sharpening (USM/RL) !PARTIALPASTE_SHARPENMICRO;Microcontrast !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PARTIALPASTE_VIBRANCE;Vibrance !PARTIALPASTE_VIGNETTING;Vignetting correction @@ -1079,11 +1820,17 @@ !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLIPPINGIND;Clipping Indication !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1096,7 +1843,7 @@ !PREFERENCES_CURVEBBOXPOS_LEFT;Left !PREFERENCES_CURVEBBOXPOS_RIGHT;Right !PREFERENCES_CUSTPROFBUILD;Custom Processing Profile Builder -!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. "Keyfile") is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. +!PREFERENCES_CUSTPROFBUILDHINT;Executable (or script) file called when a new initial processing profile should be generated for an image.\n\nThe path of the communication file (*.ini style, a.k.a. 'Keyfile') is added as a command line parameter. It contains various parameters required for the scripts and image Exif to allow a rules-based processing profile generation.\n\nWARNING: You are responsible for using double quotes where necessary if you're using paths containing spaces. !PREFERENCES_CUSTPROFBUILDKEYFORMAT;Keys format !PREFERENCES_CUSTPROFBUILDKEYFORMAT_NAME;Name !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID @@ -1115,6 +1862,12 @@ !PREFERENCES_DIRSOFTWARE;Installation directory !PREFERENCES_EDITORCMDLINE;Custom command line !PREFERENCES_EDITORLAYOUT;Editor layout +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_EXTERNALEDITOR;External Editor !PREFERENCES_FBROWSEROPTS;File Browser / Thumbnail Options !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser @@ -1132,6 +1885,7 @@ !PREFERENCES_HLTHRESHOLD;Threshold for clipped highlights !PREFERENCES_ICCDIR;Directory containing color profiles !PREFERENCES_IMPROCPARAMS;Default Processing Profile +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. @@ -1143,11 +1897,11 @@ !PREFERENCES_LANG;Language !PREFERENCES_LANGAUTODETECT;Use system language !PREFERENCES_MAXRECENTFOLDERS;Maximum number of recent folders -!PREFERENCES_MENUGROUPEXTPROGS;Group "Open with" -!PREFERENCES_MENUGROUPFILEOPERATIONS;Group "File operations" -!PREFERENCES_MENUGROUPLABEL;Group "Color label" -!PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group "Processing profile operations" -!PREFERENCES_MENUGROUPRANK;Group "Rank" +!PREFERENCES_MENUGROUPEXTPROGS;Group 'Open with' +!PREFERENCES_MENUGROUPFILEOPERATIONS;Group 'File operations' +!PREFERENCES_MENUGROUPLABEL;Group 'Color label' +!PREFERENCES_MENUGROUPPROFILEOPERATIONS;Group 'Processing profile operations' +!PREFERENCES_MENUGROUPRANK;Group 'Rank' !PREFERENCES_MENUOPTIONS;Context Menu Options !PREFERENCES_MONINTENT;Default rendering intent !PREFERENCES_MONITOR;Monitor @@ -1189,7 +1943,7 @@ !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_PSPATH;Adobe Photoshop installation directory !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SELECTLANG;Select language !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings @@ -1200,10 +1954,11 @@ !PREFERENCES_SHOWDATETIME;Show date and time !PREFERENCES_SHOWEXPOSURECOMPENSATION;Append exposure compensation !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_SHTHRESHOLD;Threshold for clipped shadows !PREFERENCES_SINGLETAB;Single Editor Tab Mode !PREFERENCES_SINGLETABVERTAB;Single Editor Tab Mode, Vertical Tabs -!PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use "SystemDefault", "SystemAsterisk" etc., and on Linux use "complete", "window-attention" etc. +!PREFERENCES_SND_HELP;Enter a full file path to set a sound, or leave blank for no sound.\nFor system sounds on Windows use 'SystemDefault', 'SystemAsterisk' etc., and on Linux use 'complete', 'window-attention' etc. !PREFERENCES_SND_LNGEDITPROCDONE;Editor processing done !PREFERENCES_SND_QUEUEDONE;Queue processing done !PREFERENCES_SND_THRESHOLDSECS;After seconds @@ -1223,6 +1978,7 @@ !PREFERENCES_TP_VSCROLLBAR;Hide vertical scrollbar !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles !PREFERENCES_WORKFLOW;Layout +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_COPYPPASTE;Parameters to copy !PROFILEPANEL_GLOBALPROFILES;Bundled profiles !PROFILEPANEL_LABEL;Processing Profiles @@ -1304,6 +2060,12 @@ !SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !THRESHOLDSELECTOR_B;Bottom !THRESHOLDSELECTOR_BL;Bottom-left !THRESHOLDSELECTOR_BR;Bottom-right @@ -1314,7 +2076,8 @@ !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. !TOOLBAR_TOOLTIP_CROP;Crop selection.\nShortcut: c\nMove the crop using Shift+mouse drag. !TOOLBAR_TOOLTIP_HAND;Hand tool.\nShortcut: h -!TOOLBAR_TOOLTIP_STRAIGHTEN;Straighten / fine rotation.\nShortcut: s\n\nIndicate the vertical or horizontal by drawing a guide line over the image preview. Angle of rotation will be shown next to the guide line. Center of rotation is the geometrical center of the image. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TOOLBAR_TOOLTIP_STRAIGHTEN;Straighten / fine rotation.\nShortcut: s\n\nIndicate the vertical or horizontal by drawing a guide line over the image. Angle of rotation will be shown next to the guide line. Center of rotation is the geometrical center of the image. !TOOLBAR_TOOLTIP_WB;Spot white balance.\nShortcut: w !TP_BWMIX_ALGO;Algorithm OYCPM !TP_BWMIX_ALGO_LI;Linear @@ -1350,7 +2113,7 @@ !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% -!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. !TP_BWMIX_SETTING;Presets !TP_BWMIX_SETTING_TOOLTIP;Different presets (film, landscape, etc.) or manual Channel Mixer settings. @@ -1390,6 +2153,7 @@ !TP_COARSETRAF_TOOLTIP_ROTRIGHT;Rotate right.\n\nShortcuts:\n] - Multiple Editor Tabs Mode,\nAlt-] - Single Editor Tab Mode. !TP_COARSETRAF_TOOLTIP_VFLIP;Flip vertically. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_ALGO;Algorithm !TP_COLORAPP_ALGO_ALL;All !TP_COLORAPP_ALGO_JC;Lightness + Chroma (JC) @@ -1399,50 +2163,76 @@ !TP_COLORAPP_BADPIXSL;Hot/bad pixel filter !TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. !TP_COLORAPP_BRIGHT;Brightness (Q) -!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02 takes into account the white's luminosity and differs from L*a*b* and RGB brightness. +!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed !TP_COLORAPP_CHROMA;Chroma (C) !TP_COLORAPP_CHROMA_M;Colorfulness (M) -!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM02 differs from L*a*b* and RGB colorfulness. +!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. !TP_COLORAPP_CHROMA_S;Saturation (S) -!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02 differs from L*a*b* and RGB saturation. -!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02 differs from L*a*b* and RGB chroma. -!TP_COLORAPP_CIECAT_DEGREE;CAT02 adaptation +!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the color of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. +!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. +!TP_COLORAPP_CIECAT_DEGREE;Adaptation !TP_COLORAPP_CONTRAST;Contrast (J) !TP_COLORAPP_CONTRAST_Q;Contrast (Q) -!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CONTRAST_TOOLTIP;Differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. !TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of J or Q after CIECAM02.\n\nJ and Q are not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. !TP_COLORAPP_CURVEEDITOR2;Tone curve 2 -!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the second exposure tone curve. +!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. !TP_COLORAPP_CURVEEDITOR3;Color curve -!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of C, s or M after CIECAM02.\n\nC, s and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -!TP_COLORAPP_DATACIE;CIECAM02 output histograms in curves -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] -!TP_COLORAPP_GAMUT;Gamut control (L*a*b*) +!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +!TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves +!TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_HUE;Hue (h) -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. -!TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 +!TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_LABEL;Color Appearance & Lighting !TP_COLORAPP_LABEL_CAM02;Image Adjustments !TP_COLORAPP_LABEL_SCENE;Scene Conditions !TP_COLORAPP_LABEL_VIEWING;Viewing Conditions !TP_COLORAPP_LIGHT;Lightness (J) -!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02 differs from L*a*b* and RGB lightness. +!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_MODEL;WP Model -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODEL;WP model +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUND;Surround +!TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURROUND_AVER;Average !TP_COLORAPP_SURROUND_DARK;Dark !TP_COLORAPP_SURROUND_DIM;Dim !TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. +!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TCMODE_BRIGHTNESS;Brightness !TP_COLORAPP_TCMODE_CHROMA;Chroma !TP_COLORAPP_TCMODE_COLORF;Colorfulness @@ -1451,19 +2241,24 @@ !TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02 +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). -!TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] !TP_COLORAPP_WBRT;WB [RT] + [output] +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1493,11 +2288,11 @@ !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1515,6 +2310,7 @@ !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma !TP_CROP_FIXRATIO;Lock ratio +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTDIAGONALS;Rule of Diagonals !TP_CROP_GTEPASSPORT;Biometric Passport !TP_CROP_GTFRAME;Frame @@ -1540,7 +2336,7 @@ !TP_DEFRINGE_THRESHOLD;Threshold !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1553,7 +2349,7 @@ !TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominance - Master !TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -1577,14 +2373,14 @@ !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1633,7 +2429,7 @@ !TP_EXPOSURE_CONTRAST;Contrast !TP_EXPOSURE_CURVEEDITOR1;Tone curve 1 !TP_EXPOSURE_CURVEEDITOR2;Tone curve 2 -!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the "Exposure > Tone Curves" RawPedia article to learn how to achieve the best results by using two tone curves. +!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the 'Exposure > Tone Curves' RawPedia article to learn how to achieve the best results by using two tone curves. !TP_EXPOSURE_EXPCOMP;Exposure compensation !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. @@ -1650,11 +2446,21 @@ !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength @@ -1686,6 +2492,7 @@ !TP_HLREC_CIELAB;CIELab Blending !TP_HLREC_COLOR;Color Propagation !TP_HLREC_ENA_TOOLTIP;Could be activated by Auto Levels. +!TP_HLREC_HLBLUR;Blur !TP_HLREC_LABEL;Highlight reconstruction !TP_HLREC_LUMINANCE;Luminance Recovery !TP_HLREC_METHOD;Method: @@ -1703,7 +2510,9 @@ !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. !TP_ICM_INPUTCAMERA;Camera standard !TP_ICM_INPUTCAMERAICC;Auto-matched camera profile !TP_ICM_INPUTCAMERAICC_TOOLTIP;Use RawTherapee's camera-specific DCP or ICC input color profiles. These profiles are more precise than simpler matrix ones. They are not available for all cameras. These profiles are stored in the /iccprofiles/input and /dcpprofiles folders and are automatically retrieved based on a file name matching to the exact model name of the camera. @@ -1717,26 +2526,71 @@ !TP_ICM_INPUTNONE_TOOLTIP;Use no input color profile at all.\nUse only in special cases. !TP_ICM_INPUTPROFILE;Input Profile !TP_ICM_LABEL;Color Management +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset !TP_ICM_NOICM;No ICM: sRGB Output !TP_ICM_OUTPUTPROFILE;Output Profile +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE;Tone curve !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. !TP_ICM_WORKINGPROFILE;Working Profile +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_IMPULSEDENOISE_LABEL;Impulse Noise Reduction !TP_IMPULSEDENOISE_THRESH;Threshold !TP_LABCURVE_AVOIDCOLORSHIFT;Avoid color shift -!TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction. +!TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab). !TP_LABCURVE_BRIGHTNESS;Lightness !TP_LABCURVE_CHROMATICITY;Chromaticity !TP_LABCURVE_CHROMA_TOOLTIP;To apply B&W toning, set Chromaticity to -100. @@ -1755,18 +2609,18 @@ !TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Dull !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated -!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C) +!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C). !TP_LABCURVE_CURVEEDITOR_CH;CH -!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H) +!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H). !TP_LABCURVE_CURVEEDITOR_CL;CL -!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L) +!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L). !TP_LABCURVE_CURVEEDITOR_HH;HH -!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H) +!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H). !TP_LABCURVE_CURVEEDITOR_LC;LC -!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C) +!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C). !TP_LABCURVE_CURVEEDITOR_LH;LH -!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) -!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) +!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H). +!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L). !TP_LABCURVE_LABEL;L*a*b* Adjustments !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones !TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. @@ -1792,6 +2646,799 @@ !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata @@ -1806,8 +3453,29 @@ !TP_PCVIGNETTE_STRENGTH;Strength !TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filter strength in stops (reached in corners). !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. !TP_PERSPECTIVE_HORIZONTAL;Horizontal !TP_PERSPECTIVE_LABEL;Perspective +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PERSPECTIVE_VERTICAL;Vertical !TP_PFCURVE_CURVEEDITOR_CH;Hue !TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Controls defringe strength by color.\nHigher = more,\nLower = less. @@ -1825,11 +3493,15 @@ !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_NO_FOUND;None found !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTO;Auto-correction !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAWCACORR_CABLUE;Blue !TP_RAWCACORR_CARED;Red @@ -1850,9 +3522,11 @@ !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBENHANCE;DCB enhancement !TP_RAW_DCBITERATIONS;Number of DCB iterations !TP_RAW_DCBVNG4;DCB+VNG4 @@ -1880,6 +3554,8 @@ !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -1890,7 +3566,7 @@ !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -1905,11 +3581,12 @@ !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans @@ -1923,9 +3600,13 @@ !TP_RESIZE_HEIGHT;Height !TP_RESIZE_LABEL;Resize !TP_RESIZE_LANCZOS;Lanczos +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge !TP_RESIZE_METHOD;Method: !TP_RESIZE_NEAREST;Nearest !TP_RESIZE_SCALE;Scale +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RESIZE_SPECIFY;Specify: !TP_RESIZE_W;Width: !TP_RESIZE_WIDTH;Width @@ -1936,7 +3617,7 @@ !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -1944,7 +3625,7 @@ !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -1959,7 +3640,7 @@ !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -1978,8 +3659,8 @@ !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -1992,9 +3673,9 @@ !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2003,7 +3684,7 @@ !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2055,6 +3736,11 @@ !TP_SHARPENMICRO_UNIFORMITY;Uniformity !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2066,9 +3752,9 @@ !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Red !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Red/Yellow !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Yellow -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H) +!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H). !TP_VIBRANCE_LABEL;Vibrance -!TP_VIBRANCE_PASTELS;Pastel Tones +!TP_VIBRANCE_PASTELS;Pastel tones !TP_VIBRANCE_PASTSATTOG;Link pastel and saturated tones !TP_VIBRANCE_PROTECTSKINS;Protect skin-tones !TP_VIBRANCE_PSTHRESHOLD;Pastel/saturated tones threshold @@ -2092,7 +3778,7 @@ !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black !TP_WAVELET_B1;Gray @@ -2102,12 +3788,18 @@ !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2115,29 +3807,42 @@ !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2145,114 +3850,186 @@ !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset !TP_WBALANCE_AUTO;Auto +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_CAMERA;Camera !TP_WBALANCE_CLOUDY;Cloudy !TP_WBALANCE_CUSTOM;Custom !TP_WBALANCE_DAYLIGHT;Daylight (sunny) !TP_WBALANCE_EQBLUERED;Blue/Red equalizer -!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. +!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. !TP_WBALANCE_FLASH55;Leica !TP_WBALANCE_FLASH60;Standard, Canon, Pentax, Olympus !TP_WBALANCE_FLASH65;Nikon, Panasonic, Sony, Minolta @@ -2288,8 +4065,10 @@ !TP_WBALANCE_SOLUX47;Solux 4700K (vendor) !TP_WBALANCE_SOLUX47_NG;Solux 4700K (Nat. Gallery) !TP_WBALANCE_SPOTWB;Use the pipette to pick the white balance from a neutral patch in the preview. +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !TP_WBALANCE_TEMPERATURE;Temperature !TP_WBALANCE_TUNGSTEN;Tungsten !TP_WBALANCE_WATER1;UnderWater 1 diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index 2e791a7ea..9ac08cad1 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -2992,8 +2992,8 @@ TP_LOCALLAB_LOG;Codificación logarítmica TP_LOCALLAB_LOG1FRA;Ajustes de imagen CAM16 TP_LOCALLAB_LOG2FRA;Condiciones de visualización TP_LOCALLAB_LOGAUTO;Automático -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena cuando está pulsado el botón «Automático» en Niveles relativos de exposición. TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena. +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena cuando está pulsado el botón «Automático» en Niveles relativos de exposición. TP_LOCALLAB_LOGAUTO_TOOLTIP;Al pulsar este botón se calculará el «rango dinámico» y la «luminancia media» para las condiciones de la escena si está activada la casilla «Luminancia media automática (Yb%)».\nTambién se calcula la luminancia absoluta en el momento de la toma.\nPara ajustar los valores calculados automáticamente hay que volver a pulsar el botón. TP_LOCALLAB_LOGBASE_TOOLTIP;Valor predeterminado = 2.\nLos valores menores que 2 reducen la acción del algoritmo, haciendo las sombras más oscuras y las luces más brillantes.\nCon valores mayores que 2, las sombras son más grises y las luces son más desteñidas. TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valores estimados del Rango dinámico, por ejemplo Ev negro y Ev blanco @@ -4088,22 +4088,22 @@ xTP_LOCALLAB_LOGSURSOUR_TOOLTIP;Cambia los tonos y colores para tener en cuenta ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!HISTORY_MSG_446;EvPixelShiftMotion -!HISTORY_MSG_447;EvPixelShiftMotionCorrection -!HISTORY_MSG_448;EvPixelShiftStddevFactorGreen -!HISTORY_MSG_450;EvPixelShiftNreadIso -!HISTORY_MSG_451;EvPixelShiftPrnu -!HISTORY_MSG_454;EvPixelShiftAutomatic -!HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal -!HISTORY_MSG_456;EvPixelShiftNonGreenVertical -!HISTORY_MSG_458;EvPixelShiftStddevFactorRed -!HISTORY_MSG_459;EvPixelShiftStddevFactorBlue -!HISTORY_MSG_460;EvPixelShiftGreenAmaze -!HISTORY_MSG_461;EvPixelShiftNonGreenAmaze -!HISTORY_MSG_463;EvPixelShiftRedBlueWeight -!HISTORY_MSG_466;EvPixelShiftSum -!HISTORY_MSG_467;EvPixelShiftExp0 -!HISTORY_MSG_470;EvPixelShiftMedian3 +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_1149;Local - Q Sigmoid !HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q !ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater diff --git a/rtdata/languages/Espanol (Latin America) b/rtdata/languages/Espanol (Latin America) index c56bd5360..ca263e53c 100644 --- a/rtdata/languages/Espanol (Latin America) +++ b/rtdata/languages/Espanol (Latin America) @@ -2311,19 +2311,715 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !!!!!!!!!!!!!!!!!!!!!!!!! !CURVEEDITOR_CATMULLROM;Flexible -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_SHOWNOTTRASHHINT;Show only images not in trash. +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_494;Capture Sharpening -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations @@ -2331,12 +3027,81 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector !MAIN_FRAME_PLACES_DEL;Remove !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_FILMNEGATIVE;Film negative +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI mode !PREFERENCES_CHUNKSIZES;Tiles per thread !PREFERENCES_CHUNKSIZE_RAW_AMAZE;AMaZE demosaic @@ -2344,8 +3109,23 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_PERFORMANCE_MEASURE;Measure !PREFERENCES_PERFORMANCE_MEASURE_HINT;Logs processing times in console +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... !PROGRESSBAR_HLREC;Highlight reconstruction... @@ -2353,14 +3133,112 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !PROGRESSBAR_LINEDENOISE;Line noise filter... !PROGRESSBAR_RAWCACORR;Raw CA correction... !QUEUE_LOCATION_TITLE;Output Location +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatically selected @@ -2368,10 +3246,935 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LENSPROFILE_MODE_HEADER;Lens Profile !TP_LENSPROFILE_USE_GEOMETRIC;Geometric distortion !TP_LENSPROFILE_USE_HEADER;Correct +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_IMAGENUM_SN;SN mode +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_SHARPENING_BLUR;Blur radius !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index 29c91469b..cea68e635 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -736,6 +736,11 @@ HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;EB - Montrer carte de profondeur HISTORY_MSG_DEHAZE_STRENGTH;EB - Force HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Double dématriçage - Seuil auto HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Double dématriçage - Seuil de contraste +HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Réference Sortie +HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negativf Espace couleur +HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negatif +HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Référence entrée +HISTORY_MSG_FILMNEGATIVE_VALUES;Film negatif valeurs HISTORY_MSG_HISTMATCHING;Calcul Courbe Tonale svt Aperçu HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Sortie - Primaires HISTORY_MSG_ICM_OUTPUT_TEMP;Sortie - ICC-v4 illuminant D @@ -1431,10 +1436,10 @@ TP_COLORAPP_TEMP_TOOLTIP;Pour sélectionner un illuminant, toujours régler Tein TP_COLORAPP_TONECIE;Compression Tonale utilisant CIECAM02 TP_COLORAPP_TONECIE_TOOLTIP;Si cette option est désactivée, la compression tonale est faite dans l'espace Lab.\nSi cette options est activée, la compression tonale est faite en utilisant CIECAM02.\nL'outil Compression Tonale doit être activé pour que ce réglage prenne effet TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Luminance absolue de l'environnement de visionnage\n(souvent 16cd/m²) -TP_COLORAPP_YBOUT_TOOLTIP;Yb est la luminance relative de l'arrière plan, exprimée e % de gris. Un gris à 18% correspond à une luminance exprimée en CIE L de 50%.\nCette donnée prend en compte la luminance moyenne de l'image. -TP_COLORAPP_YBSCEN_TOOLTIP;Yb est la luminance relative du fond, exprimée en % de gris. 18 % de gris correspondent à une luminance de fond de 50 % exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image TP_COLORAPP_WBCAM;BB [RT+CAT02] + [sortie] TP_COLORAPP_WBRT;BB [RT] + [sortie] +TP_COLORAPP_YBOUT_TOOLTIP;Yb est la luminance relative de l'arrière plan, exprimée e % de gris. Un gris à 18% correspond à une luminance exprimée en CIE L de 50%.\nCette donnée prend en compte la luminance moyenne de l'image. +TP_COLORAPP_YBSCEN_TOOLTIP;Yb est la luminance relative du fond, exprimée en % de gris. 18 % de gris correspondent à une luminance de fond de 50 % exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image TP_COLORTONING_AB;o C/L TP_COLORTONING_AUTOSAT;Automatique TP_COLORTONING_BALANCE;Balance @@ -1625,6 +1630,22 @@ TP_EXPOSURE_TCMODE_STANDARD;Standard TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Standard Pondéré TP_EXPOS_BLACKPOINT_LABEL;Points Noir Raw TP_EXPOS_WHITEPOINT_LABEL;Points Blanc Raw +TP_FILMNEGATIVE_BLUE;Ratio bleu +TP_FILMNEGATIVE_BLUEBALANCE;Froid/Chaud +TP_FILMNEGATIVE_COLORSPACE;Inversion espace couleur: +TP_FILMNEGATIVE_COLORSPACE_INPUT;Espace couleur -entrée +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Sélectionnez l'espace colorimétrique utilisé pour effectuer l'inversion négative :\nEspace colorimétrique d'entrée : effectuez l'inversion avant l'application du profil d'entrée, comme dans les versions précédentes de RT.\nEspace colorimétrique de travail< /b> : effectue l'inversion après le profil d'entrée, en utilisant le profil de travail actuellement sélectionné. +TP_FILMNEGATIVE_COLORSPACE_WORKING;Espace couleur de travail +TP_FILMNEGATIVE_GREEN;Exposant de référence +TP_FILMNEGATIVE_GREENBALANCE;Magenta/Vert +TP_FILMNEGATIVE_GUESS_TOOLTIP;Définissez automatiquement les ratios rouge et bleu en choisissant deux patchs qui avaient une teinte neutre (pas de couleur) dans la scène d'origine. Les patchs doivent différer en luminosité. +TP_FILMNEGATIVE_LABEL;Film Negatif +TP_FILMNEGATIVE_OUT_LEVEL;Niveau de sortie +TP_FILMNEGATIVE_PICK;Choix des endroits neutres +TP_FILMNEGATIVE_RED;Ratio Rouge +TP_FILMNEGATIVE_REF_LABEL;Entrée RGB: %1 +TP_FILMNEGATIVE_REF_PICK;Choisissez le point de la balance des blancs +TP_FILMNEGATIVE_REF_TOOLTIP;Choisissez un patch gris pour équilibrer les blancs de la sortie, image positive. TP_FILMSIMULATION_LABEL;Simulation de Film TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee est configuré pour rechercher les images Hald CLUT, qui sont utilisées pour l'outil Simulation de Film, dans un dossier qui prends trop de temps à se charger.\nAllez dans Préférences > Traitement de l'image > Simulation de Film\npour voir quel dossier est utilisé. Vous devriez soit pointer RawTherapee vers un dossier qui ne contient que les images Hald CLUT et rien d'autre, ou un dossier vide si vous ne voulez pas utiliser l'outil Simulation de Film.\n\nLisez l'article Simulation de Film dans RawPedia pour plus d'information.\n\nVoulez-vous abandonner la recherche maintenant? TP_FILMSIMULATION_STRENGTH;Force @@ -1775,8 +1796,8 @@ TP_LOCALLAB_BLCO;Chrominance seulement TP_LOCALLAB_BLENDMASKCOL;Mélange - fusion TP_LOCALLAB_BLENDMASKMASK;Ajout/soustrait masque Luminance TP_LOCALLAB_BLENDMASKMASKAB;Ajout/soustrait masque Chro. -TP_LOCALLAB_BLENDMASK_TOOLTIP;Si fusion = 0 seule la détection de forme est améliorée.\nSi fusion > 0 le masque est ajouté à l'image. Si fusion < 0 le masque est soustrait à l'image TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;Si ce curseur = 0 pas d'action.\nAjoute ou soustrait le masque de l'image originale +TP_LOCALLAB_BLENDMASK_TOOLTIP;Si fusion = 0 seule la détection de forme est améliorée.\nSi fusion > 0 le masque est ajouté à l'image. Si fusion < 0 le masque est soustrait à l'image TP_LOCALLAB_BLGUID;Filtre guidé TP_LOCALLAB_BLINV;Inverse TP_LOCALLAB_BLLC;Luminance & Chrominance @@ -1786,18 +1807,18 @@ TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal - direct floute et bruite avec tous les rég TP_LOCALLAB_BLNOI_EXP;Flouter & Bruit TP_LOCALLAB_BLNORM;Normal TP_LOCALLAB_BLSYM;Symétrique -TP_LOCALLAB_BLURCOLDE_TOOLTIP;L'image pour calculer dE est légèrement floutéeafin d'éviter de prendre en compte des pixels isolés. TP_LOCALLAB_BLUFR;Flouter - Grain - Debruiter TP_LOCALLAB_BLUMETHOD_TOOLTIP;Pour flouter l'arrère plan et isoler le premier plan:\n*Flouter l'arrière plan avec un RT-spot couvrant totalement l'image (valeurs élevées Etendue et transition) - normal ou inverse.\n*Isoler le premier plan avec un ou plusieurs RT-spot Exclusion avec l'outils que vous voulez (accroître Etendue).\n\nCe module peut être utilisé en réduction de bruit additionnelle,incluant un "median" et un "Filtre Guidé" TP_LOCALLAB_BLUR;Flou Gaussien - Bruit - Grain TP_LOCALLAB_BLURCBDL;Flouter niveaux 0-1-2-3-4 TP_LOCALLAB_BLURCOL;Rayon floutage +TP_LOCALLAB_BLURCOLDE_TOOLTIP;L'image pour calculer dE est légèrement floutéeafin d'éviter de prendre en compte des pixels isolés. TP_LOCALLAB_BLURDE;Flouter la détection de forme TP_LOCALLAB_BLURLC;Luminance seulement TP_LOCALLAB_BLURLEVELFRA;Flouter niveaux TP_LOCALLAB_BLURMASK_TOOLTIP;Génère un masque flou, prend en compte la structure avec le curseur de seuil de contraste du Masque flou. -TP_LOCALLAB_BLURRMASK_TOOLTIP;Vous permet de faire varier "rayon" du flou Gaussien (0 to 1000) TP_LOCALLAB_BLURRESIDFRA;Flouter image Résiduelle +TP_LOCALLAB_BLURRMASK_TOOLTIP;Vous permet de faire varier "rayon" du flou Gaussien (0 to 1000) TP_LOCALLAB_BLUR_TOOLNAME;Flouter/Grain & Réduction du Bruit - 1 TP_LOCALLAB_BLWH;Tous les changements forcés en noir et blanc TP_LOCALLAB_BLWH_TOOLTIP;Force le changement de la composante "a" et "b" à zéro.\nUtile quand l'utilisateur choisit un processus noir et blanc, ou un film. @@ -1807,14 +1828,14 @@ TP_LOCALLAB_BUTTON_DUPL;Dupliquer TP_LOCALLAB_BUTTON_REN;Renommer TP_LOCALLAB_BUTTON_VIS;Montrer/Cacher TP_LOCALLAB_BWFORCE;Utilise Black Ev & White Ev -TP_LOCALLAB_CAM16_FRA;Cam16 Adjustements Image TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Pic Luminance) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapté au CAM16. Vous permet de modifier la fonction PQ interne (généralement 10 000 cd/m2 - 100 cd/m2 par défaut - désactivée pour 100 cd/m2).\nPeut être utilisé pour s'adapter à différents appareils et images. +TP_LOCALLAB_CAM16_FRA;Cam16 Adjustements Image TP_LOCALLAB_CAMMODE;CAM modèle TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 -TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CBDL;Contr. par niveaux détail TP_LOCALLAB_CBDLCLARI_TOOLTIP;Ajuste les tons moyens et les réhausse. TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Agit comme un outil ondelettes.\nLe premier niveau (0) agit sur des détails de 2x2.\nLe dernier niveau (5) agit sur des détails de 64x64. @@ -1832,31 +1853,30 @@ TP_LOCALLAB_CHROMALEV;Niveaux de Chroma TP_LOCALLAB_CHROMASKCOL;Chroma TP_LOCALLAB_CHROMASK_TOOLTIP;Vous pouvez utiliser ce curseur pour désaturer l'arrière plan (inverse masque - courbe proche de 0).\nEgalement pour atténier ou accroître l'action du masque sur la chroma TP_LOCALLAB_CHRRT;Chroma -TP_LOCALLAB_CIE_TOOLNAME;Apparance de couleurs (Cam16 & JzCzHz) TP_LOCALLAB_CIE;Apparance de couleurs(Cam16 & JzCzHz) TP_LOCALLAB_CIEC;Utilise les paramètres de CIECAM TP_LOCALLAB_CIECAMLOG_TOOLTIP;Ce module est basé sur le modèle d'apparence des couleurs CIECAM qui a été conçu pour mieux simuler la façon dont la vision humaine perçoit les couleurs dans différentes conditions d'éclairage. le moment de la prise de vue.\nLe deuxième processus Ciecam "Réglages d'image" est simplifié et n'utilise que 3 variables (contraste local, contraste J, saturation s).\nLe troisième processus Ciecam "Conditions de visualisation" adapte la sortie aux conditions de visualisation souhaitées ( moniteur, téléviseur, projecteur, imprimante, etc.) afin que l'aspect chromatique et le contraste soient préservés dans l'environnement d'affichage. +TP_LOCALLAB_CIECOLORFRA;Couleur +TP_LOCALLAB_CIECONTFRA;Contraste +TP_LOCALLAB_CIELIGHTCONTFRA;Eclaircir & Contraste +TP_LOCALLAB_CIELIGHTFRA;Eclaicir TP_LOCALLAB_CIEMODE;Change position outils TP_LOCALLAB_CIEMODE_COM;Défaut TP_LOCALLAB_CIEMODE_DR;Dynamic Range -TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -TP_LOCALLAB_CIEMODE_WAV;Ondelettes TP_LOCALLAB_CIEMODE_LOG;Log Encoding -!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. "Mask and modifications" and "Recovery based on luminance mask" are available for"Cam16 and JzCzHz" at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use "Mask and modifications" and "Recovery based on luminance mask" +TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;En Mode par défaut, Ciecam est ajouté en fin de processus. "Masque et modifications" et "Recovery based on luminance mask" sont disponibles pour "Cam16 et JzCzHz" à votre disposition.\nVous pouvez également intégrer Ciecam dans d'autres outils si vous le souhaitez (TM, Wavelet, Dynamic Range, Log Encoding). Les résultats pour ces outils seront différents de ceux sans Ciecam. Dans ce mode, vous pouvez également utiliser "Masque et modifications" et "Récupération basée sur le masque de luminance" +TP_LOCALLAB_CIEMODE_WAV;Ondelettes TP_LOCALLAB_CIETOOLEXP;Courbes -TP_LOCALLAB_CIECOLORFRA;Couleur -TP_LOCALLAB_CIECONTFRA;Contraste -TP_LOCALLAB_CIELIGHTFRA;Eclaicir -TP_LOCALLAB_CIELIGHTCONTFRA;Eclaircir & Contraste +TP_LOCALLAB_CIE_TOOLNAME;Apparance de couleurs (Cam16 & JzCzHz) TP_LOCALLAB_CIRCRADIUS;Taille Spot TP_LOCALLAB_CIRCRAD_TOOLTIP;Contient les références du RT-spot, utile pour la détection de forme (couleur, luma, chroma, Sobel).\nLes faibles valeurs peuvent être utiles pour les feuillages.\nLes valeurs élevées peuvent être utile pour la peau TP_LOCALLAB_CLARICRES;Fusion Chroma TP_LOCALLAB_CLARIFRA;Clarté & Masque netteté/Fusion & adoucir TP_LOCALLAB_CLARIJZ_TOOLTIP;En dessous ou égal à 4, 'Masque netteté' est actif.\nAu dessus du niveau ondelettes 5 'Clarté' est actif. -TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;Le curseur « Rayon adoucir » (algorithme de filtre guidé) réduit les halos et les irrégularités pour les ondelettes de clarté, de masque net et de contraste local Jz. TP_LOCALLAB_CLARILRES;Fusion Luma TP_LOCALLAB_CLARISOFT;Rayon adoucir +TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;Le curseur « Rayon adoucir » (algorithme de filtre guidé) réduit les halos et les irrégularités pour les ondelettes de clarté, de masque net et de contraste local Jz. TP_LOCALLAB_CLARISOFT_TOOLTIP;Actif pour Clarté et Masque de netteté si différent de zéro.\n\nActif pour toutes les pyramides ondelettes.\nInactif si rayon = 0 TP_LOCALLAB_CLARITYML;Clarté TP_LOCALLAB_CLARI_TOOLTIP;En dessous ou égal à 4, 'Masque netteté' est actif.\nAu dessus du niveau ondelettes 5 'Clarté' est actif.\nUtilesu=i vous utilisez 'Compression dynamique des niveaux' @@ -1888,8 +1908,8 @@ TP_LOCALLAB_CSTHRESHOLD;Ondelettes niveaux TP_LOCALLAB_CSTHRESHOLDBLUR;Masque Ondelettes niveau TP_LOCALLAB_CURV;Luminosité - Contraste - Chrominance "Super" TP_LOCALLAB_CURVCURR;Normal -TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;Si la courbe est au sommet, le masque est compétement noir aucune transformation n'est réalisée par le masque sur l'image.\nQuand vous descendez la courbe, progressivement le masque va se colorer et s'éclaicir, l'image change de plus en plus.\n\nIl est recommendé (pas obligatoire) de positionner le sommet des courbes curves sur la ligne de transition grise qui représnte les références (chroma, luma, couleur). TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;Si la courbe est au sommet,le masque est compétement noir aucune transformation n'est réalisée par le masque sur l'image.\nQuand vous descendez la courbe, progressivement le masque va se colorer et s'éclaicir, l'image change de plus en plus.\nVous pouvez choisir ou non de positionner le sommet de la courbe sur la transition. +TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;Si la courbe est au sommet, le masque est compétement noir aucune transformation n'est réalisée par le masque sur l'image.\nQuand vous descendez la courbe, progressivement le masque va se colorer et s'éclaicir, l'image change de plus en plus.\n\nIl est recommendé (pas obligatoire) de positionner le sommet des courbes curves sur la ligne de transition grise qui représnte les références (chroma, luma, couleur). TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;Pour être actif, vous devez activer la combobox 'Curves type' TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Courbe tonale TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), peut être utilisée avec L(H) dans Couleur et lumière @@ -1901,25 +1921,25 @@ TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) TP_LOCALLAB_CURVNONE;Désactive courbes TP_LOCALLAB_DARKRETI;Obscuirité TP_LOCALLAB_DEHAFRA;Elimination de la brume -TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Élimine la brume atmosphérique. Augmente généralement la saturation et les détails. \ N Peut supprimer les dominantes de couleur, mais peut également introduire une dominante bleue qui peut être corrigée à l'aide d'autres outils. TP_LOCALLAB_DEHAZ;Force +TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Élimine la brume atmosphérique. Augmente généralement la saturation et les détails. \ N Peut supprimer les dominantes de couleur, mais peut également introduire une dominante bleue qui peut être corrigée à l'aide d'autres outils. TP_LOCALLAB_DEHAZ_TOOLTIP;Valeurs Négatives ajoute de la brume TP_LOCALLAB_DELTAD;Delta balance TP_LOCALLAB_DELTAEC;Masque ΔE Image -TP_LOCALLAB_DENOIS;Ψ Réduction du bruit -TP_LOCALLAB_DENOI_EXP;Réduction du bruit -TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservatif préserve les fréquences basses, alors que agressif tend à les effacer.\nConservatif et agressif utilisent les ondelletes et DCT et peuvent être utilisées en conjonction avec "débruitage par morceaux - luminance" -TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Equilibre l'action de denoise luminance entre les ombres et les lumières TP_LOCALLAB_DENOI1_EXP;De-bruite basé sur masque luminance TP_LOCALLAB_DENOI2_EXP;Récupération basée sur masque luminance -TP_LOCALLAB_DENOI_TOOLTIP;Ce module peut être utilisé seul (à la fin du processus), ou en complément de Réduction du bruit (au début).\nEtendue(deltaE)permet de différencier l'action.\nVous pouvez compléter avec "median" ou "Filtre guidé" (Adoucir Flou...).\nVous pouvez compléter l'action avec "Flou niveaux" "Ondelette pyramide" -TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Permet de récupérer les détails de luminance par mise en oeuvre progressive de la transformée de Fourier (DCT) -TP_LOCALLAB_DENOICHROF_TOOLTIP;Agit sur les fins détails du bruit de chrominance +TP_LOCALLAB_DENOIBILAT_TOOLTIP;Traite le bruit d'impulsion (poivre et sel) TP_LOCALLAB_DENOICHROC_TOOLTIP;Agit sur les paquets et amas de bruit de chrominance TP_LOCALLAB_DENOICHRODET_TOOLTIP;Permet de récupérer les détails de chrominance par mise en oeuvre progressive de la transformée de Fourier (DCT) -TP_LOCALLAB_DENOITHR_TOOLTIP;Règle l'effet de bord pour privilégier l'action sur les aplats +TP_LOCALLAB_DENOICHROF_TOOLTIP;Agit sur les fins détails du bruit de chrominance TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Equilibre l'action de denoise chrominance entre les bleus-jaunes et les rouges-verts -TP_LOCALLAB_DENOIBILAT_TOOLTIP;Traite le bruit d'impulsion (poivre et sel) +TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Equilibre l'action de denoise luminance entre les ombres et les lumières +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Permet de récupérer les détails de luminance par mise en oeuvre progressive de la transformée de Fourier (DCT) +TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservatif préserve les fréquences basses, alors que agressif tend à les effacer.\nConservatif et agressif utilisent les ondelletes et DCT et peuvent être utilisées en conjonction avec "débruitage par morceaux - luminance" +TP_LOCALLAB_DENOIS;Ψ Réduction du bruit +TP_LOCALLAB_DENOITHR_TOOLTIP;Règle l'effet de bord pour privilégier l'action sur les aplats +TP_LOCALLAB_DENOI_EXP;Réduction du bruit +TP_LOCALLAB_DENOI_TOOLTIP;Ce module peut être utilisé seul (à la fin du processus), ou en complément de Réduction du bruit (au début).\nEtendue(deltaE)permet de différencier l'action.\nVous pouvez compléter avec "median" ou "Filtre guidé" (Adoucir Flou...).\nVous pouvez compléter l'action avec "Flou niveaux" "Ondelette pyramide" TP_LOCALLAB_DEPTH;Profondeur TP_LOCALLAB_DETAIL;Contraste local TP_LOCALLAB_DETAILFRA;Détection bord - DCT @@ -1949,8 +1969,8 @@ TP_LOCALLAB_EXCLUF_TOOLTIP;Peut être utilsé pour exclure une partie des donné TP_LOCALLAB_EXCLUTYPE;Spot méthode TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Spot Normal utilise les données récursives.\n\nSpot exclusion réinitialise les données d'origine.\nPeut être utilsé pour annuler totalement ou partiellement une action précédente ou pour réaliser un mode inverse.\n\nImage entière vous permet d'utiliser 'local adjustments" sur le totalité de l'image.\nLes délimiteurs sont positionnés au delà de la prévisualisation\nTransition est mis à 100.\nVous pouvez avoir à repositionner le Spot ainsi que sa taille pour obtenir les effets désirés.\nNotez que l'utilisation de De-bruite, ondelettes, FFTW en image entière va utiliser de grosses quantités de mémoire, et peut amener l'application à 'planter' sur des systèmes à faible capacité. TP_LOCALLAB_EXECLU;Spot Exclusion -TP_LOCALLAB_EXNORM;Spot Normal TP_LOCALLAB_EXFULL;Image entière +TP_LOCALLAB_EXNORM;Spot Normal TP_LOCALLAB_EXPCBDL_TOOLTIP;Peut être utilisé pour retirer les marques sur le capteur ou la lentille. TP_LOCALLAB_EXPCHROMA;Chroma compensation TP_LOCALLAB_EXPCHROMA_TOOLTIP;Seulement en association avec compensation d'exposition et PDE Ipol.\nEvite la desaturation des couleurs @@ -2018,103 +2038,60 @@ TP_LOCALLAB_GRAINFRA;Film Grain 1:1 TP_LOCALLAB_GRAIN_TOOLTIP;Ajoute du grain pour simuler un film TP_LOCALLAB_GRALWFRA;Filtre Gradué Local contraste TP_LOCALLAB_GRIDFRAME_TOOLTIP;Vous pouvez utiliser cet outil comme une brosse. Utiliser un petit Spot et adaptez transition et transition affaiblissement\nSeulement en mode NORMAL et éventuellement Teinte, Saturation, Couleur, Luminosité sont concernés par Fusion arrire plan (ΔE) +TP_LOCALLAB_GRIDMETH_TOOLTIP;Virage partiel: la luminance est prise en compte quand varie la chroma -Equivalent de H=f(H) si le "point blanc" sur la grille the grid est à zéro et vous faites varier le "point noir" -Equivalent de "Virage partiel" si vous faites varier les 2 points.\n\nDirect: agit directement sur la chroma TP_LOCALLAB_GRIDONE;Virage partiel TP_LOCALLAB_GRIDTWO;Direct -TP_LOCALLAB_GRIDMETH_TOOLTIP;Virage partiel: la luminance est prise en compte quand varie la chroma -Equivalent de H=f(H) si le "point blanc" sur la grille the grid est à zéro et vous faites varier le "point noir" -Equivalent de "Virage partiel" si vous faites varier les 2 points.\n\nDirect: agit directement sur la chroma TP_LOCALLAB_GUIDBL;Rayon adoucir +TP_LOCALLAB_GUIDBL_TOOLTIP;Applique un filtre guidé avec un rayon donné, pour réduire les artefacts ou flouter l'image +TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Détail - agit sur la répartition du filtre guidé, les valeurs négatives simulent un flou gaussien TP_LOCALLAB_GUIDFILTER;Rayon Filtre Guidé TP_LOCALLAB_GUIDFILTER_TOOLTIP;Adapter cette valeur en fonction des images - peut réduire ou accroître les artéfacts. -TP_LOCALLAB_GUIDBL_TOOLTIP;Applique un filtre guidé avec un rayon donné, pour réduire les artefacts ou flouter l'image TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Force du filtre guidé -TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Détail - agit sur la répartition du filtre guidé, les valeurs négatives simulent un flou gaussien TP_LOCALLAB_HHMASK_TOOLTIP;Ajustements fin de la teinte par exemple pour la peau. TP_LOCALLAB_HIGHMASKCOL;Hautes lumières masque TP_LOCALLAB_HLH;H TP_LOCALLAB_IND;Independant (souris) TP_LOCALLAB_INDSL;Independant (souris + curseurs) +TP_LOCALLAB_INVBL_TOOLTIP;Alternative\nPremier Spot:\n image entière - delimiteurs en dehors de la prévisualisation\n RT-spot forme sélection : rectangle. Transition 100\n\nDeuxième spot : Spot Exclusion TP_LOCALLAB_INVERS;Inverse TP_LOCALLAB_INVERS_TOOLTIP;Si sélectionné (inverse) moins de possibilités.\n\nAlternative\nPremier Spot:\n image entière - delimiteurs en dehors de la prévisualisation\n RT-spot forme sélection : rectangle. Transition 100\n\nDeuxième spot : Spot Exclusion -TP_LOCALLAB_INVBL_TOOLTIP;Alternative\nPremier Spot:\n image entière - delimiteurs en dehors de la prévisualisation\n RT-spot forme sélection : rectangle. Transition 100\n\nDeuxième spot : Spot Exclusion TP_LOCALLAB_INVMASK;Algorithme inverse TP_LOCALLAB_ISOGR;Plus gros (ISO) TP_LOCALLAB_JAB;Utilise Black Ev & White Ev TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAjuste automatiquement la relation entre Jz et la saturation en tenant compte de la "luminance absolue". TP_LOCALLAB_JZ100;Jz référence 100cd/m2 -TP_LOCALLAB_JZCLARILRES;Fusion luma Jz +TP_LOCALLAB_JZ100_TOOLTIP;Ajuste automatiquement le niveau de référence Jz 100 cd/m2 (signal d'image).\nModifie le niveau de saturation et l'action de "l'adaptation PU" (adaptation uniforme perceptuelle). +TP_LOCALLAB_JZADAP;PU adaptation +TP_LOCALLAB_JZCH;Chroma +TP_LOCALLAB_JZCHROM;Chroma TP_LOCALLAB_JZCLARICRES;Fusion chroma Cz +TP_LOCALLAB_JZCLARILRES;Fusion luma Jz +TP_LOCALLAB_JZCONT;Contraste TP_LOCALLAB_JZFORCE;Force max Jz à 1 TP_LOCALLAB_JZFORCE_TOOLTIP;Vous permet de forcer la valeur Jz maximale à 1 pour une meilleure réponse du curseur et de la courbe TP_LOCALLAB_JZFRA;Jz Cz Hz Ajustements Image +TP_LOCALLAB_JZHFRA;Courbes Hz +TP_LOCALLAB_JZHJZFRA;Courbe Jz(Hz) +TP_LOCALLAB_JZHUECIE;Rotation de teinte +TP_LOCALLAB_JZLIGHT;Brightness +TP_LOCALLAB_JZLOG;Log encoding Jz +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Les réglages Black Ev et White Ev peuvent être différents selon que l'encodage Log ou Sigmoid est utilisé.\nPour Sigmoid, un changement (augmentation dans la plupart des cas) de White Ev peut être nécessaire pour obtenir un meilleur rendu des hautes lumières, du contraste et de la saturation. +TP_LOCALLAB_JZLOGWB_TOOLTIP;Si Auto est activé, il calculera et ajustera les niveaux Ev et la 'luminance moyenne Yb%' pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Jz, y compris "Log Encoding Jz".\nCalcule également la luminance absolue au moment de la prise de vue. +TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb est la luminance relative du fond, exprimée en pourcentage de gris. 18 % de gris correspond à une luminance d'arrière-plan de 50 % lorsqu'elle est exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image.\nLorsqu'elle est utilisée avec Log Encoding, la luminance moyenne est utilisée pour déterminer la quantité de gain nécessaire à appliquer au signal avant le codage logarithmique. Des valeurs inférieures de luminance moyenne se traduiront par un gain accru. TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (uniquement en mode 'Avancé'). Opérationnel uniquement si le périphérique de sortie (moniteur) est HDR (luminance crête supérieure à 100 cd/m2 - idéalement entre 4000 et 10000 cd/m2. Luminance du point noir inférieure à 0,005 cd/m2). Cela suppose a) que l'ICC-PCS pour l'écran utilise Jzazbz (ou XYZ), b) fonctionne en précision réelle, c) que le moniteur soit calibré (si possible avec un gamut DCI-P3 ou Rec-2020), d) que le gamma habituel (sRGB ou BT709) est remplacé par une fonction Perceptual Quantiser (PQ). TP_LOCALLAB_JZPQFRA;Jz remappage TP_LOCALLAB_JZPQFRA_TOOLTIP;Permet d'adapter l'algorithme Jz à un environnement SDR ou aux caractéristiques (performances) d'un environnement HDR comme suit :\n a) pour des valeurs de luminance comprises entre 0 et 100 cd/m2, le système se comporte comme s'il était dans un environnement SDR .\n b) pour des valeurs de luminance comprises entre 100 et 10000 cd/m2, vous pouvez adapter l'algorithme aux caractéristiques HDR de l'image et du moniteur.\n\nSi "PQ - Peak luminance" est réglé sur 10000, "Jz remappping" se comporte de la même manière que l'algorithme original de Jzazbz. TP_LOCALLAB_JZPQREMAP;PQ - Pic luminance TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - vous permet de modifier la fonction PQ interne (généralement 10000 cd/m2 - par défaut 120 cd/m2).\nPeut être utilisé pour s'adapter à différentes images, processus et appareils. -TP_LOCALLAB_JZ100_TOOLTIP;Ajuste automatiquement le niveau de référence Jz 100 cd/m2 (signal d'image).\nModifie le niveau de saturation et l'action de "l'adaptation PU" (adaptation uniforme perceptuelle). -TP_LOCALLAB_JZADAP;PU adaptation -TP_LOCALLAB_JZFRA;Jz Cz Hz Adjustments Images -TP_LOCALLAB_JZLIGHT;Brightness -TP_LOCALLAB_JZCONT;Contraste -TP_LOCALLAB_JZCH;Chroma -TP_LOCALLAB_JZCHROM;Chroma -TP_LOCALLAB_JZHFRA;Courbes Hz -TP_LOCALLAB_JZHJZFRA;Courbe Jz(Hz) -TP_LOCALLAB_JZHUECIE;Rotation de teinte -TP_LOCALLAB_JZLOGWB_TOOLTIP;Si Auto est activé, il calculera et ajustera les niveaux Ev et la 'luminance moyenne Yb%' pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Jz, y compris "Log Encoding Jz".\nCalcule également la luminance absolue au moment de la prise de vue. -TP_LOCALLAB_JZLOGWBS_TOOLTIP;Les réglages Black Ev et White Ev peuvent être différents selon que l'encodage Log ou Sigmoid est utilisé.\nPour Sigmoid, un changement (augmentation dans la plupart des cas) de White Ev peut être nécessaire pour obtenir un meilleur rendu des hautes lumières, du contraste et de la saturation. +TP_LOCALLAB_JZQTOJ;Luminance relative +TP_LOCALLAB_JZQTOJ_TOOLTIP;Vous permet d'utiliser "Luminance relative" au lieu de "Luminance absolue" - Brightness devient Lightness.\nLes changements affectent : le curseur Luminosité, le curseur Contraste et la courbe Jz(Jz). TP_LOCALLAB_JZSAT;Saturation TP_LOCALLAB_JZSHFRA;Ombres/Lumières Jz TP_LOCALLAB_JZSOFTCIE;Rayon adoucir (GuidedFilter) -TP_LOCALLAB_JZTARGET_EV;Luminance moyenne (Yb%) TP_LOCALLAB_JZSTRSOFTCIE;GuidedFilter Force -TP_LOCALLAB_JZQTOJ;Luminance relative -TP_LOCALLAB_JZQTOJ_TOOLTIP;Vous permet d'utiliser "Luminance relative" au lieu de "Luminance absolue" - Brightness devient Lightness.\nLes changements affectent : le curseur Luminosité, le curseur Contraste et la courbe Jz(Jz). +TP_LOCALLAB_JZTARGET_EV;Luminance moyenne (Yb%) TP_LOCALLAB_JZTHRHCIE;Seuik Chroma pour Jz(Hz) TP_LOCALLAB_JZWAVEXP;Ondelettes Jz -TP_LOCALLAB_JZLOG;Log encoding Jz -TP_LOCALLAB_LOG;Log Encoding -TP_LOCALLAB_LOG1FRA;CAM16 Adjustment Images -TP_LOCALLAB_LOG2FRA;Conditions de visionnage -TP_LOCALLAB_LOGAUTO;Automatique -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène lorsque le bouton « Automatique » dans les niveaux d'exposition relatifs est enfoncé. -TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène. -TP_LOCALLAB_LOGAUTO_TOOLTIP;Appuyez sur ce bouton pour calculer la plage dynamique et la « Luminance moyenne » pour les conditions de la scène si la « Luminance moyenne automatique (Yb %) » est cochée).\nCalcule également la luminance absolue au moment de la prise de vue.\nAppuyez à nouveau sur le bouton pour ajuster les valeurs calculées automatiquement. -TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées du dynamic range entre Black Ev et White Ev -TP_LOCALLAB_LOGCATAD_TOOLTIP;L'adaptation chromatique permet d'interpréter une couleur en fonction de son environnement spatio-temporel.\nUtile lorsque la balance des blancs s'écarte sensiblement de la référence D50.\nAdapte les couleurs à l'illuminant du périphérique de sortie. -TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) -TP_LOCALLAB_LOGCIE;Log encoding au lieu de Sigmoid -TP_LOCALLAB_LOGCIE_TOOLTIP;Vous permet d'utiliser Black Ev, White Ev, Scene Mean luminance (Yb%) et Viewing Mean luminance (Yb%) pour le mappage des tons à l'aide de l'encodage Log Q. -TP_LOCALLAB_LOGCONQL;Contraste (Q) -TP_LOCALLAB_LOGCONTL;Contraste (J) -TP_LOCALLAB_LOGCOLORF_TOOLTIP;Quantité de teinte perçue par rapport au gris.\nIndicateur qu'un stimulus apparaît plus ou moins coloré. -TP_LOCALLAB_LOGCONTL_TOOLTIP;Le contraste (J) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminance -TP_LOCALLAB_LOGCONTQ_TOOLTIP;Le contraste (Q) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminosité (brightness). -TP_LOCALLAB_LOGCONTHRES;Contrast seuil (J & Q) -TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Ajuste la plage de contraste des tons moyens (J et Q).\nLes valeurs positives réduisent progressivement l'effet des curseurs Contraste (J et Q). Les valeurs négatives augmentent progressivement l'effet des curseurs Contraste. -TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. -TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. -TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. -TP_LOCALLAB_LOGDETAIL_TOOLTIP;Agit principalement sur les hautes frequences. -TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUtile pour les images sous-exposées ou les images avec une plage dynamique élevée.\n\nProcessus en deux étapes : 1) Calcul de la plage dynamique 2) Réglage manuel -TP_LOCALLAB_LOGEXP;Tous les outils -TP_LOCALLAB_LOGFRA;Scene Conditions -TP_LOCALLAB_LOGFRAME_TOOLTIP;Vous permet de calculer et d'ajuster les niveaux Ev et la 'luminance moyenne Yb%' (point gris source) pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Lab et la plupart des opérations RVB du pipeline.\nCalcule également la luminance absolue au moment de la prise de vue. -TP_LOCALLAB_LOGIMAGE_TOOLTIP;Prend en compte les variables Ciecam correspondantes : c'est-à-dire le contraste (J) et la saturation (s), ainsi que le contraste (Q), la luminosité (Q), la luminosité (J) et la couleur (M) (en mode avancé) -TP_LOCALLAB_LOGLIGHTL;Lightness (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Proche de lightness (L*a*b*). Prend en compte l'augmentation de la coloration perçue -TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) -TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Quantité de lumière perçue émanant d'un stimulus.\nIndicateur qu'un stimulus semble être plus ou moins brillant, clair. -TP_LOCALLAB_LOGLIN;Logarithm mode -TP_LOCALLAB_LOGPFRA;Niveaux Exposition relatifs -TP_LOCALLAB_LOGREPART;Force Globale -TP_LOCALLAB_LOGREPART_TOOLTIP;Vous permet d'ajuster la force relative de l'image encodée en journal par rapport à l'image d'origine.\nN'affecte pas le composant Ciecam. -TP_LOCALLAB_LOGSATURL_TOOLTIP;La saturation(s) dans CIECAM16 correspond à la couleur d'un stimulus par rapport à sa propre luminosité.\nAgit principalement sur les tons moyens et sur les hautes lumières. -TP_LOCALLAB_LOGSCENE_TOOLTIP;Correspond aux conditions de prise de vue. -TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Modifie les tonalités et les couleurs pour prendre en compte les conditions de la scène.\n\nMoyen : conditions d'éclairage moyennes (standard). L'image ne changera pas.\n\nDim : conditions de luminosité. L'image deviendra légèrement plus lumineuse.\n\nSombre : conditions sombres. L'image deviendra plus lumineuse. -TP_LOCALLAB_LOGVIEWING_TOOLTIP;Correspond au support sur lequel sera visualisée l'image finale (moniteur, TV, projecteur, imprimante...), ainsi qu'aux conditions environnantes. -TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb est la luminance relative du fond, exprimée en pourcentage de gris. 18 % de gris correspond à une luminance d'arrière-plan de 50 % lorsqu'elle est exprimée en CIE L.\nLes données sont basées sur la luminance moyenne de l'image.\nLorsqu'elle est utilisée avec Log Encoding, la luminance moyenne est utilisée pour déterminer la quantité de gain nécessaire à appliquer au signal avant le codage logarithmique. Des valeurs inférieures de luminance moyenne se traduiront par un gain accru. -TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LABBLURM;Masque Flouter TP_LOCALLAB_LABEL;Ajustements Locaux TP_LOCALLAB_LABGRID;Grille correction couleurs @@ -2125,8 +2102,8 @@ TP_LOCALLAB_LAPLACC;ΔØ Masque Laplacien résoud PDE TP_LOCALLAB_LAPLACE;Laplacien seuil ΔE TP_LOCALLAB_LAPLACEXP;Laplacien seuil TP_LOCALLAB_LAPMASKCOL;Laplacien seuil -TP_LOCALLAB_LAPRAD_TOOLTIP;Eviter d'utiliser Radius and Laplace Seuil en même temps.\nLaplacien seuil reduit le contraste, artéfacts, adoucit le résultat. TP_LOCALLAB_LAPRAD1_TOOLTIP;Eviter d'utiliser Radius and Laplace Seuil en même temps.\nTransforme le masque pour éliminer les valeurs inférieures au seuil.\nReduit les artefacts et le bruit, et permet une modification du contraste local. +TP_LOCALLAB_LAPRAD_TOOLTIP;Eviter d'utiliser Radius and Laplace Seuil en même temps.\nLaplacien seuil reduit le contraste, artéfacts, adoucit le résultat. TP_LOCALLAB_LAP_MASK_TOOLTIP;Résoud PDE (Equation aux dérivées partielles) pour tous les masques Laplacien.\nSi activé Laplacien masque seuil reduit les artéfacts et adoucit les résultats.\nSi désactivé réponse linaire. TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT améliore la qualité et autorise de grands rayons, mais accroît les temps de traitement.\nCe temps dépends de la surface devant être traitée.\nA utiliser de préférences pour de grands rayons.\n\nLes Dimensions peuvent être réduites de quelques pixels pour optimiser FFTW.\nCette optimisation peut réduire le temps de traitement d'un facteur de 1.5 à 10.\n TP_LOCALLAB_LC_TOOLNAME;Constraste Local & Ondelettes - 7 @@ -2150,108 +2127,112 @@ TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramide 2: TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contr. par niveaux/TM/Cont.Dir. TP_LOCALLAB_LOC_CONTRASTPYRLAB; Filtre Gradué/Netteté bords/Flou TP_LOCALLAB_LOC_RESIDPYR;Image Residuelle -TP_LOCALLAB_LOG;Codage logbwforce -TP_LOCALLAB_LOG1FRA;Ajustements Image +TP_LOCALLAB_LOG;Log Encoding +TP_LOCALLAB_LOG1FRA;CAM16 Adjustment Images TP_LOCALLAB_LOG2FRA;Conditions de visionnage TP_LOCALLAB_LOGAUTO;Automatique -TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la 'luminance moyenne' pour les conditons de prise de vue quand le bouton ‘Automatique’ dans Niveaux d'Exposition Relatif est pressé. -TP_LOCALLAB_LOGAUTO_TOOLTIP;Presser ce bouton va amener une évaluation an evaluation de l'amplitude dynamique et du point gris "source" (Si "Automatique" Source gris activé).\nPour être autorisé à retoucher les valeurs automatiques, presser le bouton à nouveau -TP_LOCALLAB_LOGBASE_TOOLTIP;Défaut = 2.\nValeurs inférieures à 2 réduisent l'action de l'algorithme, les ombres sont plus sombres, les hautes lumières plus brillantes.\nValeurs supérieures à 2 changent l'action de l'algorithme, les ombres sont plus grises, les hautes lumières lavées -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées de la plage Dynamique - Noir Ev et Blanc Ev -TP_LOCALLAB_LOGCATAD_TOOLTIP;L'adaptation chromatique vous permet d'interpreter une couleur en se référant à son environnement spatio-temporel.\nUtile lorsque la balance des blancs est loin de D50.\nAdapte les couleurs à l'illuminant du périphérque de sortie. -TP_LOCALLAB_LOGCOLORFL;Niveau de couleurs (M) -TP_LOCALLAB_LOGCOLORF_TOOLTIP;Taux de perception de la teinte en relation au gris.\nIndicateur qu'un stimulus apparaît plus ou moins coloré. +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène. +TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène lorsque le bouton « Automatique » dans les niveaux d'exposition relatifs est enfoncé. +TP_LOCALLAB_LOGAUTO_TOOLTIP;Appuyez sur ce bouton pour calculer la plage dynamique et la « Luminance moyenne » pour les conditions de la scène si la « Luminance moyenne automatique (Yb %) » est cochée).\nCalcule également la luminance absolue au moment de la prise de vue.\nAppuyez à nouveau sur le bouton pour ajuster les valeurs calculées automatiquement. +TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées du dynamic range entre Black Ev et White Ev +TP_LOCALLAB_LOGCATAD_TOOLTIP;L'adaptation chromatique permet d'interpréter une couleur en fonction de son environnement spatio-temporel.\nUtile lorsque la balance des blancs s'écarte sensiblement de la référence D50.\nAdapte les couleurs à l'illuminant du périphérique de sortie. +TP_LOCALLAB_LOGCIE;Log encoding au lieu de Sigmoid +TP_LOCALLAB_LOGCIE_TOOLTIP;Vous permet d'utiliser Black Ev, White Ev, Scene Mean luminance (Yb%) et Viewing Mean luminance (Yb%) pour le mappage des tons à l'aide de l'encodage Log Q. +TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +TP_LOCALLAB_LOGCOLORF_TOOLTIP;Quantité de teinte perçue par rapport au gris.\nIndicateur qu'un stimulus apparaît plus ou moins coloré. TP_LOCALLAB_LOGCONQL;Contraste (Q) +TP_LOCALLAB_LOGCONTHRES;Contrast seuil (J & Q) TP_LOCALLAB_LOGCONTL;Contraste (J) -TP_LOCALLAB_LOGCONTL_TOOLTIP;Contraste (J) CIECAM16 prend en compte l'accroissement de la perception colorée avec la luminance. -TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contraste (Q) CIECAM16 prend en compte l'accroissement de la perception colorée avec la brillance. -TP_LOCALLAB_LOGDETAIL_TOOLTIP;Agit principalment sur les hautes fréquences. -TP_LOCALLAB_LOGENCOD_TOOLTIP;Autorise 'Tone Mapping' avec codage Logarithmique (ACES).\nUtile pour images ous-exposées, ou avec une plage dynamique élévée.\n\nDeux étapes dans le processus : 1) Calculer Plage Dynamique 2) Adaptation par utilisateur +TP_LOCALLAB_LOGCONTL_TOOLTIP;Le contraste (J) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminance +TP_LOCALLAB_LOGCONTQ_TOOLTIP;Le contraste (Q) dans CIECAM16 prend en compte l'augmentation de la coloration perçue avec la luminosité (brightness). +TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Ajuste la plage de contraste des tons moyens (J et Q).\nLes valeurs positives réduisent progressivement l'effet des curseurs Contraste (J et Q). Les valeurs négatives augmentent progressivement l'effet des curseurs Contraste. +TP_LOCALLAB_LOGDETAIL_TOOLTIP;Agit principalement sur les hautes frequences. +TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUtile pour les images sous-exposées ou les images avec une plage dynamique élevée.\n\nProcessus en deux étapes : 1) Calcul de la plage dynamique 2) Réglage manuel TP_LOCALLAB_LOGEXP;Tous les outils -TP_LOCALLAB_LOGFRA;Point gris source -TP_LOCALLAB_LOGFRAME_TOOLTIP;Calcule ou utilise le niveau d'Exposition de l'image tôt dans le processus:\n Noir Ev, Blanc Ev et Point gris source.\n Prend en compte la compensation d'exposition principale. -TP_LOCALLAB_LOGIMAGE_TOOLTIP;Prend en compte les variables Ciecam (principalement Contraste 'J' et Saturation 's', et aussi 'avancé' Contraste 'Q' , Brillance 'Q', Luminosité (J), Niveau de couleurs (M)). -TP_LOCALLAB_LOGLIGHTL;Luminosité (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Proche de luminosité (L*a*b*), prend en compte l'accroissement de la perception colorée. -TP_LOCALLAB_LOGLIGHTQ;Brillance (Q) -TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Taux de perception de lumière émanant d'un stimulus.\nIndicateur qu'un stimulus apparaît être plus ou moins brillant, clair. -TP_LOCALLAB_LOGLIN;Logarithme mode -TP_LOCALLAB_LOGPFRA;Niveaux d'Exposition relatif -TP_LOCALLAB_LOGREPART;Force globale -TP_LOCALLAB_LOGREPART_TOOLTIP;Vous permet d'ajuster le nivaeu de l'image 'codage log' par rapport à l'image originale.\nNe concerne pas la composante Ciecam. -TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) CIECAM16 correspond à la couleur d'un stimulus en relation avec sa propre brillance.\nAgit principalement sur les tons moyens et hauts. +TP_LOCALLAB_LOGFRA;Scene Conditions +TP_LOCALLAB_LOGFRAME_TOOLTIP;Vous permet de calculer et d'ajuster les niveaux Ev et la 'luminance moyenne Yb%' (point gris source) pour la zone du spot. Les valeurs résultantes seront utilisées par toutes les opérations Lab et la plupart des opérations RVB du pipeline.\nCalcule également la luminance absolue au moment de la prise de vue. +TP_LOCALLAB_LOGIMAGE_TOOLTIP;Prend en compte les variables Ciecam correspondantes : c'est-à-dire le contraste (J) et la saturation (s), ainsi que le contraste (Q), la luminosité (Q), la luminosité (J) et la couleur (M) (en mode avancé) +TP_LOCALLAB_LOGLIGHTL;Lightness (J) +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Proche de lightness (L*a*b*). Prend en compte l'augmentation de la coloration perçue +TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Quantité de lumière perçue émanant d'un stimulus.\nIndicateur qu'un stimulus semble être plus ou moins brillant, clair. +TP_LOCALLAB_LOGLIN;Logarithm mode +TP_LOCALLAB_LOGPFRA;Niveaux Exposition relatifs +TP_LOCALLAB_LOGREPART;Force Globale +TP_LOCALLAB_LOGREPART_TOOLTIP;Vous permet d'ajuster la force relative de l'image encodée en journal par rapport à l'image d'origine.\nN'affecte pas le composant Ciecam. +TP_LOCALLAB_LOGSATURL_TOOLTIP;La saturation(s) dans CIECAM16 correspond à la couleur d'un stimulus par rapport à sa propre luminosité.\nAgit principalement sur les tons moyens et sur les hautes lumières. TP_LOCALLAB_LOGSCENE_TOOLTIP;Correspond aux conditions de prise de vue. -TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Change les tons et couleurs en prenant en compte les conditions de prise de vue.\n\nMoyen: Environnement lumineux moyen (standard). L'image ne change pas.\n\nTamisé: Environnement tamisé. L'iamge va devenir un peu plus claire. TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estime la valeur du point gris de l'image, tôt dans le processus +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Modifie les tonalités et les couleurs pour prendre en compte les conditions de la scène.\n\nMoyen : conditions d'éclairage moyennes (standard). L'image ne changera pas.\n\nDim : conditions de luminosité. L'image deviendra légèrement plus lumineuse.\n\nSombre : conditions sombres. L'image deviendra plus lumineuse. TP_LOCALLAB_LOGTARGGREY_TOOLTIP;Vous pouvez changer cette valeur pour l'adapter à votre goût. -TP_LOCALLAB_LOG_TOOLNAME;Codage log - 0 -TP_LOCALLAB_LOGVIEWING_TOOLTIP;Correspond au medium sur lequel l'image finale sera vue (moniteur, TV, projecteur, imprimante,..), ainsi que son environnement. +TP_LOCALLAB_LOGVIEWING_TOOLTIP;Correspond au support sur lequel sera visualisée l'image finale (moniteur, TV, projecteur, imprimante...), ainsi qu'aux conditions environnantes. +TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LUM;LL - CC TP_LOCALLAB_LUMADARKEST;Plus Sombre TP_LOCALLAB_LUMASK;Masque Luminance arrière plan TP_LOCALLAB_LUMASK_TOOLTIP;Ajuste le gris de l'arrière plan du masque dans Montrer Masque (Masque et modifications) TP_LOCALLAB_LUMAWHITESEST;Plus clair TP_LOCALLAB_LUMONLY;Luminance seulement -TP_LOCALLAB_MASKCOM;Masque couleur Commun -TP_LOCALLAB_MASKCOM_TOOLTIP;Ces masques travaillent comme les autres outils, ils prennet en compte Etendue.\nIls sont différents des autres masques qui complètent un outil (Couleur et Lumière, Exposition...) -TP_LOCALLAB_MASKDDECAY;Force des transitions -TP_LOCALLAB_MASKDECAY_TOOLTIP;Gère le taux des tranistions des niveaux gris dans le masque.\n Transition = 1 linéaire, Transition > 1 transitions paraboliques rapides, Transitions < 1 transitions progressives TP_LOCALLAB_MASFRAME;Masque et Fusion TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTake into account deltaE image to avoid retouching the selection area when sliders gamma mask, slope mask, chroma mask and curves contrast , levels contrasts, and mask blur, structure(if enabled tool) are used.\nDisabled in Inverse TP_LOCALLAB_MASK;Masque TP_LOCALLAB_MASK2;Courbe de Contraste TP_LOCALLAB_MASKCOL;Masque Courbes +TP_LOCALLAB_MASKCOM;Masque couleur Commun +TP_LOCALLAB_MASKCOM_TOOLNAME;Masque Commun Couleur - 12 +TP_LOCALLAB_MASKCOM_TOOLTIP;Ces masques travaillent comme les autres outils, ils prennet en compte Etendue.\nIls sont différents des autres masques qui complètent un outil (Couleur et Lumière, Exposition...) TP_LOCALLAB_MASKCURVE_TOOLTIP;Si la courbe est au sommet, le masque est compétement noir aucune transformation n'est réalisée par le masque sur l'image.\nQuand vous descendez la courbe, progressivement le masque va se colorer et s'éclaicir, l'image change de plus en plus.\n\nIl est recommendé (pas obligatoire) de positionner le sommet des courbes curves sur la ligne de transition grise qui représnte les références (chroma, luma, couleur). +TP_LOCALLAB_MASKDDECAY;Force des transitions +TP_LOCALLAB_MASKDECAY_TOOLTIP;Gère le taux des tranistions des niveaux gris dans le masque.\n Transition = 1 linéaire, Transition > 1 transitions paraboliques rapides, Transitions < 1 transitions progressives +TP_LOCALLAB_MASKDE_TOOLTIP;Utilisé pour diriger l'action de de-bruite basé sur les informations des courbes masques L(L) ou LC(H) (Masque et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Si le masque est en dessous du seuil sombre le De-bruite sera appliqué progressivement.\n Si le masque est au-dessus du seuil 'clair', le De-bruite sera appliqué progressivement.\n Entre les deux, les réglages sans De-bruite seront maintenus, sauf si vous agissez sur les curseurs "Zones grise dé-bruite luminance" or "Zones grise de-bruite chrominance". +TP_LOCALLAB_MASKGF_TOOLTIP;Utilisé pour diriger l'action de Filtre Guidé basé sur les informations des courbes masques L(L) ou LC(H) (Masque et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Si le masque est en dessous du seuil sombre le Filtre Guidé sera appliqué progressivement.\n Si le masque est au-dessus du seuil 'clair', le Filtre Guidé sera appliqué progressivement.\n Entre les deux, les réglages sans Filtre Guidé seront maintenus. +TP_LOCALLAB_MASKH;Courbe teinte +TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Limite des tons clairs au-dessus de laquelle CBDL (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par CBDL.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Limite des tons clairs au-dessus de laquelle Couleur et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Couleur et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’, 'masque flouter', ‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;Limite des tons clairs au-dessus de laquelle de-bruite sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Limite des tons clairs au-dessus de laquelle Compression dynamique et Exposition sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression dynamique et Exposition.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Limite des tons clairs au-dessus de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Limite des tons clairs au-dessus de laquelle Retinex (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par Retinex.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Limite des tons clairs au-dessus de laquelle Ombres et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Ombres et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Limite des tons clairs au-dessus de laquelle Compression tonale sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression tonale.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Maqsue luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Limite des tons clairs au-dessus de laquelle Vibrance - Chaud Froid sera restauré progressivement à leurs valeurs avant d'être modifiés par Vibrance - Chaud Froid.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Limite des tons clairs au-dessus de laquelle Contraste local - Ondelettes sera restauré progressivement à leurs valeurs avant d'être modifiés par Contraste local - Ondelettes.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;Limite des tons clairs au-dessus de laquelle Filtre Guidé sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLCTHR;Seuil luminance zones claires +TP_LOCALLAB_MASKLCTHRLOW;Seuil luminance zones sombres TP_LOCALLAB_MASKLCTHRMID;Zones grises de-bruite lumina TP_LOCALLAB_MASKLCTHRMIDCH;Zones grises de-bruite chroma TP_LOCALLAB_MASKLC_TOOLTIP;Vous autorise à cibler le de-bruite en se basant sur les informations du masque dans L(L) ou LC(H) (Masque et Modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n si le masque est très sombre - sous le seuil 'sombre' - de-bruite sera accru si renforce > 1.\n si le masque est clair - au-dessus du seuil 'clair' - de-bruite sera progressivement réduit.\n entre les deux, de-bruite sera maintenu aux réglages sans masques. -TP_LOCALLAB_MASKLCTHR;Seuil luminance zones claires -TP_LOCALLAB_MASKLCTHRLOW;Seuil luminance zones sombres TP_LOCALLAB_MASKLNOISELOW;Renf. de-bruite sombres/claires -TP_LOCALLAB_MASKH;Courbe teinte -TP_LOCALLAB_MASKRECOTHRES;Seuil de Récupération -TP_LOCALLAB_MASKDE_TOOLTIP;Utilisé pour diriger l'action de de-bruite basé sur les informations des courbes masques L(L) ou LC(H) (Masque et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Si le masque est en dessous du seuil sombre le De-bruite sera appliqué progressivement.\n Si le masque est au-dessus du seuil 'clair', le De-bruite sera appliqué progressivement.\n Entre les deux, les réglages sans De-bruite seront maintenus, sauf si vous agissez sur les curseurs "Zones grise dé-bruite luminance" or "Zones grise de-bruite chrominance". -TP_LOCALLAB_MASKGF_TOOLTIP;Utilisé pour diriger l'action de Filtre Guidé basé sur les informations des courbes masques L(L) ou LC(H) (Masque et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Si le masque est en dessous du seuil sombre le Filtre Guidé sera appliqué progressivement.\n Si le masque est au-dessus du seuil 'clair', le Filtre Guidé sera appliqué progressivement.\n Entre les deux, les réglages sans Filtre Guidé seront maintenus. +TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Limite des tons sombres au-dessous de laquelle CBDL (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par CBDL.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Limite des tons sombres au-dessous de laquelle Couleur et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Couleur et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’, 'masque flouter', ‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Limite des tons sombres au-dessous de laquelle de-bruite sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Limite des tons sombres au-dessous de laquelle Compression dynamique et Exposition sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression dynamique et Exposition.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Limite des tons sombres au-dessous de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Limite des tons sombres au-dessous de laquelle Retinex (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par Retinex.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Limite des tons sombres au-dessous de laquelle Ombres et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Ombres et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Limite des tons sombres au-dessous de laquelle Compression tonale sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression tonale.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Limite des tons sombres au-dessous de laquelle Vibrance - Chaud Froid sera restauré progressivement à leurs valeurs avant d'être modifiés par Vibrance - Chaud Froid.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Limite des tons sombres au-dessous de laquelle Contraste local - Ondelettes sera restauré progressivement à leurs valeurs avant d'être modifiés par Contraste local - Ondelettes.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 +TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;Limite des tons sombres au-dessous de laquelle Filtre Guidé sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 TP_LOCALLAB_MASKRECOL_TOOLTIP;Utilisé pour moduler l'action des réglages de Couleur et Lumières en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Couleurs et Lumières \n Entre ces 2 valeurs, les valeurs de Couleurs et Lumières seront appliquées +TP_LOCALLAB_MASKRECOTHRES;Seuil de Récupération TP_LOCALLAB_MASKREEXP_TOOLTIP;Utilisé pour moduler l'action des réglages de Compression dynamique et Exposition en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Compression dynamique et Exposition \n Entre ces 2 valeurs, les valeurs de Compression dynamique et Exposition seront appliquées -TP_LOCALLAB_MASKRESH_TOOLTIP;Utilisé pour moduler l'action des réglages de Ombres et Lumières en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Ombres et Lumières \n Entre ces 2 valeurs, les valeurs de Ombres et Lumières seront appliquées +TP_LOCALLAB_MASKRELOG_TOOLTIP;Utilisé pour moduler l'action des réglages de Codage Log en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Codage Log - peut être utilisé pour récupérer les hautes lumières de 'Couleur propagation' \n Entre ces 2 valeurs, les valeurs de Codage Log seront appliquées TP_LOCALLAB_MASKRESCB_TOOLTIP;Utilisé pour moduler l'action des réglages de CBDL (Luminance) en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par CBDL \n Entre ces 2 valeurs, les valeurs de CBDL seront appliquées +TP_LOCALLAB_MASKRESH_TOOLTIP;Utilisé pour moduler l'action des réglages de Ombres et Lumières en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Ombres et Lumières \n Entre ces 2 valeurs, les valeurs de Ombres et Lumières seront appliquées TP_LOCALLAB_MASKRESRETI_TOOLTIP;Utilisé pour moduler l'action des réglages de Retinex (Luminance) en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Retinex \n Entre ces 2 valeurs, les valeurs de Retinex seront appliquées TP_LOCALLAB_MASKRESTM_TOOLTIP;Utilisé pour moduler l'action des réglages de Compression tonale en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Compression tonale \n Entre ces 2 valeurs, les valeurs de Compression tonale seront appliquées TP_LOCALLAB_MASKRESVIB_TOOLTIP;Utilisé pour moduler l'action des réglages de Vibrance - Chaud et froid en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Vibrance - Chaud et froid \n Entre ces 2 valeurs, les valeurs de Vibrance - Chaud et froid seront appliquées TP_LOCALLAB_MASKRESWAV_TOOLTIP;Utilisé pour moduler l'action des réglages de Contraste local et ondelettes en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Contraste local et ondelettes \n Entre ces 2 valeurs, les valeurs de Contraste local et Ondelettes seront appliquées -TP_LOCALLAB_MASKRELOG_TOOLTIP;Utilisé pour moduler l'action des réglages de Codage Log en se basant sur les informations contenues dans les courbes des masques L(L) ou LC(H) (Masques et modifications).\n Les masques L(L) ou LC(H) doivent être activés pour utiliser cette fonction.\n Les zones ‘sombres’ et ‘claires’ en dessous du seuil sombre et au dessus du seuil clair seront restaurés progressivement à leurs valeurs originales avant d'avoir été modifiées par Codage Log - peut être utilisé pour récupérer les hautes lumières de 'Couleur propagation' \n Entre ces 2 valeurs, les valeurs de Codage Log seront appliquées -TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Limite des tons clairs au-dessus de laquelle Couleur et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Couleur et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’, 'masque flouter', ‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Limite des tons clairs au-dessus de laquelle Ombres et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Ombres et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Limite des tons clairs au-dessus de laquelle CBDL (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par CBDL.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Limite des tons clairs au-dessus de laquelle Retinex (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par Retinex.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Limite des tons clairs au-dessus de laquelle Compression tonale sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression tonale.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Maqsue luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Limite des tons clairs au-dessus de laquelle Vibrance - Chaud Froid sera restauré progressivement à leurs valeurs avant d'être modifiés par Vibrance - Chaud Froid.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Limite des tons clairs au-dessus de laquelle Contraste local - Ondelettes sera restauré progressivement à leurs valeurs avant d'être modifiés par Contraste local - Ondelettes.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Limite des tons clairs au-dessus de laquelle Compression dynamique et Exposition sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression dynamique et Exposition.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Limite des tons clairs au-dessus de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Limite des tons clairs au-dessus de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP;Limite des tons clairs au-dessus de laquelle de-bruite sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKHIGTHRES_TOOLTIP;Limite des tons clairs au-dessus de laquelle Filtre Guidé sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Limite des tons sombres au-dessous de laquelle Couleur et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Couleur et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’, 'masque flouter', ‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Limite des tons sombres au-dessous de laquelle Ombres et Lumière sera restauré progressivement à leurs valeurs avant d'être modifiés par Ombres et Lumières .\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Limite des tons sombres au-dessous de laquelle CBDL (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par CBDL.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Limite des tons sombres au-dessous de laquelle Retinex (luminance) sera restauré progressivement à leurs valeurs avant d'être modifiés par Retinex.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Limite des tons sombres au-dessous de laquelle Compression tonale sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression tonale.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Limite des tons sombres au-dessous de laquelle Vibrance - Chaud Froid sera restauré progressivement à leurs valeurs avant d'être modifiés par Vibrance - Chaud Froid.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Limite des tons sombres au-dessous de laquelle Contraste local - Ondelettes sera restauré progressivement à leurs valeurs avant d'être modifiés par Contraste local - Ondelettes.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Limite des tons sombres au-dessous de laquelle Compression dynamique et Exposition sera restauré progressivement à leurs valeurs avant d'être modifiés par Compression dynamique et Exposition.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Limite des tons sombres au-dessous de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Limite des tons sombres au-dessous de laquelle Codage Log sera restauré progressivement à leurs valeurs avant d'être modifiés par Codage Log.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris:‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’.\n Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées. Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Limite des tons sombres au-dessous de laquelle de-bruite sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;Limite des tons sombres au-dessous de laquelle Filtre Guidé sera appliquée progressivement.\n Vous pouvez utiliser certains des outils de ‘Masques et modifications’ pour changer les niveaux de gris: ‘masque structure’,‘rayon adoucir’, ‘Gamma et pente’, ‘courbe de Contraste’, ‘Niveau contraste local ondelettes’.Utiliser une ‘ancre de vérification couleur’ sur le masque pour voir quelle zones seront affectées.\n Soyez attentifs à ce que dans 'Réglages' Masque luminance arrière plan = 0 -TP_LOCALLAB_MASKUSABLE;Masque activé (Masque & modifications) TP_LOCALLAB_MASKUNUSABLE;Masque désactivé (Masque & modifications) +TP_LOCALLAB_MASKUSABLE;Masque activé (Masque & modifications) TP_LOCALLAB_MASK_TOOLTIP;Vous pouvez activer plusieurs masques pour un simple outil, ceci nécessite d'activer un autre outil (mais sans utilser l'outil : curseurs à 0,...)où est le masque que vous souhaitez activer.\n\nVous pouvez aussi dupliquer le RT-spot et le placer juste à côté de l'autre,les variations de références autorisent un travail fin sur les images. TP_LOCALLAB_MED;Medium TP_LOCALLAB_MEDIAN;Median Bas -TP_LOCALLAB_MEDIAN_TOOLTIP;Choisir un median 3x3 à 9x9: plus les valeurs sont élévées, plus la réduction du bruit ou le flou seront marqués TP_LOCALLAB_MEDIANITER_TOOLTIP;Nombre d'applications successives du median +TP_LOCALLAB_MEDIAN_TOOLTIP;Choisir un median 3x3 à 9x9: plus les valeurs sont élévées, plus la réduction du bruit ou le flou seront marqués TP_LOCALLAB_MEDNONE;Rien TP_LOCALLAB_MERCOL;Couleur TP_LOCALLAB_MERDCOL;Fusion arrière plan (ΔE) @@ -2301,16 +2282,15 @@ TP_LOCALLAB_MRTHR;Image Originale TP_LOCALLAB_MRTWO;Short Curves 'L' Mask TP_LOCALLAB_MULTIPL_TOOLTIP;Autorise la retouche des tons sur une large plage : -18EV +4EV. Le remier curseur agit sur -18EV and -6EV. Le dernier curseur agit sur les tons au-dessus de 4EV TP_LOCALLAB_NEIGH;Rayon -TP_LOCALLAB_NLDENOISE_TOOLTIP;"Récupération des détails" agit sur un Laplacien pour privilégier l'action de denoise sur les aplats plutôt que sur les structures. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Agir sur ce curseur pour adapter le niveau de débruitage à la taille des objets à traiter. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Plus la valeur sera importante, plus le débruitage sera intense.\nMais cela a une forte incidence sur les temps de traitement. -TP_LOCALLAB_NLFRAME_TOOLTIP;"Débruitage par morceaux" réalise une moyenne de la totalité des valeurs des pixels contenus dans l'image, pondérées en fonction de leur similarité avec le résultat attendu (pixel cible).\nL'algoritme permet d’amoindrir la perte de détails au sein de l'image.\nSeul le bruit de luminance est pris en compte, le bruit de chrominance est traité de manière plus performante par le couple ondelettes / Fourier (DCT).\nPeut être utilisé en conjonction avec 'ondelettes' ou isolé.\nLa taille du RT-Spot doit être supérieure à 150x150 pixels (sortie TIF/JPG). -TP_LOCALLAB_NLFRA;Débruitage par morceaux - Luminance -TP_LOCALLAB_NLLUM;Force +TP_LOCALLAB_NLDENOISE_TOOLTIP;"Récupération des détails" agit sur un Laplacien pour privilégier l'action de denoise sur les aplats plutôt que sur les structures. TP_LOCALLAB_NLDET;Récupération des détails +TP_LOCALLAB_NLFRA;Débruitage par morceaux - Luminance +TP_LOCALLAB_NLFRAME_TOOLTIP;"Débruitage par morceaux" réalise une moyenne de la totalité des valeurs des pixels contenus dans l'image, pondérées en fonction de leur similarité avec le résultat attendu (pixel cible).\nL'algoritme permet d’amoindrir la perte de détails au sein de l'image.\nSeul le bruit de luminance est pris en compte, le bruit de chrominance est traité de manière plus performante par le couple ondelettes / Fourier (DCT).\nPeut être utilisé en conjonction avec 'ondelettes' ou isolé.\nLa taille du RT-Spot doit être supérieure à 150x150 pixels (sortie TIF/JPG). +TP_LOCALLAB_NLLUM;Force TP_LOCALLAB_NLPAT;Taille maximum du morceau TP_LOCALLAB_NLRAD;Taille maximum du rayon -TP_LOCALLAB_NOISE_TOOLTIP;Ajoute du bruit de luminance TP_LOCALLAB_NOISECHROCOARSE;Chroma gros (Ond) TP_LOCALLAB_NOISECHROC_TOOLTIP;Si supérieur à zéro, algorithme haute qualité est activé.\nGros est sélectionné si curseur >=0.2 TP_LOCALLAB_NOISECHRODETAIL;Récup. détails Chroma(DCT) @@ -2323,6 +2303,7 @@ TP_LOCALLAB_NOISELUMFINE;Luminance fin 1 (ond) TP_LOCALLAB_NOISELUMFINETWO;Luminance fin 2 (ond) TP_LOCALLAB_NOISELUMFINEZERO;Luminance fin 0 (ond) TP_LOCALLAB_NOISEMETH;Réduction du bruit +TP_LOCALLAB_NOISE_TOOLTIP;Ajoute du bruit de luminance TP_LOCALLAB_NONENOISE;Rien TP_LOCALLAB_OFFS;Décalage TP_LOCALLAB_OFFSETWAV;Décalage @@ -2334,16 +2315,16 @@ TP_LOCALLAB_PASTELS2;Vibrance TP_LOCALLAB_PDE;Atténuation de Contraste - Compression dynamique TP_LOCALLAB_PDEFRA;Contraste atténuation ƒ TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL - algorithme personnel adapté de IPOL à Rawtherapee: conduit à des résultats très variés et a besoin de différents réglages que Standard (Noir négatif, gamma < 1,...)\nPeut être utils pour des iamges sous-exposées ou avec une étendue dynamique importante.\n -TP_LOCALLAB_PREVIEW;Prévisualisation ΔE TP_LOCALLAB_PREVHIDE;Cacher tous les réglages +TP_LOCALLAB_PREVIEW;Prévisualisation ΔE TP_LOCALLAB_PREVSHOW;Montrer tous les réglages TP_LOCALLAB_PROXI;ΔE Affaiblissement +TP_LOCALLAB_QUAAGRES;Aggressif +TP_LOCALLAB_QUACONSER;Conservatif TP_LOCALLAB_QUALCURV_METHOD;Types de Courbes TP_LOCALLAB_QUAL_METHOD;Qualité globale -TP_LOCALLAB_QUACONSER;Conservatif -TP_LOCALLAB_QUAAGRES;Aggressif -TP_LOCALLAB_QUANONEWAV;Débruit. par morceaux-luminance seulement TP_LOCALLAB_QUANONEALL;Rien +TP_LOCALLAB_QUANONEWAV;Débruit. par morceaux-luminance seulement TP_LOCALLAB_RADIUS;Rayon TP_LOCALLAB_RADIUS_TOOLTIP;Au-dessus de Rayon 30 Utilise 'Fast Fourier Transform' TP_LOCALLAB_RADMASKCOL;Rayon adoucir @@ -2353,12 +2334,12 @@ TP_LOCALLAB_RECURS_TOOLTIP;Recalcule les références pour teinte, luma, chroma TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 teinte=%3 TP_LOCALLAB_REN_DIALOG_LAB;Entrer le nouveau nom de Spot TP_LOCALLAB_REN_DIALOG_NAME;Renomme le Controle Spot -TP_LOCALLAB_REPARW_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Contraste local et Ondelettes par rapport à l'image originale. TP_LOCALLAB_REPARCOL_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Couleurs et lumiéres par rapport à l'image originale. TP_LOCALLAB_REPARDEN_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par De-bruite par rapport à l'image originale. -TP_LOCALLAB_REPARSH_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée Ombres et Lumières et Egaliseur par rapport à l'image originale.. TP_LOCALLAB_REPAREXP_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Compression dynammique et Exposition par rapport à l'image originale.. +TP_LOCALLAB_REPARSH_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée Ombres et Lumières et Egaliseur par rapport à l'image originale.. TP_LOCALLAB_REPARTM_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Compression tonale par rapport à l'image originale.. +TP_LOCALLAB_REPARW_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Contraste local et Ondelettes par rapport à l'image originale. TP_LOCALLAB_RESETSHOW;Annuler Montrer Toutes les Modifications TP_LOCALLAB_RESID;Image Résiduelle TP_LOCALLAB_RESIDBLUR;Flouter Image Résiduelle @@ -2371,9 +2352,9 @@ TP_LOCALLAB_RESIDSHA;Ombres TP_LOCALLAB_RESIDSHATHR;Ombres seuil TP_LOCALLAB_RETI;De-brume - Retinex TP_LOCALLAB_RETIFRA;Retinex +TP_LOCALLAB_RETIFRAME_TOOLTIP; L'utilisation de Retinex peut être bénéfique pour le traitement des images: \ nqui sont floues, brumeuses ou ayant un voile de brouillard (en complément de Dehaz). \ Navec d'importants écarts de luminance. \ N où l'utilisateur recherche des effets spéciaux (cartographie des tons…) TP_LOCALLAB_RETIM;Original Retinex TP_LOCALLAB_RETITOOLFRA;Retinex Outils -TP_LOCALLAB_RETIFRAME_TOOLTIP; L'utilisation de Retinex peut être bénéfique pour le traitement des images: \ nqui sont floues, brumeuses ou ayant un voile de brouillard (en complément de Dehaz). \ Navec d'importants écarts de luminance. \ N où l'utilisateur recherche des effets spéciaux (cartographie des tons…) TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT améliore la qualité et autorise de grands rayons, mais accroît les temps de traitement.\nCe temps dépends de la surface traitée\nLe temps de traitements dépend de "scale" (échelle) (soyez prudent avec les hautes valeurs ).\nA utiliser de préférence avec de grand rayons.\n\nLes Dimensions peuvent être réduites de quelques pixels pour optimiser FFTW.\nCette optimisation peut réduire le temps de traitement d'un facteur de 1.5 à 10.\nOptimisation pas utilsée en prévisualisation TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Have no effect when the value "Lightness = 1" or "Darkness =2" is chosen.\nIn other cases, the last step of "Multiple scale Retinex" is applied an algorithm close to "local contrast", these 2 cursors, associated with "Strength" will allow to play upstream on the local contrast. TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Play on internal parameters to optimize response.\nLook at the "restored datas" indicators "near" min=0 and max=32768 (log mode), but others values are possible. @@ -2402,19 +2383,19 @@ TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Ajuste les couleurs pour les inclure dans exclusi TP_LOCALLAB_SENSIH;Etendue TP_LOCALLAB_SENSIH_TOOLTIP;Ajuste Etendue de l'action:\nLes petites valeurs limitent l'action aux couleurs très similaires à celles sous le centre du spot.\nHautes valeurs laissent l'outil agir sur une large plage de couleurs. TP_LOCALLAB_SENSILOG;Etendue +TP_LOCALLAB_SENSIMASK_TOOLTIP;Ajuste Etendue pour ce masque commun.\nAgit sur l'écart entre l'image originale et le masque.\nLes références (luma, chroma, teinte) sont celles du centre du RT-spot\n\nVous pouvez aussi agir sur le deltaE interne au masque avec 'Etendue Masque deltaE image' dans 'Réglages' TP_LOCALLAB_SENSIS;Etendue TP_LOCALLAB_SENSI_TOOLTIP;Ajuste Etendue de l'action:\nLes petites valeurs limitent l'action aux couleurs très similaires à celles sous le centre du spot.\nHautes valeurs laissent l'outil agir sur une large plage de couleurs. -TP_LOCALLAB_SENSIMASK_TOOLTIP;Ajuste Etendue pour ce masque commun.\nAgit sur l'écart entre l'image originale et le masque.\nLes références (luma, chroma, teinte) sont celles du centre du RT-spot\n\nVous pouvez aussi agir sur le deltaE interne au masque avec 'Etendue Masque deltaE image' dans 'Réglages' TP_LOCALLAB_SETTINGS;Réglages TP_LOCALLAB_SH1;Ombres Lumières TP_LOCALLAB_SH2;Egaliseur TP_LOCALLAB_SHADEX;Ombres TP_LOCALLAB_SHADEXCOMP;Compression ombres & profondeur tonale TP_LOCALLAB_SHADHIGH;Ombres/Lumières&Egaliseur +TP_LOCALLAB_SHADHMASK_TOOLTIP;Abaisse les hautes lumières du masque de la même manière que l'algorithme "ombres/lumières" +TP_LOCALLAB_SHADMASK_TOOLTIP;Relève les ombres du masque de la même manière que l'algorithme "ombres/lumières" TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Peut être utilisé - ou en complement - du module Exposition dans les cas difficiles.\nUtiliser réduction du bruit Denoise peut être nécessaire : éclaicir les ombres.\n\nPeut être utilisé comme un filtre gradué (augmenter Etendue) TP_LOCALLAB_SHAMASKCOL;Ombres -TP_LOCALLAB_SHADMASK_TOOLTIP;Relève les ombres du masque de la même manière que l'algorithme "ombres/lumières" -TP_LOCALLAB_SHADHMASK_TOOLTIP;Abaisse les hautes lumières du masque de la même manière que l'algorithme "ombres/lumières" TP_LOCALLAB_SHAPETYPE;Forme aire RT-spot TP_LOCALLAB_SHAPE_TOOLTIP;Ellipse est le mode normal.\nRectangle peut être utilé dans certains cas, par exemple pour travailler en image complète en conjonction avec les délimiteurs en dehors de la prévisualisation, transition = 100.\n\nPolygone - Beziers sont en attente de GUI... TP_LOCALLAB_SHARAMOUNT;Quantité @@ -2459,13 +2440,13 @@ TP_LOCALLAB_SHOWVI;Masque et modifications TP_LOCALLAB_SHRESFRA;Ombres/Lumières TP_LOCALLAB_SHTRC_TOOLTIP;Modifie les tons de l'image en agissant sur la TRC (Tone Response Curve).\nGamma agit principalement sur les tons lumineux.\nSlope (pente) agit principalement sur les tons sombres. TP_LOCALLAB_SH_TOOLNAME;Ombres/lumières & Egaliseur tonal - 5 -TP_LOCALLAB_SIGMAWAV;Atténuation Réponse TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q TP_LOCALLAB_SIGJZFRA;Sigmoid Jz -TP_LOCALLAB_SIGMOIDLAMBDA;Contraste -TP_LOCALLAB_SIGMOIDTH;Seuil (Gray point) +TP_LOCALLAB_SIGMAWAV;Atténuation Réponse TP_LOCALLAB_SIGMOIDBL;Mélange +TP_LOCALLAB_SIGMOIDLAMBDA;Contraste TP_LOCALLAB_SIGMOIDQJ;Utilise Black Ev & White Ev +TP_LOCALLAB_SIGMOIDTH;Seuil (Gray point) TP_LOCALLAB_SIGMOID_TOOLTIP;Permet de simuler une apparence de Tone-mapping en utilisant à la fois la fonction 'Ciecam' (ou 'Jz') et 'Sigmoïde'.\nTrois curseurs : a) Le contraste agit sur la forme de la courbe sigmoïde et par conséquent sur la force ; b) Seuil (Point gris) distribue l'action en fonction de la luminance ; c)Blend agit sur l'aspect final de l'image, le contraste et la luminance. TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Pente (slope) @@ -2479,8 +2460,8 @@ TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applique un filtre guidé à l'image de sortie TP_LOCALLAB_SOFTRETI;Reduire artefact ΔE TP_LOCALLAB_SOFTRETI_TOOLTIP;Prend en compte ΔE pour améliorer Transmission map TP_LOCALLAB_SOFT_TOOLNAME;Lumière douce & Original Retinex - 6 -TP_LOCALLAB_SOURCE_GRAY;Valeur TP_LOCALLAB_SOURCE_ABS;Luminance absolue +TP_LOCALLAB_SOURCE_GRAY;Valeur TP_LOCALLAB_SPECCASE; Cas spécifiques TP_LOCALLAB_SPECIAL;Usage Special des courbes RGB TP_LOCALLAB_SPECIAL_TOOLTIP;Seulement pour cette courbe RGB, désactive (ou réduit les effecs) de Etendue, masque...par exemple, si vous voulez rendre un effet "négatif". @@ -2490,8 +2471,8 @@ TP_LOCALLAB_STR;Force TP_LOCALLAB_STRBL;Force TP_LOCALLAB_STREN;Compression Force TP_LOCALLAB_STRENG;Force -TP_LOCALLAB_STRENGRID_TOOLTIP;Vous pouvez ajuster l'effet désiré avec "force", mais vous pouvez aussi utiliser la fonction "Etendue" qui permet de délimiter l'action (par exemple, pour isoler une couleur particulière). TP_LOCALLAB_STRENGR;Force +TP_LOCALLAB_STRENGRID_TOOLTIP;Vous pouvez ajuster l'effet désiré avec "force", mais vous pouvez aussi utiliser la fonction "Etendue" qui permet de délimiter l'action (par exemple, pour isoler une couleur particulière). TP_LOCALLAB_STRENGTH;Bruit TP_LOCALLAB_STRGRID;Force TP_LOCALLAB_STRRETI_TOOLTIP;Si force Retinex < 0.2 seul Dehaze est activé.\nSi force Retinex >= 0.1 Dehaze est en mode luminance. @@ -2541,45 +2522,36 @@ TP_LOCALLAB_VART;Variance (contraste) TP_LOCALLAB_VIBRANCE;Vibrance - Chaud & Froid TP_LOCALLAB_VIBRA_TOOLTIP;Ajuste vibrance (Globalement identique à Couleur ajustement).\nAmène l'équivalent d'une balance des blancs en utilisant l'algorithme CIECAM. TP_LOCALLAB_VIB_TOOLNAME;Vibrance - Chaud & Froid - 3 -TP_LOCALLAB_SOFT_TOOLNAME;Lumière douce & Original Retinex - 6 -TP_LOCALLAB_BLUR_TOOLNAME;Flouter/Grain & Réduction du bruit - 1 -TP_LOCALLAB_TONE_TOOLNAME;Compression tonale - 4 -TP_LOCALLAB_RET_TOOLNAME;De-brume & Retinex - 9 -TP_LOCALLAB_SHARP_TOOLNAME;Netteté - 8 -TP_LOCALLAB_LC_TOOLNAME;Constraste local & Ondelettes (Défauts) - 7 -TP_LOCALLAB_CBDL_TOOLNAME;Contraste par Niveau détail - 2 -TP_LOCALLAB_LOG_TOOLNAME;Codage log - 0 -TP_LOCALLAB_MASKCOM_TOOLNAME;Masque Commun Couleur - 12 TP_LOCALLAB_VIS_TOOLTIP;Click pour montrer/cacher le Spot sélectionné.\nCtrl+click pour montrer/cacher tous les Spot. TP_LOCALLAB_WAMASKCOL;Niveau Ondelettes TP_LOCALLAB_WARM;Chaud - Froid & Artefacts de couleur TP_LOCALLAB_WARM_TOOLTIP;Ce curseur utilise l'algorithme Ciecam et agit comme une Balance des blancs, il prut réchauffer ou refroidir cool la zone concernée.\nIl peut aussi dans certains réduire les artefacts colorés. TP_LOCALLAB_WASDEN_TOOLTIP;De-bruite luminance pour les 3 premiers niveaux (fin).\nLa limite droite de la courbe correspond à gros : niveau 3 et au delà. -TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Contraste faible à élevé de gauche à droite en abscisse\nAugmente ou réduit le contraste en ordonnée. -TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Contraste faible à élevé de gauche à droite en abscisse\nAugmente ou réduit le contraste en ordonnée. -TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;L'effet sur le contraste local est maximum pour les valeurs moyennes, et affaibli pour les valeurs faibles ou élevées.\n Le curseur contrôle comment s'effectue les changements pour ces valeurs extêmse.\n Plus la valeur du curseur est élevée, plus grande sera l'étendue qui recevra le maximum d'ajustements, ainsi que le risque de voir apparaître des artefacts.\n .Plus faible sera cette valeur, plus les différences de contraste seront atténuées +TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Equilibre l'action à l'intérieur de chaque niveau TP_LOCALLAB_WAT_BLURLC_TOOLTIP;Par défaut les 3 dimensions de L*a*b* luminance et couleur sont concernées par le floutage.\nCase cochée - luminance seulement -TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Etendue des niveaux d’ondelettes utilisée dans l’ensemble du module “wavelets” -TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;Image résiduelle, a le même comportement que l'image principale -TP_LOCALLAB_WAT_CLARIL_TOOLTIP;"Fusion luma" est utilisée pour selectionner l'intensité de l'effet désiré sur la luminance. TP_LOCALLAB_WAT_CLARIC_TOOLTIP;"Fusion chroma" est utilisée pour selectionner l'intensité de l'effet désiré sur la chrominance. -TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;"Fusion seulement avec image originale", empêche les actions "Wavelet Pyramid" d'interférer avec "Claté" and "Masque netteté" -TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Permet au contraste local de varier en fonction d'un gradient et d'un angle. La variation du signal de la luminance signal est prise en compte et non pas la luminance. -TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Décalage modifie la balance entre faible contraste et contraste élévé.\nLes hautes valeurs amplifient les changements de contraste pour les détails à contraste élévé, alors que les faibles valeurs vont amplifier les détails à contraste faible .\nEn selectionant des valeurs faibles vous pouvez ainsi sélectionner les zones de contrastes qui seront accentuées. +TP_LOCALLAB_WAT_CLARIL_TOOLTIP;"Fusion luma" est utilisée pour selectionner l'intensité de l'effet désiré sur la luminance. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;"Niveaux de Chroma": ajuste les valeurs "a" et "b" des composantes L*a*b* comme une proportion de la luminance. -TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similaira à Contraste par niveaux de détail. Des détails fins au gros details de gauche à droite en abscisse. -TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensité de la détection d'effet de bord -TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;Vous pouvez agir sur la répartition du contraste local selon l'intensité initiale du contraste par niveaux d'ondelettes.\nCeci aura comme conséquences de modifier l'effet de perspective et de relief de l'image, et/ou réduire les contrastes pour les très faibles niveaux de contraste initial +TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Décalage modifie la balance entre faible contraste et contraste élévé.\nLes hautes valeurs amplifient les changements de contraste pour les détails à contraste élévé, alors que les faibles valeurs vont amplifier les détails à contraste faible .\nEn selectionant des valeurs faibles vous pouvez ainsi sélectionner les zones de contrastes qui seront accentuées. +TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;En déplaçant le curseur à gauche, les bas niveaux sont accentués, et vers la droite ce sont les bas niveaux qui sont réduits et les hauts niveaux accentués +TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;Image résiduelle, a le même comportement que l'image principale TP_LOCALLAB_WAT_GRADW_TOOLTIP;Plus vous déplacez le curseur à droite, plus l'algorithme de détection sera efficace, moins les effets du contraste local seront sensibles +TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Contraste faible à élevé de gauche à droite en abscisse\nAugmente ou réduit le contraste en ordonnée. +TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;Vous pouvez agir sur la répartition du contraste local selon l'intensité initiale du contraste par niveaux d'ondelettes.\nCeci aura comme conséquences de modifier l'effet de perspective et de relief de l'image, et/ou réduire les contrastes pour les très faibles niveaux de contraste initial +TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;"Fusion seulement avec image originale", empêche les actions "Wavelet Pyramid" d'interférer avec "Claté" and "Masque netteté" +TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Floute l'image résiduelle, indépendamment des niveaux +TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Commpresse l'image résiduelle afin d'accentuer ou réduire les contrastes +TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;L'effet sur le contraste local est maximum pour les valeurs moyennes, et affaibli pour les valeurs faibles ou élevées.\n Le curseur contrôle comment s'effectue les changements pour ces valeurs extêmse.\n Plus la valeur du curseur est élevée, plus grande sera l'étendue qui recevra le maximum d'ajustements, ainsi que le risque de voir apparaître des artefacts.\n .Plus faible sera cette valeur, plus les différences de contraste seront atténuées +TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensité de la détection d'effet de bord +TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Permet au contraste local de varier en fonction d'un gradient et d'un angle. La variation du signal de la luminance signal est prise en compte et non pas la luminance. +TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Etendue des niveaux d’ondelettes utilisée dans l’ensemble du module “wavelets” +TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Vous permet de flouter chaque niveau de décomposition.\nEn abscisse de gauche à droite, les niveaux de décomposition du plus fin au plus gros +TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similaira à Contraste par niveaux de détail. Des détails fins au gros details de gauche à droite en abscisse. +TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Agit sur la balance des trois directions horizontale - verticale - diagonale - en fonction de la luminance de l'image.\nPar défaut les parties sombres ou hautes lumières sont réduites afin d'éviter les artefacts TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Montre l'ensemble des outils "Netteté bords".\nLa lecture de la documentation wavelet est recommandée TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Permet d'ajuster l'effet maximum de floutage des niveaux -TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Vous permet de flouter chaque niveau de décomposition.\nEn abscisse de gauche à droite, les niveaux de décomposition du plus fin au plus gros -TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Floute l'image résiduelle, indépendamment des niveaux +TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Contraste faible à élevé de gauche à droite en abscisse\nAugmente ou réduit le contraste en ordonnée. TP_LOCALLAB_WAT_WAVTM_TOOLTIP;La partie inférieure (négative) compresse chaque niveau de décomposition créant un effet tone mapping.\nLa partie supérieure (positive) atténue le contraste par niveau.\nEn abscisse de gauche à droite, les niveaux de décomposition du plus fin au plus gros -TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Equilibre l'action à l'intérieur de chaque niveau -TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Commpresse l'image résiduelle afin d'accentuer ou réduire les contrastes -TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;En déplaçant le curseur à gauche, les bas niveaux sont accentués, et vers la droite ce sont les bas niveaux qui sont réduits et les hauts niveaux accentués -TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Agit sur la balance des trois directions horizontale - verticale - diagonale - en fonction de la luminance de l'image.\nPar défaut les parties sombres ou hautes lumières sont réduites afin d'éviter les artefacts TP_LOCALLAB_WAV;Contrast local niveau TP_LOCALLAB_WAVBLUR_TOOLTIP;Réalise un flou pour chaque niveau de décomposition, également pour l'image résiduelle. TP_LOCALLAB_WAVCOMP;Compression par niveau @@ -2592,12 +2564,12 @@ TP_LOCALLAB_WAVDEN;de-bruite lum. par niveau TP_LOCALLAB_WAVE;Ondelette TP_LOCALLAB_WAVEDG;Contrast Local TP_LOCALLAB_WAVEEDG_TOOLTIP;Améliore la netteté prenant en compte la notion de "ondelettes bords".\nNécessite au moins que les 4 premiers niveaux sont utilisables +TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Amplitude des niveaux d'ondelettes utilisés par “Local contrast” TP_LOCALLAB_WAVGRAD_TOOLTIP;Filtre gradué pour Contraste local "luminance" TP_LOCALLAB_WAVHIGH;Ondelette haut TP_LOCALLAB_WAVLEV;Flou par niveau TP_LOCALLAB_WAVLOW;Ondelette bas TP_LOCALLAB_WAVMASK;Contr. local (par niveau) -TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Amplitude des niveaux d'ondelettes utilisés par “Local contrast” TP_LOCALLAB_WAVMASK_TOOLTIP;Autorise un travail fin sur les masques niveaux de contraste (structure) TP_LOCALLAB_WAVMED;Ondelette normal TP_LOCALLAB_WEDIANHI;Median Haut @@ -2615,10 +2587,6 @@ TP_PCVIGNETTE_ROUNDNESS;Circularité TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Circularité: 0=rectangulaire, 50=elliptique, 100=circulaire TP_PCVIGNETTE_STRENGTH;Force TP_PCVIGNETTE_STRENGTH_TOOLTIP;Force du filtre en EV (maximum dans les coins) -TP_PERSPECTIVE_HORIZONTAL;Horizontale -TP_PERSPECTIVE_LABEL;Perspective -TP_PERSPECTIVE_VERTICAL;Verticale -TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Au moins deux lignes de contrôle horizontales ou deux verticales requises. TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Facteur de réduction (crop) TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Longueur focale TP_PERSPECTIVE_CAMERA_FRAME;Correction @@ -2629,7 +2597,8 @@ TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Décalage Vertical TP_PERSPECTIVE_CAMERA_YAW;Horizontal TP_PERSPECTIVE_CONTROL_LINES;Lignes de contrôle TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+faire glisser : dessiner une nouvelle ligne\nClic droit : supprimer la ligne -TP_PERSPECTIVE_HORIZONTAL;Horizontal +TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;Au moins deux lignes de contrôle horizontales ou deux verticales requises. +TP_PERSPECTIVE_HORIZONTAL;Horizontale TP_PERSPECTIVE_LABEL;Perspective TP_PERSPECTIVE_METHOD;Méthode TP_PERSPECTIVE_METHOD_CAMERA_BASED;Basé sur Camera @@ -2641,7 +2610,7 @@ TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Décalage Horizontal TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Décalage Vertical TP_PERSPECTIVE_PROJECTION_YAW;Horizontal TP_PERSPECTIVE_RECOVERY_FRAME;Récupération -TP_PERSPECTIVE_VERTICAL;Vertical +TP_PERSPECTIVE_VERTICAL;Verticale TP_PFCURVE_CURVEEDITOR_CH;Teinte TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Contrôle la force du défrangeage en fonction de la couleur. En haut = action maxi, en bas = pas d'action sur la couleur. TP_PREPROCESS_DEADPIXFILT;Filtrer les pixels morts @@ -2955,11 +2924,11 @@ TP_WAVELET_CHR_TOOLTIP;Ajuste le chroma en fonction des "niveaux de contraste" e TP_WAVELET_CHSL;Curseurs TP_WAVELET_CHTYPE;Méthode de chrominance TP_WAVELET_COLORT;Opacité Rouge-Vert -TP_WAVELET_COMPLEX_TOOLTIP;Standard: l’application dispose du nécessaire pour assurer les opérations courantes, l’interface graphique est simplifiée.\nAvancé: toutes les fonctionnalités sont présentes, certaines nécessitent un apprentissage important -TP_WAVELET_COMPEXPERT;Avancé TP_WAVELET_COMPCONT;Contraste +TP_WAVELET_COMPEXPERT;Avancé TP_WAVELET_COMPGAMMA;Compression gamma TP_WAVELET_COMPGAMMA_TOOLTIP;Ajuster le gamma de l'image résiduelle vous permet d'équiilibrer les données de l'histogramme. +TP_WAVELET_COMPLEX_TOOLTIP;Standard: l’application dispose du nécessaire pour assurer les opérations courantes, l’interface graphique est simplifiée.\nAvancé: toutes les fonctionnalités sont présentes, certaines nécessitent un apprentissage important TP_WAVELET_COMPTM;Compression tonale TP_WAVELET_CONTEDIT;Courbe contraste 'Après' TP_WAVELET_CONTR;Gamut @@ -3145,22 +3114,710 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_SHOWNOTTRASHHINT;Show only images not in trash. +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_494;Capture Sharpening -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only -HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negatif -HISTORY_MSG_FILMNEGATIVE_VALUES;Film negatif valeurs -HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Réference Sortie -HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negativf Espace couleur -HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Référence entrée +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations @@ -3168,9 +3825,86 @@ HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Référence entrée !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector !MAIN_FRAME_PLACES_DEL;Remove -!PARTIALPASTE_FILMNEGATIVE;Film Negatif +!PARTIALPASTE_FILMNEGATIVE;Film negative +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... !PROGRESSBAR_HLREC;Highlight reconstruction... @@ -3178,25 +3912,93 @@ HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Référence entrée !PROGRESSBAR_LINEDENOISE;Line noise filter... !PROGRESSBAR_RAWCACORR;Raw CA correction... !QUEUE_LOCATION_TITLE;Output Location +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_LUMINANCE;Luminance only -TP_FILMNEGATIVE_BLUE;Ratio bleu -TP_FILMNEGATIVE_BLUEBALANCE;Froid/Chaud -TP_FILMNEGATIVE_COLORSPACE;Inversion espace couleur: -TP_FILMNEGATIVE_COLORSPACE_INPUT;Espace couleur -entrée -TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Sélectionnez l'espace colorimétrique utilisé pour effectuer l'inversion négative :\nEspace colorimétrique d'entrée : effectuez l'inversion avant l'application du profil d'entrée, comme dans les versions précédentes de RT.\nEspace colorimétrique de travail< /b> : effectue l'inversion après le profil d'entrée, en utilisant le profil de travail actuellement sélectionné. -TP_FILMNEGATIVE_COLORSPACE_WORKING;Espace couleur de travail -TP_FILMNEGATIVE_REF_LABEL;Entrée RGB: %1 -TP_FILMNEGATIVE_REF_PICK;Choisissez le point de la balance des blancs -TP_FILMNEGATIVE_REF_TOOLTIP;Choisissez un patch gris pour équilibrer les blancs de la sortie, image positive. -TP_FILMNEGATIVE_GREEN;Exposant de référence -TP_FILMNEGATIVE_GREENBALANCE;Magenta/Vert -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. -TP_FILMNEGATIVE_LABEL;Film Negatif -TP_FILMNEGATIVE_OUT_LEVEL;Niveau de sortie -TP_FILMNEGATIVE_PICK;Choix des endroits neutres -TP_FILMNEGATIVE_RED;Ratio Rouge -TP_FILMNEGATIVE_GUESS_TOOLTIP;Définissez automatiquement les ratios rouge et bleu en choisissant deux patchs qui avaient une teinte neutre (pas de couleur) dans la scène d'origine. Les patchs doivent différer en luminosité. +!TP_DEHAZE_SATURATION;Saturation +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatically selected @@ -3204,8 +4006,156 @@ TP_FILMNEGATIVE_GUESS_TOOLTIP;Définissez automatiquement les ratios rouge et bl !TP_LENSPROFILE_MODE_HEADER;Lens Profile !TP_LENSPROFILE_USE_GEOMETRIC;Geometric distortion !TP_LENSPROFILE_USE_HEADER;Correct +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index bd9788f70..185294973 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -1243,7 +1243,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -1261,13 +1261,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_RESETDEFAULTPROFILE;Reset to default @@ -1283,13 +1284,24 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !GENERAL_APPLY;Apply !GENERAL_ASIMAGE;As Image !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GENERAL_OPEN;Open !GENERAL_RESET;Reset !GENERAL_SAVE_AS;Save as... !GENERAL_SLIDER;Slider !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_166;Exposure - Reset !HISTORY_MSG_173;NR - Detail recovery !HISTORY_MSG_203;NR - Color space @@ -1313,8 +1325,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -1339,7 +1349,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -1357,10 +1366,10 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1424,14 +1433,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -1448,7 +1457,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1464,7 +1472,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -1484,30 +1492,45 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -1518,6 +1541,654 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1533,22 +2204,42 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1563,23 +2254,83 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1591,11 +2342,12 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1605,6 +2357,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1612,13 +2365,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1630,7 +2384,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1653,24 +2407,29 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u !MAIN_TAB_INSPECT; Inspect +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. !MONITOR_PROFILE_SYSTEM;System default -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_PREPROCESS_DEADPIXFILT;Dead pixel filter !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1679,6 +2438,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_RETINEX;Retinex !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PREFERENCES_APPEARANCE;Appearance !PREFERENCES_APPEARANCE_COLORPICKERFONT;Color picker font @@ -1698,10 +2458,16 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1715,9 +2481,16 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !PREFERENCES_CURVEBBOXPOS_RIGHT;Right !PREFERENCES_DIRECTORIES;Directories !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. @@ -1746,18 +2519,20 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_TAB_PERFORMANCE;Performance !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview !PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Image to show !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_PDYNAMIC;Dynamic !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... @@ -1782,7 +2557,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !SAVEDLG_SUBSAMP_TOOLTIP;Best compression:\nJ:a:b 4:2:0\nh/v 2/2\nChroma halved horizontally and vertically.\n\nBalanced:\nJ:a:b 4:2:2\nh/v 2/1\nChroma halved horizontally.\n\nBest quality:\nJ:a:b 4:4:4\nh/v 1/1\nNo chroma subsampling. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_CBDL_AFT;After Black-and-White @@ -1790,19 +2572,51 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_CBDL_METHOD;Process located !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1832,11 +2646,11 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1853,6 +2667,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_COLORTONING_TWOBY;Special a* and b* !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTHARMMEANS;Harmonic Means !TP_CROP_GTTRIANGLE1;Golden Triangles 1 !TP_CROP_GTTRIANGLE2;Golden Triangles 2 @@ -1861,7 +2676,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_CROP_SELECTCROP;Select !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1872,7 +2687,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual !TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -1887,14 +2702,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1917,17 +2732,28 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength !TP_FILMSIMULATION_ZEROCLUTSFOUND;Set HaldCLUT directory in Preferences !TP_FLATFIELD_CLIPCONTROL;Clip control !TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Clip control avoids clipped highlights caused by applying the flat field. If there are already clipped highlights before applying the flat field, value 0 is used. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table @@ -1935,15 +2761,62 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. !TP_ICM_BPC;Black Point Compensation +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic @@ -1961,12 +2834,826 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata !TP_METADATA_TUNNEL;Copy unchanged !TP_NEUTRAL;Reset !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PREPROCESS_DEADPIXFILT;Dead pixel filter !TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Tries to suppress dead pixels. !TP_PREPROCESS_HOTPIXFILT;Hot pixel filter @@ -1977,10 +3664,14 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAWEXPOS_BLACK_0;Green 1 (lead) !TP_RAWEXPOS_BLACK_1;Red @@ -1996,9 +3687,11 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto threshold !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). @@ -2016,6 +3709,8 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2026,7 +3721,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2041,16 +3736,21 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans !TP_RESIZE_ALLOW_UPSCALING;Allow Upscaling +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_HSL;HSL histogram !TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram !TP_RETINEX_CONTEDIT_LH;Hue @@ -2058,7 +3758,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -2066,7 +3766,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -2081,7 +3781,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -2100,8 +3800,8 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2114,9 +3814,9 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2125,7 +3825,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2137,6 +3837,11 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_SHARPENMICRO_CONTRAST;Contrast threshold !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2150,22 +3855,28 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2173,29 +3884,42 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2203,108 +3927,182 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_PICKER;Pick +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index 6c7e4cbe7..efb9e14d9 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -4184,3 +4184,4 @@ ZOOMPANEL_ZOOMOUT;ズームアウト\nショートカット: - !TC_PRIM_GREY;Gy !TC_PRIM_REDX;Rx !TC_PRIM_REDY;Ry +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index 26bebc3c8..3bd14ad0b 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -838,7 +838,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -861,7 +861,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) !EXTPROGTARGET_1;raw !EXTPROGTARGET_2;queue-processed -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_COLORLABEL_TOOLTIP;Color label.\n\nUse dropdown menu or shortcuts:\nShift-Ctrl-0 No Color\nShift-Ctrl-1 Red\nShift-Ctrl-2 Yellow\nShift-Ctrl-3 Green\nShift-Ctrl-4 Blue\nShift-Ctrl-5 Purple @@ -877,6 +877,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !FILEBROWSER_POPUPCOLORLABEL3;Label: Green !FILEBROWSER_POPUPCOLORLABEL4;Label: Blue !FILEBROWSER_POPUPCOLORLABEL5;Label: Purple +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPRANK;Rank !FILEBROWSER_POPUPRANK0;Unrank !FILEBROWSER_POPUPRANK1;Rank 1 * @@ -907,6 +908,8 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !GENERAL_AUTO;Automatic !GENERAL_CLOSE;Close !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GENERAL_OPEN;Open !GENERAL_RESET;Reset @@ -915,7 +918,16 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !GENERAL_WARNING;Warning !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. !HISTOGRAM_TOOLTIP_CHRO;Show/Hide chromaticity histogram. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_166;Exposure - Reset !HISTORY_MSG_167;Demosaicing method !HISTORY_MSG_168;L*a*b* - CC curve @@ -924,39 +936,39 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_171;L*a*b* - LC curve !HISTORY_MSG_172;L*a*b* - Restrict LC !HISTORY_MSG_173;NR - Detail recovery -!HISTORY_MSG_174;CIECAM02 -!HISTORY_MSG_175;CAM02 - CAT02 adaptation -!HISTORY_MSG_176;CAM02 - Viewing surround -!HISTORY_MSG_177;CAM02 - Scene luminosity -!HISTORY_MSG_178;CAM02 - Viewing luminosity -!HISTORY_MSG_179;CAM02 - White-point model -!HISTORY_MSG_180;CAM02 - Lightness (J) -!HISTORY_MSG_181;CAM02 - Chroma (C) -!HISTORY_MSG_182;CAM02 - Automatic CAT02 -!HISTORY_MSG_183;CAM02 - Contrast (J) -!HISTORY_MSG_184;CAM02 - Scene surround -!HISTORY_MSG_185;CAM02 - Gamut control -!HISTORY_MSG_186;CAM02 - Algorithm -!HISTORY_MSG_187;CAM02 - Red/skin prot. -!HISTORY_MSG_188;CAM02 - Brightness (Q) -!HISTORY_MSG_189;CAM02 - Contrast (Q) -!HISTORY_MSG_190;CAM02 - Saturation (S) -!HISTORY_MSG_191;CAM02 - Colorfulness (M) -!HISTORY_MSG_192;CAM02 - Hue (h) -!HISTORY_MSG_193;CAM02 - Tone curve 1 -!HISTORY_MSG_194;CAM02 - Tone curve 2 -!HISTORY_MSG_195;CAM02 - Tone curve 1 -!HISTORY_MSG_196;CAM02 - Tone curve 2 -!HISTORY_MSG_197;CAM02 - Color curve -!HISTORY_MSG_198;CAM02 - Color curve -!HISTORY_MSG_199;CAM02 - Output histograms -!HISTORY_MSG_200;CAM02 - Tone mapping +!HISTORY_MSG_174;Color Appearance & Lighting +!HISTORY_MSG_175;CAL - SC - Adaptation +!HISTORY_MSG_176;CAL - VC - Surround +!HISTORY_MSG_177;CAL - SC - Absolute luminance +!HISTORY_MSG_178;CAL - VC - Absolute luminance +!HISTORY_MSG_179;CAL - SC - WP model +!HISTORY_MSG_180;CAL - IA - Lightness (J) +!HISTORY_MSG_181;CAL - IA - Chroma (C) +!HISTORY_MSG_182;CAL - SC - Auto adaptation +!HISTORY_MSG_183;CAL - IA - Contrast (J) +!HISTORY_MSG_184;CAL - SC - Surround +!HISTORY_MSG_185;CAL - Gamut control +!HISTORY_MSG_186;CAL - IA - Algorithm +!HISTORY_MSG_187;CAL - IA - Red/skin protection +!HISTORY_MSG_188;CAL - IA - Brightness (Q) +!HISTORY_MSG_189;CAL - IA - Contrast (Q) +!HISTORY_MSG_190;CAL - IA - Saturation (S) +!HISTORY_MSG_191;CAL - IA - Colorfulness (M) +!HISTORY_MSG_192;CAL - IA - Hue (h) +!HISTORY_MSG_193;CAL - IA - Tone curve 1 +!HISTORY_MSG_194;CAL - IA - Tone curve 2 +!HISTORY_MSG_195;CAL - IA - Tone curve 1 mode +!HISTORY_MSG_196;CAL - IA - Tone curve 2 mode +!HISTORY_MSG_197;CAL - IA - Color curve +!HISTORY_MSG_198;CAL - IA - Color curve mode +!HISTORY_MSG_199;CAL - IA - Use CAM output for histograms +!HISTORY_MSG_200;CAL - IA - Use CAM for tone mapping !HISTORY_MSG_201;NR - Chrominance - R&G !HISTORY_MSG_202;NR - Chrominance - B&Y !HISTORY_MSG_203;NR - Color space !HISTORY_MSG_204;LMMSE enhancement steps -!HISTORY_MSG_205;CAM02 - Hot/bad pixel filter -!HISTORY_MSG_206;CAT02 - Auto scene luminosity +!HISTORY_MSG_205;CAL - Hot/bad pixel filter +!HISTORY_MSG_206;CAL - SC - Auto absolute luminance !HISTORY_MSG_207;Defringe - Hue curve !HISTORY_MSG_208;WB - B/R equalizer !HISTORY_MSG_210;GF - Angle @@ -999,7 +1011,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_247;L*a*b* - LH curve !HISTORY_MSG_248;L*a*b* - HH curve !HISTORY_MSG_249;CbDL - Threshold -!HISTORY_MSG_250;NR - Enhanced !HISTORY_MSG_251;B&W - Algorithm !HISTORY_MSG_252;CbDL - Skin tar/prot !HISTORY_MSG_253;CbDL - Reduce artifacts @@ -1023,8 +1034,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -1049,7 +1058,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -1067,10 +1075,10 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1134,14 +1142,14 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -1158,7 +1166,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1174,7 +1181,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -1194,30 +1201,45 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -1228,6 +1250,654 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1243,22 +1913,42 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1273,24 +1963,84 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !HISTORY_NEWSNAPSHOT_TOOLTIP;Shortcut: Alt-s !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1302,11 +2052,12 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1316,6 +2067,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1323,13 +2075,14 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1341,7 +2094,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1365,12 +2118,14 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !MAIN_MSG_PATHDOESNTEXIST;The path\n\n%1\n\ndoes not exist. Please set a correct path in Preferences. !MAIN_MSG_SETPATHFIRST;You first have to set a target path in Preferences in order to use this function! !MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. -!MAIN_MSG_WRITEFAILED;Failed to write\n"%1"\n\nMake sure that the folder exists and that you have write permission to it. +!MAIN_MSG_WRITEFAILED;Failed to write\n'%1'\n\nMake sure that the folder exists and that you have write permission to it. !MAIN_TAB_ADVANCED;Advanced !MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u !MAIN_TAB_INSPECT; Inspect +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR0;Background color of the preview: theme-based\nShortcut: 9 !MAIN_TOOLTIP_BACKCOLOR1;Background color of the preview: black\nShortcut: 9 !MAIN_TOOLTIP_BACKCOLOR2;Background color of the preview: white\nShortcut: 9 @@ -1388,26 +2143,29 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !NAVIGATOR_S;S: !NAVIGATOR_V;V: !NAVIGATOR_XY_FULL;Width: %1, Height: %2 -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_CHANNELMIXERBW;Black-and-white -!PARTIALPASTE_COLORAPP;CIECAM02 +!PARTIALPASTE_COLORAPP;Color Appearance & Lighting !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control !PARTIALPASTE_GRADIENT;Graduated filter !PARTIALPASTE_LENSPROFILE;Profiled lens correction !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_PCVIGNETTE;Vignette filter !PARTIALPASTE_PREPROCESS_DEADPIXFILT;Dead pixel filter !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1417,6 +2175,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_RETINEX;Retinex !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PREFERENCES_APPEARANCE;Appearance !PREFERENCES_APPEARANCE_COLORPICKERFONT;Color picker font @@ -1441,10 +2200,16 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1461,16 +2226,23 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PREFERENCES_CUSTPROFBUILDKEYFORMAT_TID;TagID !PREFERENCES_DIRECTORIES;Directories !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. !PREFERENCES_HISTOGRAM_TOOLTIP;If enabled, the working profile is used for rendering the main histogram and the Navigator panel, otherwise the gamma-corrected output profile is used. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. !PREFERENCES_LANG;Language !PREFERENCES_MAXRECENTFOLDERS;Maximum number of recent folders -!PREFERENCES_MENUGROUPEXTPROGS;Group "Open with" +!PREFERENCES_MENUGROUPEXTPROGS;Group 'Open with' !PREFERENCES_MONINTENT;Default rendering intent !PREFERENCES_MONITOR;Monitor !PREFERENCES_MONPROFILE;Default color profile @@ -1494,12 +2266,13 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_TAB_PERFORMANCE;Performance !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview @@ -1507,6 +2280,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise !PREFERENCES_USEBUNDLEDPROFILES;Use bundled profiles +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_GLOBALPROFILES;Bundled profiles !PROFILEPANEL_MODE_TOOLTIP;Processing profile fill mode.\n\nButton pressed: partial profiles will be converted to full profiles; the missing values will be replaced with hard-coded defaults.\n\nButton released: profiles will be applied as they are, altering only those values which they contain. !PROFILEPANEL_MYPROFILES;My profiles @@ -1546,6 +2320,12 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !THRESHOLDSELECTOR_B;Bottom !THRESHOLDSELECTOR_BL;Bottom-left !THRESHOLDSELECTOR_BR;Bottom-right @@ -1554,6 +2334,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !THRESHOLDSELECTOR_TL;Top-left !THRESHOLDSELECTOR_TR;Top-right !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_BWMIX_ALGO;Algorithm OYCPM !TP_BWMIX_ALGO_LI;Linear !TP_BWMIX_ALGO_SP;Special effects @@ -1588,7 +2369,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Total: %4%% -!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n"Total" displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. +!TP_BWMIX_RGBLABEL_HINT;Final RGB factors that take care of all the mixer options.\n'Total' displays the sum of the RGB values:\n- always 100% in relative mode\n- higher (lighter) or lower (darker) than 100% in absolute mode. !TP_BWMIX_RGB_TOOLTIP;Mix the RGB channels. Use presets for guidance.\nPay attention to negative values that may cause artifacts or erratic behavior. !TP_BWMIX_SETTING;Presets !TP_BWMIX_SETTING_TOOLTIP;Different presets (film, landscape, etc.) or manual Channel Mixer settings. @@ -1617,6 +2398,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_CBDL_METHOD;Process located !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_ALGO;Algorithm !TP_COLORAPP_ALGO_ALL;All !TP_COLORAPP_ALGO_JC;Lightness + Chroma (JC) @@ -1626,50 +2408,76 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORAPP_BADPIXSL;Hot/bad pixel filter !TP_COLORAPP_BADPIXSL_TOOLTIP;Suppression of hot/bad (brightly colored) pixels.\n0 = No effect\n1 = Median\n2 = Gaussian.\nAlternatively, adjust the image to avoid very dark shadows.\n\nThese artifacts are due to limitations of CIECAM02. !TP_COLORAPP_BRIGHT;Brightness (Q) -!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM02 takes into account the white's luminosity and differs from L*a*b* and RGB brightness. +!TP_COLORAPP_BRIGHT_TOOLTIP;Brightness in CIECAM is the amount of perceived light emanating from a stimulus. It differs from L*a*b* and RGB brightness. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed !TP_COLORAPP_CHROMA;Chroma (C) !TP_COLORAPP_CHROMA_M;Colorfulness (M) -!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM02 differs from L*a*b* and RGB colorfulness. +!TP_COLORAPP_CHROMA_M_TOOLTIP;Colorfulness in CIECAM is the perceived amount of hue in relation to gray, an indicator that a stimulus appears to be more or less colored. !TP_COLORAPP_CHROMA_S;Saturation (S) -!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM02 differs from L*a*b* and RGB saturation. -!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM02 differs from L*a*b* and RGB chroma. -!TP_COLORAPP_CIECAT_DEGREE;CAT02 adaptation +!TP_COLORAPP_CHROMA_S_TOOLTIP;Saturation in CIECAM corresponds to the color of a stimulus in relation to its own brightness. It differs from L*a*b* and RGB saturation. +!TP_COLORAPP_CHROMA_TOOLTIP;Chroma in CIECAM corresponds to the color of a stimulus relative to the clarity of a stimulus that appears white under identical conditions. It differs from L*a*b* and RGB chroma. +!TP_COLORAPP_CIECAT_DEGREE;Adaptation !TP_COLORAPP_CONTRAST;Contrast (J) !TP_COLORAPP_CONTRAST_Q;Contrast (Q) -!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Differs from L*a*b* and RGB contrast. -!TP_COLORAPP_CONTRAST_TOOLTIP;Differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_Q_TOOLTIP;Contrast (Q) in CIECAM is based on brightness. It differs from L*a*b* and RGB contrast. +!TP_COLORAPP_CONTRAST_TOOLTIP;Contrast (J) in CIECAM is based on lightness. It differs from L*a*b* and RGB contrast. !TP_COLORAPP_CURVEEDITOR1;Tone curve 1 -!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of J or Q after CIECAM02.\n\nJ and Q are not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. +!TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Shows the histogram of L* (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of J after CIECAM.\n\nJ is not shown in the main histogram panel.\n\nFor final output refer to the main histogram panel. !TP_COLORAPP_CURVEEDITOR2;Tone curve 2 -!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the second exposure tone curve. +!TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Same usage as with the first J(J) tone curve. !TP_COLORAPP_CURVEEDITOR3;Color curve -!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM02.\nIf the "Show CIECAM02 output histograms in curves" checkbox is enabled, shows the histogram of C, s or M after CIECAM02.\n\nC, s and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. -!TP_COLORAPP_DATACIE;CIECAM02 output histograms in curves -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] -!TP_COLORAPP_GAMUT;Gamut control (L*a*b*) +!TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Adjust either chroma, saturation or colorfulness.\n\nShows the histogram of chromaticity (L*a*b*) before CIECAM.\nIf the 'Show CIECAM output histograms in CAL curves' checkbox is enabled, shows the histogram of C, S or M after CIECAM.\n\nC, S and M are not shown in the main histogram panel.\nFor final output refer to the main histogram panel. +!TP_COLORAPP_DATACIE;Show CIECAM output histograms in CAL curves +!TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GAMUT;Use gamut control in L*a*b* mode +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. !TP_COLORAPP_HUE;Hue (h) -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. -!TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 +!TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_LABEL;Color Appearance & Lighting !TP_COLORAPP_LABEL_CAM02;Image Adjustments !TP_COLORAPP_LABEL_SCENE;Scene Conditions !TP_COLORAPP_LABEL_VIEWING;Viewing Conditions !TP_COLORAPP_LIGHT;Lightness (J) -!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02 differs from L*a*b* and RGB lightness. +!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_MODEL;WP Model -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODEL;WP model +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUND;Surround +!TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURROUND_AVER;Average !TP_COLORAPP_SURROUND_DARK;Dark !TP_COLORAPP_SURROUND_DIM;Dim !TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. +!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TCMODE_BRIGHTNESS;Brightness !TP_COLORAPP_TCMODE_CHROMA;Chroma !TP_COLORAPP_TCMODE_COLORF;Colorfulness @@ -1678,19 +2486,24 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02 +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminance of the viewing environment\n(usually 16 cd/m²). -!TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] !TP_COLORAPP_WBRT;WB [RT] + [output] +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1720,11 +2533,11 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1741,6 +2554,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORTONING_TWOBY;Special a* and b* !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTFRAME;Frame !TP_CROP_GTHARMMEANS;Harmonic Means !TP_CROP_GTTRIANGLE1;Golden Triangles 1 @@ -1750,7 +2564,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_CROP_SELECTCROP;Select !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1762,7 +2576,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual !TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -1784,14 +2598,14 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1816,7 +2630,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_EXPOSURE_CLAMPOOG;Clip out-of-gamut colors !TP_EXPOSURE_CURVEEDITOR1;Tone curve 1 !TP_EXPOSURE_CURVEEDITOR2;Tone curve 2 -!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the "Exposure > Tone Curves" RawPedia article to learn how to achieve the best results by using two tone curves. +!TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Please refer to the 'Exposure > Tone Curves' RawPedia article to learn how to achieve the best results by using two tone curves. !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. !TP_EXPOSURE_TCMODE_FILMLIKE;Film-like @@ -1830,11 +2644,21 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength @@ -1855,6 +2679,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_GRADIENT_STRENGTH;Strength !TP_GRADIENT_STRENGTH_TOOLTIP;Filter strength in stops. !TP_HLREC_ENA_TOOLTIP;Could be activated by Auto Levels. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table @@ -1864,22 +2689,69 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_ICM_BPC;Black Point Compensation !TP_ICM_DCPILLUMINANT;Illuminant !TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpolated -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. !TP_ICM_SAVEREFERENCE_TOOLTIP;Save the linear TIFF image before the input profile is applied. The result can be used for calibration purposes and generation of a camera profile. !TP_ICM_TONECURVE;Tone curve !TP_ICM_TONECURVE_TOOLTIP;Employ the embedded DCP tone curve. The setting is only available if the selected DCP has a tone curve. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LABCURVE_AVOIDCOLORSHIFT;Avoid color shift -!TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction. +!TP_LABCURVE_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab). !TP_LABCURVE_CHROMATICITY;Chromaticity !TP_LABCURVE_CHROMA_TOOLTIP;To apply B&W toning, set Chromaticity to -100. !TP_LABCURVE_CURVEEDITOR_A_RANGE1;Green Saturated @@ -1895,18 +2767,18 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Dull !TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastel !TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Saturated -!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C) +!TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromaticity according to chromaticity C=f(C). !TP_LABCURVE_CURVEEDITOR_CH;CH -!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H) +!TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromaticity according to hue C=f(H). !TP_LABCURVE_CURVEEDITOR_CL;CL -!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L) +!TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromaticity according to luminance C=f(L). !TP_LABCURVE_CURVEEDITOR_HH;HH -!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H) +!TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Hue according to hue H=f(H). !TP_LABCURVE_CURVEEDITOR_LC;LC -!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C) +!TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminance according to chromaticity L=f(C). !TP_LABCURVE_CURVEEDITOR_LH;LH -!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H) -!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L) +!TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminance according to hue L=f(H). +!TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminance according to luminance L=f(L). !TP_LABCURVE_LCREDSK;Restrict LC to red and skin-tones !TP_LABCURVE_LCREDSK_TOOLTIP;If enabled, the LC Curve affects only red and skin-tones.\nIf disabled, it applies to all tones. !TP_LABCURVE_RSTPROTECTION;Red and skin-tones protection @@ -1928,6 +2800,799 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata @@ -1941,6 +3606,27 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_PCVIGNETTE_STRENGTH;Strength !TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filter strength in stops (reached in corners). !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PFCURVE_CURVEEDITOR_CH;Hue !TP_PFCURVE_CURVEEDITOR_CH_TOOLTIP;Controls defringe strength by color.\nHigher = more,\nLower = less. !TP_PREPROCESS_DEADPIXFILT;Dead pixel filter @@ -1953,10 +3639,14 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAWEXPOS_BLACK_0;Green 1 (lead) !TP_RAWEXPOS_BLACK_1;Red @@ -1972,9 +3662,11 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DMETHOD_PROGRESSBAR;%1 demosaicing... !TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demosaicing refinement... @@ -1997,6 +3689,8 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2007,7 +3701,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2022,16 +3716,21 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans !TP_RESIZE_ALLOW_UPSCALING;Allow Upscaling +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_HSL;HSL histogram !TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram !TP_RETINEX_CONTEDIT_LH;Hue @@ -2039,7 +3738,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -2047,7 +3746,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -2062,7 +3761,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -2081,8 +3780,8 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2095,9 +3794,9 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2106,7 +3805,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2121,6 +3820,11 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_SHARPENMICRO_CONTRAST;Contrast threshold !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2131,7 +3835,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE2;Red !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE3;Red/Yellow !TP_VIBRANCE_CURVEEDITOR_SKINTONES_RANGE4;Yellow -!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H) +!TP_VIBRANCE_CURVEEDITOR_SKINTONES_TOOLTIP;Hue according to hue H=f(H). !TP_VIBRANCE_PSTHRESHOLD_SATTHRESH;Saturation threshold !TP_VIBRANCE_PSTHRESHOLD_TOOLTIP;The vertical axis represents pastel tones at the bottom and saturated tones at the top.\nThe horizontal axis represents the saturation range. !TP_VIBRANCE_PSTHRESHOLD_WEIGTHING;Pastel/saturated transition's weighting @@ -2144,22 +3848,28 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2167,29 +3877,42 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2197,112 +3920,186 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_EQBLUERED;Blue/Red equalizer -!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of "white balance" by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. +!TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behavior of 'white balance' by modulating the blue/red balance.\nThis can be useful when shooting conditions:\na) are far from the standard illuminant (e.g. underwater),\nb) are far from conditions where calibrations were performed,\nc) where the matrices or ICC profiles are unsuitable. !TP_WBALANCE_PICKER;Pick +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !TP_WBALANCE_WATER1;UnderWater 1 !TP_WBALANCE_WATER2;UnderWater 2 !TP_WBALANCE_WATER_HEADER;UnderWater diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index bf10a5b6a..157e98d20 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -21,11 +21,13 @@ ABOUT_TAB_CREDITS;Credits ABOUT_TAB_LICENSE;Licentie ABOUT_TAB_RELEASENOTES;Uitgave-opmerkingen ABOUT_TAB_SPLASH;Splash +ADJUSTER_RESET_TO_DEFAULT;Klik - terug naar standaardwaarde.\nCtrl+klik - terug naar laatst opgeslagen waarde. BATCH_PROCESSING;Batch-verwerking CURVEEDITOR_AXIS_IN;I: CURVEEDITOR_AXIS_LEFT_TAN;LT: CURVEEDITOR_AXIS_OUT;O: CURVEEDITOR_AXIS_RIGHT_TAN;RT: +CURVEEDITOR_CATMULLROM;Flexibel CURVEEDITOR_CURVE;Curve CURVEEDITOR_CURVES;Curven CURVEEDITOR_CUSTOM;Handmatig @@ -47,10 +49,15 @@ CURVEEDITOR_TOOLTIPPASTE;Plak curve van klembord CURVEEDITOR_TOOLTIPSAVE;Bewaar huidige curve CURVEEDITOR_TYPE;Type: DIRBROWSER_FOLDERS;Mappen +DONT_SHOW_AGAIN;Dit bericht niet meer tonen DYNPROFILEEDITOR_DELETE;Verwijder DYNPROFILEEDITOR_EDIT;Wijzig DYNPROFILEEDITOR_EDIT_RULE;Wijzig Dynamisch Profielregel DYNPROFILEEDITOR_ENTRY_TOOLTIP;Het zoeken is niet hoofdlettergevoelig.\nGebruik het "re:" voorvoegsel om\n een reguliere expressie uit te voeren +DYNPROFILEEDITOR_IMGTYPE_ANY;Alles +DYNPROFILEEDITOR_IMGTYPE_HDR;HDR +DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift +DYNPROFILEEDITOR_IMGTYPE_STD;Standaard DYNPROFILEEDITOR_MOVE_DOWN;Naar beneden DYNPROFILEEDITOR_MOVE_UP;Naar boven DYNPROFILEEDITOR_NEW;Nieuw @@ -64,6 +71,7 @@ EXIFFILTER_CAMERA;Camera EXIFFILTER_EXPOSURECOMPENSATION;Belichtingscompensatie (EV) EXIFFILTER_FILETYPE;Bestandstype EXIFFILTER_FOCALLEN;Brandpuntsafstand +EXIFFILTER_IMAGETYPE;Type afbeelding EXIFFILTER_ISO;ISO-waarde EXIFFILTER_LENS;Objectief EXIFFILTER_METADATAFILTER;Activeer metadatafilters @@ -81,6 +89,7 @@ EXIFPANEL_RESET;Herstel EXIFPANEL_RESETALL;Herstel alles EXIFPANEL_RESETALLHINT;Zet alle tags terug naar oorspronkelijke waarden EXIFPANEL_RESETHINT;Zet geselecteerde tags terug naar oorspronkelijke waarden +EXIFPANEL_SHOWALL;Toon alles EXIFPANEL_SUBDIRECTORY;Submap EXPORT_BYPASS;Verwerkingsstappen die worden overgeslagen EXPORT_BYPASS_ALL;Alles selecteren/deselecteren @@ -116,15 +125,22 @@ FILEBROWSER_APPLYPROFILE;Pas profiel toe FILEBROWSER_APPLYPROFILE_PARTIAL;Pas profiel toe (gedeeltelijk) FILEBROWSER_AUTODARKFRAME;Automatisch donkerframe FILEBROWSER_AUTOFLATFIELD;Selecteer automatisch vlakveldopname +FILEBROWSER_BROWSEPATHBUTTONHINT;Klik om de opgegeven map te laden, en het zoekfilter opnieuw toe te passen. FILEBROWSER_BROWSEPATHHINT;Typ het pad naar de doelmap.\nCtrl-O markeer het pad in het tekstveld.\nEnter / Ctrl-Enter open de map.\nEsc maak het tekstveld leeg.\nShift-Esc verwijder markering.\n\n\nSneltoetsen:\n ~ - gebruikers home directory\n ! - gebruikers afbeeldingen map FILEBROWSER_CACHE;Cache +FILEBROWSER_CACHECLEARFROMFULL;Wis alles inclusief opgeslagen profielen +FILEBROWSER_CACHECLEARFROMPARTIAL;Wis alles behalve opgeslagen profielen FILEBROWSER_CLEARPROFILE;Verwijder profiel FILEBROWSER_COLORLABEL_TOOLTIP;Kleur label\n\nGebruik keuzemenu of nSneltoets:\nShift-Ctrl-0 Geen kleur\nShift-Ctrl-1 Rood\nShift-Ctrl-2 Geel\nShift-Ctrl-3 Groen\nShift-Ctrl-4 Blauw\nShift-Ctrl-5 Paars FILEBROWSER_COPYPROFILE;Kopieer profiel FILEBROWSER_CURRENT_NAME;Huidige naam: FILEBROWSER_DARKFRAME;Donkerframe +FILEBROWSER_DELETEDIALOG_ALL;Alle %1 bestanden in de prullenbak definitief verwijderen? FILEBROWSER_DELETEDIALOG_HEADER;Bevestiging bestand verwijderen +FILEBROWSER_DELETEDIALOG_SELECTED;Geselecteerde %1 bestanden definitief verwijderen? +FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Geselecteerde %1 bestanden inclusief een versie die door de verwerkingsrij is gemaakt verwijderen? FILEBROWSER_EMPTYTRASH;Leeg prullenbak +FILEBROWSER_EMPTYTRASHHINT;Alle bestanden in de prullenbak permanent verwijderen FILEBROWSER_EXTPROGMENU;Open met FILEBROWSER_FLATFIELD;Vlakveld FILEBROWSER_MOVETODARKFDIR;Verplaats naar map met donkerframes @@ -158,6 +174,8 @@ FILEBROWSER_POPUPRANK2;Waardering 2 ** FILEBROWSER_POPUPRANK3;Waardering 3 *** FILEBROWSER_POPUPRANK4;Waardering 4 **** FILEBROWSER_POPUPRANK5;Waardering 5 ***** +FILEBROWSER_POPUPREMOVE;Permanent verwijderen +FILEBROWSER_POPUPREMOVEINCLPROC;Verwijder definitief, inclusief met uitvoer in de verwerkingsrij FILEBROWSER_POPUPRENAME;Hernoem FILEBROWSER_POPUPSELECTALL;Alles selecteren FILEBROWSER_POPUPTRASH;Verplaats naar prullenbak @@ -184,6 +202,7 @@ FILEBROWSER_SHOWDIRHINT;Verwijder alle filters.\nSneltoets: d FILEBROWSER_SHOWEDITEDHINT;Toon bewerkte foto's\nSneltoets: 7 FILEBROWSER_SHOWEDITEDNOTHINT;Toon niet-bewerkte foto's\nSneltoets: 6 FILEBROWSER_SHOWEXIFINFO;Toon EXIF-info +FILEBROWSER_SHOWNOTTRASHHINT;Toon alleen niet-verwijderde afbeeldingen. FILEBROWSER_SHOWORIGINALHINT;Toon alleen originele afbeelding.\n\nAls er meerdere afbeeldingen zijn met dezelfde naam maar verschillende extensies, dan wordt de afbeelding waarvan de extensie het hoogst staat in de lijst met extensies in Voorkeuren > Bestandsnavigator > Extensies FILEBROWSER_SHOWRANK1HINT;Toon foto's met 1 ster.\nSneltoets: 1 FILEBROWSER_SHOWRANK2HINT;Toon foto's met 2 sterren.\nSneltoets: 2 @@ -214,11 +233,13 @@ GENERAL_AUTO;Automatisch GENERAL_BEFORE;Voor GENERAL_CANCEL;Annuleren GENERAL_CLOSE;Sluiten +GENERAL_CURRENT;Huidig GENERAL_DISABLE;Deactiveren GENERAL_DISABLED;Gedeactiveerd GENERAL_ENABLE;Activeer GENERAL_ENABLED;Geactiveerd GENERAL_FILE;Bestand +GENERAL_HELP;Help GENERAL_LANDSCAPE;Landschap GENERAL_NA;nvt. GENERAL_NO;Nee @@ -226,14 +247,19 @@ GENERAL_NONE;Geen GENERAL_OK;OK GENERAL_OPEN;Open GENERAL_PORTRAIT;Portret +GENERAL_RESET;Terugzetten GENERAL_SAVE;Opslaan +GENERAL_SAVE_AS;Bewaren als... +GENERAL_SLIDER;Schuifregelaar GENERAL_UNCHANGED;(Onveranderd) GENERAL_WARNING;Waarschuwing +GIMP_PLUGIN_INFO;Welkom bij de RawTherapee GIMP plug-in!\nAls uw bewerking gereed is, sluit dan het hoofdvenster van RawTherapee en uw afbeelding wordt automatisch in GIMP geladen. HISTOGRAM_TOOLTIP_B;Toon/verberg blauw histogram HISTOGRAM_TOOLTIP_BAR;Toon/verberg RGB-indicatie\nRechtermuisklik op foto om te starten/stoppen HISTOGRAM_TOOLTIP_CHRO;Toon/Verberg Chromaticiteit histogram HISTOGRAM_TOOLTIP_G;Toon/verberg groen histogram HISTOGRAM_TOOLTIP_L;Toon/verberg CIELAB-luminantiehistogram +HISTOGRAM_TOOLTIP_MODE;Wissel tussen lineair, log-lineair and log-log schalen van het histogram. HISTOGRAM_TOOLTIP_R;Toon/verberg rood histogram HISTORY_CHANGED;Veranderd HISTORY_CUSTOMCURVE;Handmatig @@ -410,6 +436,7 @@ HISTORY_MSG_169;L*a*b* - CH curve HISTORY_MSG_170;Levendigheid curve HISTORY_MSG_171;L*a*b* - LC curve HISTORY_MSG_172;L*a*b* - Beperk LC +HISTORY_MSG_173;NR - Detailbehoud HISTORY_MSG_174;CIECAM02 HISTORY_MSG_175;CAM02 - CAT02 toepassing HISTORY_MSG_176;CAM02 - Weergave omgeving @@ -439,6 +466,7 @@ HISTORY_MSG_199;CAM02 - Toont in histogram HISTORY_MSG_200;CAM02 - Tonemapping HISTORY_MSG_201;RO - Chromin. rood-groen HISTORY_MSG_202;RO - Chromin. blauw-geel +HISTORY_MSG_203;NR - Kleurruimte HISTORY_MSG_204;LMMSE Verbetering HISTORY_MSG_205;CAM02 hete/dode pixels HISTORY_MSG_206;CAT02 - Opname Lum. Auto @@ -469,7 +497,9 @@ HISTORY_MSG_231;ZW - 'Voor' curve HISTORY_MSG_232;ZW - 'Voor' curve type HISTORY_MSG_233;ZW - 'Na' curve HISTORY_MSG_234;ZW - 'Na' curve type +HISTORY_MSG_235;B&W - CM - Auto HISTORY_MSG_236;- +HISTORY_MSG_237;B&W - CM HISTORY_MSG_238;GF - Straal HISTORY_MSG_239;GF - Sterkte HISTORY_MSG_240;GF - Centrum @@ -488,6 +518,7 @@ HISTORY_MSG_252;DC - Huidtonen HISTORY_MSG_253;DC - Verminder artefacten HISTORY_MSG_254;DC - Huidtint HISTORY_MSG_255;DC - Algoritme +HISTORY_MSG_256;NR - Mediaan - Type HISTORY_MSG_257;Kleurtint HISTORY_MSG_258;KT - Kleur curve HISTORY_MSG_259;KT - Dekking @@ -504,6 +535,7 @@ HISTORY_MSG_269;KT - Hoog - Rood HISTORY_MSG_270;KT - Hoog - Groen HISTORY_MSG_271;KT - Hoog - Blauw HISTORY_MSG_272;KT - Balans +HISTORY_MSG_273;CT - Kleurbalans SMH HISTORY_MSG_274;KT - Verz. Schaduwen HISTORY_MSG_275;KT - Verz. Hoge lichten HISTORY_MSG_276;KT - Dekking @@ -527,6 +559,7 @@ HISTORY_MSG_293;Film Simuleren HISTORY_MSG_294;Film - Sterkte HISTORY_MSG_295;Film - Film HISTORY_MSG_296;RO - Luminantie curve +HISTORY_MSG_297;NR - Modus HISTORY_MSG_298;Dode pixels filter HISTORY_MSG_299;RO - Chrominantie curve HISTORY_MSG_300;- @@ -621,6 +654,7 @@ HISTORY_MSG_388;W - Rest - KB groen midden HISTORY_MSG_389;W - Rest - KB blauw midden HISTORY_MSG_390;W - Rest - KB groen laag HISTORY_MSG_391;W - Rest - KB blauw laag +HISTORY_MSG_392;W - Overblijvend - Kleurbalans HISTORY_MSG_393;DCP 'Look'tabel HISTORY_MSG_394;DCP Basis belichting HISTORY_MSG_395;DCP Basis tabel @@ -669,6 +703,7 @@ HISTORY_MSG_437;Retinex - M - Methode HISTORY_MSG_438;Retinex - M - Mixer HISTORY_MSG_439;Retinex - Verwerken HISTORY_MSG_440;DC - Methode +HISTORY_MSG_441;Retinex - Toename transmissie HISTORY_MSG_442;Retinex - Schaal HISTORY_MSG_443;Uivoer Zwartpunt Compensatie HISTORY_MSG_444;WB - Temp afwijking @@ -686,10 +721,131 @@ HISTORY_MSG_471;PV Bewegingscorrectie HISTORY_MSG_472;PV Zachte overgang HISTORY_MSG_473;PV Gebruik lmmse HISTORY_MSG_474;PV Balans +HISTORY_MSG_475;PS - Kanaalbalans +HISTORY_MSG_476;CAM02 - Temp uit +HISTORY_MSG_477;CAM02 - Groen uit +HISTORY_MSG_478;CAM02 - Yb uit +HISTORY_MSG_479;CAM02 - CAT02 aanpassing uit +HISTORY_MSG_480;CAM02 - Automatische CAT02 uit +HISTORY_MSG_481;CAM02 - Temp scène +HISTORY_MSG_482;CAM02 - Groen scène +HISTORY_MSG_483;CAM02 - Yb scène +HISTORY_MSG_484;CAM02 - Auto Yb scène +HISTORY_MSG_485;Lenscorrectie +HISTORY_MSG_486;Lenscorrectie - Camera +HISTORY_MSG_487;Lenscorrectie - Lens +HISTORY_MSG_488;Compressie Dynamisch Bereik +HISTORY_MSG_489;DRC - Detail +HISTORY_MSG_490;DRC - Hoeveelheid +HISTORY_MSG_491;Witbalans +HISTORY_MSG_492;RGB Curven +HISTORY_MSG_493;L*a*b* Adjustments +HISTORY_MSG_494;verscherpen +HISTORY_MSG_CLAMPOOG;Kleuren afkappen die buiten het gamma vallen +HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Kleurcorrectie +HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Kleurcorrectie +HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Kanaal +HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - gebied C masker +HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;CT - H masker +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;CT - Licht +HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;CT - L masker +HISTORY_MSG_COLORTONING_LABREGION_LIST;CT - Lijst +HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;CT - verzachtingsmasker gebied +HISTORY_MSG_COLORTONING_LABREGION_OFFSET;CT - offset gebied +HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - sterkte gebied +HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Verzadiging +HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - toon gebiedsmasker +HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - hellingsgebied +HISTORY_MSG_DEHAZE_DEPTH;Nevelvermindering - Diepte +HISTORY_MSG_DEHAZE_ENABLED;Nevelvermindering +HISTORY_MSG_DEHAZE_LUMINANCE;Nevelvermindering - Alleen Luminantie +HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Nevelvermindering - Toon dieptemap +HISTORY_MSG_DEHAZE_STRENGTH;Nevelvermindering - Sterkte +HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual-demozaïek - auto-drempel +HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual-demozaïek - Contrastdrempel +HISTORY_MSG_FILMNEGATIVE_ENABLED;Filmnegatief +HISTORY_MSG_FILMNEGATIVE_VALUES;Filmnegatief waarden +HISTORY_MSG_HISTMATCHING;Auto-matched tooncurve +HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Uitvoer - Primaries +HISTORY_MSG_ICM_OUTPUT_TEMP;Uitvoer - ICC-v4 illuminant D +HISTORY_MSG_ICM_OUTPUT_TYPE;Uitvoer - Type +HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma +HISTORY_MSG_ICM_WORKING_SLOPE;Working - Helling +HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC methode +HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Hoeveelheid +HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Donker +HISTORY_MSG_LOCALCONTRAST_ENABLED;Lokaal Contrast +HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;Lokaal Contrast - Licht +HISTORY_MSG_LOCALCONTRAST_RADIUS;Lokaal Contrast - Radius +HISTORY_MSG_METADATA_MODE;Metadata kopieermodus +HISTORY_MSG_MICROCONTRAST_CONTRAST;Microcontrast - Contrastdrempel +HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto drempel +HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius +HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limiet herhalingen +HISTORY_MSG_PDSHARPEN_CONTRAST;CS - Contrastdrempel +HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Herhalingen +HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius +HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Toename hoekradius +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demozaïekmethode voor beweging +HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;lijnruisfilter richting +HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter +HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrastdrempel +HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correctie - Herhalingen +HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correctie - Vermijd kleurverschuiving +HISTORY_MSG_RAW_BORDER;Raw rand +HISTORY_MSG_RESIZE_ALLOWUPSCALING;Schalen - sta vergroting toe +HISTORY_MSG_SHARPENING_BLUR;Verscherpen - Vervagingsradius +HISTORY_MSG_SHARPENING_CONTRAST;Verscherpen - Contrastdrempel +HISTORY_MSG_SH_COLORSPACE;S/H - Kleurruimte +HISTORY_MSG_SOFTLIGHT_ENABLED;Zacht licht +HISTORY_MSG_SOFTLIGHT_STRENGTH;Zacht licht - Sterkte +HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anker +HISTORY_MSG_TRANS_METHOD;Geometrie - Methode HISTORY_NEWSNAPSHOT;Nieuw HISTORY_NEWSNAPSHOT_TOOLTIP;Sneltoets: Alt-s HISTORY_SNAPSHOT;Nieuw HISTORY_SNAPSHOTS;Snapshots +ICCPROFCREATOR_COPYRIGHT;Copyright: +ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Zet terug naar standaard copyright, verleend aan "RawTherapee, CC0" +ICCPROFCREATOR_CUSTOM;Handmatig +ICCPROFCREATOR_DESCRIPTION;Beschriiving: +ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Voeg gamma- en hellingwaarden toe aan de beschrijving +ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Laat leeg voor de standaard beschrijving. +ICCPROFCREATOR_GAMMA;Gamma +ICCPROFCREATOR_ICCVERSION;ICC versie: +ICCPROFCREATOR_ILL;Illuminant: +ICCPROFCREATOR_ILL_41;D41 +ICCPROFCREATOR_ILL_50;D50 +ICCPROFCREATOR_ILL_55;D55 +ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_65;D65 +ICCPROFCREATOR_ILL_80;D80 +ICCPROFCREATOR_ILL_DEF;Standaard +ICCPROFCREATOR_ILL_INC;StdA 2856K +ICCPROFCREATOR_ILL_TOOLTIP;U kunt alleen de illuminant instellen voor ICC v4-profielen. +ICCPROFCREATOR_PRIMARIES;Primaire kleuren: +ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 +ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 +ICCPROFCREATOR_PRIM_ADOBE;Adobe RGB (1998) +ICCPROFCREATOR_PRIM_BEST;BestRGB +ICCPROFCREATOR_PRIM_BETA;BetaRGB +ICCPROFCREATOR_PRIM_BLUX;Blauw X +ICCPROFCREATOR_PRIM_BLUY;Blauw Y +ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_GREX;Groen X +ICCPROFCREATOR_PRIM_GREY;Groen Y +ICCPROFCREATOR_PRIM_PROPH;Prophoto +ICCPROFCREATOR_PRIM_REC2020;Rec2020 +ICCPROFCREATOR_PRIM_REDX;Rood X +ICCPROFCREATOR_PRIM_REDY;Rood Y +ICCPROFCREATOR_PRIM_SRGB;sRGB +ICCPROFCREATOR_PRIM_TOOLTIP;U kunt alleen aangepaste primaries voor ICC v4-profielen instellen. +ICCPROFCREATOR_PRIM_WIDEG;Widegamut +ICCPROFCREATOR_PROF_V2;ICC v2 +ICCPROFCREATOR_PROF_V4;ICC v4 +ICCPROFCREATOR_SAVEDIALOG_TITLE;Bewaar ICC profiel als... +ICCPROFCREATOR_SLOPE;Helling +ICCPROFCREATOR_TRC_PRESET;Toonresponscurve: IPTCPANEL_CATEGORY;Categorie IPTCPANEL_CATEGORYHINT;Het onderwerp van de afbeelding. IPTCPANEL_CITY;Plaats @@ -733,6 +889,7 @@ IPTCPANEL_TITLEHINT;De korte naam van de afbeelding. Dit kan de bestandsnaam zij IPTCPANEL_TRANSREFERENCE;Referentienummer IPTCPANEL_TRANSREFERENCEHINT;Het nummer dat wordt gebruikt voor de 'workflow control' of voor de tracking. MAIN_BUTTON_FULLSCREEN;Volledig scherm +MAIN_BUTTON_ICCPROFCREATOR;ICC Profielmaker MAIN_BUTTON_NAVNEXT_TOOLTIP;Navigeer naar de volgende afbeelding relatief ten opzichte van de geopende afbeelding in de Editor\nSneltoets: Shift-F4\n\nNavigeer naar de volgende afbeelding relatief ten opzichte van de miniatuur geselecteerd in de Bestandsnavigator\nSneltoets: F4 MAIN_BUTTON_NAVPREV_TOOLTIP;Navigeer naar de vorige afbeelding relatief ten opzichte van de geopende afbeelding in de Editor\nSneltoets: Shift-F3 \n\nNavigeer naar de vorige afbeelding relatief ten opzichte van de miniatuur geselecteerd in de Bestandsnavigator\nSneltoets: F3 MAIN_BUTTON_NAVSYNC_TOOLTIP;Synchroniseer de Bestandsnavigator met de Editor om de miniatuur te tonen van de huidig geopende afbeelding, en verwijder de filters in de Bestandsnavigator \nSneltoets: x\n\nAls voorgaand, maar zonder het verwijderen van de filters in de Bestandsnavigator \nSneltoets: y\n(NB de miniatuur van de geopende afbeelding zal niet worden getoond indien gefilterd) @@ -749,6 +906,7 @@ MAIN_FRAME_FILEBROWSER;Bestandsnavigator MAIN_FRAME_FILEBROWSER_TOOLTIP; Bestandsnavigator.\nSneltoets: Ctrl-F2 MAIN_FRAME_PLACES;Locaties MAIN_FRAME_PLACES_ADD;Nieuw +MAIN_FRAME_PLACES_DEL;Verwijderen MAIN_FRAME_QUEUE;Verwerkingsrij MAIN_FRAME_QUEUE_TOOLTIP; Verwerkingsrij.\nSneltoets: Ctrl-F3 MAIN_FRAME_RECENT;Recente mappen @@ -764,7 +922,10 @@ MAIN_MSG_OPERATIONCANCELLED;Opdracht afgebroken MAIN_MSG_PATHDOESNTEXIST;Het pad\n\n%1\n\nbestaat niet. Zet een correct pad bij Voorkeuren. MAIN_MSG_QOVERWRITE;Wilt u het bestand overschrijven? MAIN_MSG_SETPATHFIRST;Specificeer eerst een doelmap in Voorkeuren \nom deze functionaliteit te kunnen gebruiken! +MAIN_MSG_TOOMANYOPENEDITORS;Teveel open fotobewerkers.\nSluit er een om verder te kunnen. MAIN_MSG_WRITEFAILED;Niet opgeslagen\n\n"%1"\n\nControleer of de map bestaat en dat u schrijfrechten heeft. +MAIN_TAB_ADVANCED;Geavanceerd +MAIN_TAB_ADVANCED_TOOLTIP;Sneltoets: Alt-a MAIN_TAB_COLOR;Kleur MAIN_TAB_COLOR_TOOLTIP;Sneltoets: Alt-c MAIN_TAB_DETAIL;Detail @@ -774,6 +935,8 @@ MAIN_TAB_EXIF;Exif MAIN_TAB_EXPORT; Exporteren MAIN_TAB_EXPOSURE;Belichting MAIN_TAB_EXPOSURE_TOOLTIP;Sneltoets: Alt-e +MAIN_TAB_FAVORITES;Favorieten +MAIN_TAB_FAVORITES_TOOLTIP;Sneltoets: Alt-u MAIN_TAB_FILTER;Filter MAIN_TAB_INSPECT; Inspecteren MAIN_TAB_IPTC;IPTC @@ -786,6 +949,7 @@ MAIN_TAB_TRANSFORM_TOOLTIP;Sneltoets: Alt-t MAIN_TOOLTIP_BACKCOLOR0;Achtergrond kleur van het voorbeeld: Thema-based\nSneltoets: 8 MAIN_TOOLTIP_BACKCOLOR1;Achtergrond kleur van het voorbeeld: Zwart\nSneltoets: 9 MAIN_TOOLTIP_BACKCOLOR2;Achtergrond kleur van het voorbeeld: Wit\nSneltoets: 0 +MAIN_TOOLTIP_BACKCOLOR3;Achtergrondkleur van het voorbeeld: middelgrijs\nSneltoets: 9 MAIN_TOOLTIP_BEFOREAFTERLOCK;Vergrendel / Ontgrendel de Voorafbeelding.\n\nVergrendel: hou de Voorafbeelding ongewijzigd.\nDit is handig om het cumulatieve effect van meerdere gereedschappen te beoordelen.\nBovendien kan er worden vergeleken met elke stap in de geschiedenislijst.\n\nOntgrendel: de Voorafbeelding volgt een stap achter de Naafbeelding en laat de afbeelding zien zonder het effect van het huidige gereedschap. MAIN_TOOLTIP_HIDEHP;Toon/verberg linkerpaneel (geschiedenis).\nSneltoets: H MAIN_TOOLTIP_INDCLIPPEDH;Overbelichtingsindicatie.\nSneltoets: > @@ -795,6 +959,7 @@ MAIN_TOOLTIP_PREVIEWFOCUSMASK;Bekijk het Focus Masker.\nSneltoets: Shi MAIN_TOOLTIP_PREVIEWG;Bekijk het Groene kanaal.\nSneltoets: g MAIN_TOOLTIP_PREVIEWL;Bekijk de Luminositeit.\nSneltoets: v\n\n0.299*R + 0.587*G + 0.114*B MAIN_TOOLTIP_PREVIEWR;Bekijk het Rode kanaal.\nSneltoets: r +MAIN_TOOLTIP_PREVIEWSHARPMASK;Bekijk het scherptecontrastmasker.\nSneltoets: p\nWerkt alleen als verscherping is geactiveerd en het zoomniveau >= 100%. MAIN_TOOLTIP_QINFO;Beknopte fotogegevens MAIN_TOOLTIP_SHOWHIDELP1;Toon/verberg linkerpaneel.\nSneltoets: l MAIN_TOOLTIP_SHOWHIDERP1;Toon/verberg rechterpaneel.\nSneltoets: Alt-l @@ -814,6 +979,10 @@ NAVIGATOR_S;S: NAVIGATOR_V;V: NAVIGATOR_XY_FULL;Breedte: %1, Hoogte: %2 NAVIGATOR_XY_NA;x: --, y: -- +OPTIONS_BUNDLED_MISSING;Het gebundelde profiel "%1" werd niet gevonden!\n\nUw installatie kan beschadigd zijn.\n\nDaarom worden interne standaardwaarden gebruikt. +OPTIONS_DEFIMG_MISSING;Het standaardprofiel voor niet-raw- foto's werd niet gevonden of is niet ingesteld.\n\nControleer de profielenmap, het kan ontbreken of beschadigd zijn.\n\n"%1" wordt daarom gebruikt. +OPTIONS_DEFRAW_MISSING;Het standaardprofiel voor raw-foto's werd niet gevonden of is niet ingesteld.\n\nControleer de profielenmap, het kan ontbreken of beschadigd zijn.\n\n"%1" wordt daarom gebruikt. +PARTIALPASTE_ADVANCEDGROUP;Geavanceerd PARTIALPASTE_BASICGROUP;Basisinstellingen PARTIALPASTE_CACORRECTION;C/A-correctie PARTIALPASTE_CHANNELMIXER;Kleurkanaal mixer @@ -828,6 +997,7 @@ PARTIALPASTE_CROP;Bijsnijden PARTIALPASTE_DARKFRAMEAUTOSELECT;Donkerframe autom. selectie PARTIALPASTE_DARKFRAMEFILE;Donkerframe-opname PARTIALPASTE_DEFRINGE;Verzachten +PARTIALPASTE_DEHAZE;Nevel verminderen PARTIALPASTE_DETAILGROUP;Detailinstellingen PARTIALPASTE_DIALOGLABEL;Profiel gedeeltelijk plakken... PARTIALPASTE_DIRPYRDENOISE;Ruisonderdrukking @@ -838,6 +1008,7 @@ PARTIALPASTE_EQUALIZER;Wavelet Balans PARTIALPASTE_EVERYTHING;Alles PARTIALPASTE_EXIFCHANGES;Wijzig Exif-gegevens PARTIALPASTE_EXPOSURE;Belichting +PARTIALPASTE_FILMNEGATIVE;Film Negatief PARTIALPASTE_FILMSIMULATION;Film Simuleren PARTIALPASTE_FLATFIELDAUTOSELECT;Vlakveld autoselectie PARTIALPASTE_FLATFIELDBLURRADIUS;Vlakveld verzachting straal @@ -852,6 +1023,8 @@ PARTIALPASTE_IPTCINFO;IPTC-informatie PARTIALPASTE_LABCURVE;LAB-curve PARTIALPASTE_LENSGROUP;Lensgerelateerde instellingen PARTIALPASTE_LENSPROFILE;Lens correctie profiel +PARTIALPASTE_LOCALCONTRAST;Lokaal contrast +PARTIALPASTE_METADATA;Metadata modus PARTIALPASTE_METAGROUP;Metadata PARTIALPASTE_PCVIGNETTE;Vignettering Filter PARTIALPASTE_PERSPECTIVE;Perspectief @@ -859,12 +1032,15 @@ PARTIALPASTE_PREPROCESS_DEADPIXFILT;Dode pixels filter PARTIALPASTE_PREPROCESS_GREENEQUIL;Groenbalans PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hete pixels filter PARTIALPASTE_PREPROCESS_LINEDENOISE;Lijnruisfilter +PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter PARTIALPASTE_PRSHARPENING;Verscherp na verkleinen PARTIALPASTE_RAWCACORR_AUTO;Autom. C/A-correctie +PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA vermijd kleurverschuiving PARTIALPASTE_RAWCACORR_CAREDBLUE;CA rood & blauw PARTIALPASTE_RAWEXPOS_BLACK;Zwartniveau PARTIALPASTE_RAWEXPOS_LINEAR;Raw witpunt- lineaire corr. factor PARTIALPASTE_RAWGROUP;Raw-instellingen +PARTIALPASTE_RAW_BORDER;Raw rand PARTIALPASTE_RAW_DCBENHANCE;Pas DCB-verbetering toe PARTIALPASTE_RAW_DCBITERATIONS;aantal DCB-herhalingen PARTIALPASTE_RAW_DMETHOD;Demozaïekmethode @@ -880,27 +1056,53 @@ PARTIALPASTE_SHADOWSHIGHLIGHTS;Schaduwen/hoge lichten PARTIALPASTE_SHARPENEDGE;Randen PARTIALPASTE_SHARPENING;Verscherping PARTIALPASTE_SHARPENMICRO;Microcontrast +PARTIALPASTE_SOFTLIGHT;Zacht licht +PARTIALPASTE_TM_FATTAL;Compressie dynamisch bereik PARTIALPASTE_VIBRANCE;Levendigheid PARTIALPASTE_VIGNETTING;Vignetteringscorrectie PARTIALPASTE_WHITEBALANCE;Witbalans PREFERENCES_ADD;Toevoegen +PREFERENCES_APPEARANCE;Uiterlijk +PREFERENCES_APPEARANCE_COLORPICKERFONT;Lettertype kleurenkiezer +PREFERENCES_APPEARANCE_CROPMASKCOLOR;Kleur bijsnijdmasker +PREFERENCES_APPEARANCE_MAINFONT;Standaard lettertype PREFERENCES_APPEARANCE_NAVGUIDECOLOR;Navigator randkleur +PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI modus +PREFERENCES_APPEARANCE_THEME;Thema PREFERENCES_APPLNEXTSTARTUP;herstart vereist PREFERENCES_AUTOMONPROFILE;Gebruik automatisch het standaard monitorprofiel \nvan het besturingsysteem +PREFERENCES_AUTOSAVE_TP_OPEN;Bewaar positie gereedschappen (open/dicht) bij afsluiten PREFERENCES_BATCH_PROCESSING;Batch-verwerking PREFERENCES_BEHADDALL;Alles op 'Toevoegen' PREFERENCES_BEHADDALLHINT;Zet alle parameters in de Toevoegen mode.\nWijzigingen van parameters in de batch tool zijn deltas op de opgeslagen waarden. PREFERENCES_BEHAVIOR;Gedrag PREFERENCES_BEHSETALL;Alles op 'Activeer' PREFERENCES_BEHSETALLHINT;Zet alle parameters in de Activeer mode.\nWijzigingen van parameters in de batch tool zijn absoluut. De actuele waarden worden gebruikt. +PREFERENCES_CACHECLEAR;Wissen +PREFERENCES_CACHECLEAR_ALL;Wis alle bestanden in de cache: +PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Wis alle bestanden in de cache behalve verwerkingsprofielen: +PREFERENCES_CACHECLEAR_ONLYPROFILES;Wis alleen verwerkingsprofielen in de cache: +PREFERENCES_CACHECLEAR_SAFETY;Alleen bestanden in de cache worden gewist. Verwerkingsprofielen van de oorspronkelijke afbeeldingen blijven ongemoeid. PREFERENCES_CACHEMAXENTRIES;Maximaal aantal elementen in cache PREFERENCES_CACHEOPTS;Cache-opties PREFERENCES_CACHETHUMBHEIGHT;Maximale hoogte miniaturen +PREFERENCES_CHUNKSIZES;Tegels per thread +PREFERENCES_CHUNKSIZE_RAW_AMAZE;AMaZE demosaïek +PREFERENCES_CHUNKSIZE_RAW_CA;Raw CA correctie +PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaïek +PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaïek +PREFERENCES_CHUNKSIZE_RGB;RGB verwerking PREFERENCES_CLIPPINGIND;Indicatie over-/onderbelichting PREFERENCES_CLUTSCACHE;HaldCLUT cache PREFERENCES_CLUTSCACHE_LABEL;Maximum aantal cached Cluts PREFERENCES_CLUTSDIR;HaldCLUT map PREFERENCES_CMMBPC;Zwartpunt Compensatie +PREFERENCES_CROP;Uitsnijden +PREFERENCES_CROP_AUTO_FIT;Automatisch zoomen tot de uitsnede +PREFERENCES_CROP_GUIDES;Getoonde hulplijnen als uitsnede niet bewerkt wordt +PREFERENCES_CROP_GUIDES_FRAME;Frame +PREFERENCES_CROP_GUIDES_FULL;Origineel +PREFERENCES_CROP_GUIDES_NONE;Geen PREFERENCES_CURVEBBOXPOS;Positie copy/paste knoppen bij Curves PREFERENCES_CURVEBBOXPOS_ABOVE;Boven PREFERENCES_CURVEBBOXPOS_BELOW;Beneden @@ -918,14 +1120,17 @@ PREFERENCES_DARKFRAMETEMPLATES;sjablonen PREFERENCES_DATEFORMAT;Datumformaat PREFERENCES_DATEFORMATHINT;U kunt de volgende formaten gebruiken:\n%y : jaar\n%m : maand\n%d : dag\n\nHet Nederlandse datumformaat is bijvoorbeeld:\n%d/%m/%y PREFERENCES_DIRDARKFRAMES;Map met donkerframes +PREFERENCES_DIRECTORIES;Mappen PREFERENCES_DIRHOME;Standaardmap PREFERENCES_DIRLAST;Laatst bezochte map PREFERENCES_DIROTHER;Anders PREFERENCES_DIRSELECTDLG;Selecteer standaardmap bij opstarten... PREFERENCES_DIRSOFTWARE;Installatiemap +PREFERENCES_EDITORCMDLINE;Aangepaste opdrachtregel PREFERENCES_EDITORLAYOUT;Bewerkingsvenster PREFERENCES_EXTERNALEDITOR;Externe editor PREFERENCES_FBROWSEROPTS;Opties bestandsnavigator +PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compacte gereedschapsbalken in bestandsnavigator PREFERENCES_FLATFIELDFOUND;Gevonden PREFERENCES_FLATFIELDSDIR;Vlakveldmap PREFERENCES_FLATFIELDSHOTS;foto's @@ -948,6 +1153,7 @@ PREFERENCES_INTENT_PERCEPTUAL;Waargenomen colorimetrie PREFERENCES_INTENT_RELATIVE;Relatieve colorimetrie PREFERENCES_INTENT_SATURATION;Verzadiging PREFERENCES_INTERNALTHUMBIFUNTOUCHED;Toon interne JPEG-miniatuur indien onbewerkt +PREFERENCES_LANG;Taal PREFERENCES_LANGAUTODETECT;Gebruik taalinstellingen pc PREFERENCES_MAXRECENTFOLDERS;Maximum aantal recente mappen PREFERENCES_MENUGROUPEXTPROGS;Groepeer open met @@ -973,6 +1179,10 @@ PREFERENCES_PARSEDEXTADDHINT;Typ nieuwe extensie en druk op knop om aan lijst to PREFERENCES_PARSEDEXTDELHINT;Verwijder geselecteerde extensie(s) uit lijst PREFERENCES_PARSEDEXTDOWNHINT;Verplaats extensie naar beneden PREFERENCES_PARSEDEXTUPHINT;Verplaats extensie naar boven +PREFERENCES_PERFORMANCE_MEASURE;Meting +PREFERENCES_PERFORMANCE_MEASURE_HINT;Log verwerkingstijden in de console +PREFERENCES_PERFORMANCE_THREADS;Threads +PREFERENCES_PERFORMANCE_THREADS_LABEL;Maximaal aantal threads voor ruisvermindering and Wavelet Niveaus (0 = Automatisch) PREFERENCES_PREVDEMO;Voorbeeld Demozaïekmethode PREFERENCES_PREVDEMO_FAST;Snel PREFERENCES_PREVDEMO_LABEL;Demozaïekmethode van het voorbeeld bij <100% zoom: @@ -982,8 +1192,10 @@ PREFERENCES_PROFILEHANDLING;Verwerking profielen PREFERENCES_PROFILELOADPR;Laadprioriteit profielen PREFERENCES_PROFILEPRCACHE;Profiel in cache PREFERENCES_PROFILEPRFILE;Profiel bij RAW-bestand +PREFERENCES_PROFILESAVEBOTH;Bewaar verwerkingsprofielen zowel in de cache als naast het invoerbestand PREFERENCES_PROFILESAVECACHE;Bewaar profiel in cache PREFERENCES_PROFILESAVEINPUT;Bewaar profiel bij RAW-bestand +PREFERENCES_PROFILESAVELOCATION;Opslaglocatie profielen PREFERENCES_PROFILE_NONE;Geen PREFERENCES_PROPERTY;Eigenschap PREFERENCES_PRTINTENT;Grafische weergave @@ -991,6 +1203,7 @@ PREFERENCES_PRTPROFILE;Kleurprofiel PREFERENCES_PSPATH;Installatiemap Adobe Photoshop PREFERENCES_REMEMBERZOOMPAN;Onthoud zoom % en pan startpunt PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Onthoud het zoom % en pan startpunt van de huidige afbeelding als er een nieuwe afbeelding wordt geopend.\n\nDeze optie werkt alleen in "Single Editor Tab Mode" en wanneer "Demozaïekmethode van het voorbeeld <100% zoom" hetzelfde is als "Gelijk aan PP3". +PREFERENCES_SAVE_TP_OPEN_NOW;Bewaar open/dicht-status van de gereedschappen nu PREFERENCES_SELECTLANG;Selecteer taal PREFERENCES_SERIALIZE_TIFF_READ;TIFF Lees Instellingen PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serieel lezen van TIFF bestanden @@ -1013,7 +1226,12 @@ PREFERENCES_TAB_COLORMGR;Kleurbeheer PREFERENCES_TAB_DYNAMICPROFILE;Dynamisch Profielregel PREFERENCES_TAB_GENERAL;Algemeen PREFERENCES_TAB_IMPROC;Beeldverwerking +PREFERENCES_TAB_PERFORMANCE;Performantie PREFERENCES_TAB_SOUND;Geluiden +PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Ingesloten JPEG voorbeeld +PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Te tonen foto +PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutrale raw rendering +PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Ingesloten JPEG indien vol formaat, anders neutrale raw PREFERENCES_TP_LABEL;Gereedschapspaneel: PREFERENCES_TP_VSCROLLBAR;Verberg de schuifbalk van het gereedschapspaneel PREFERENCES_USEBUNDLEDPROFILES;Gebruik gebundelde profielen @@ -1037,6 +1255,11 @@ PROFILEPANEL_TOOLTIPCOPY;Kopieer huidig profiel naar klembord PROFILEPANEL_TOOLTIPLOAD;Laad profiel uit bestand PROFILEPANEL_TOOLTIPPASTE; Plak profiel van klembord PROFILEPANEL_TOOLTIPSAVE;Bewaar huidig profiel.\nCtrl-click voor het selecteren van de instellingen voor opslaan. +PROGRESSBAR_DECODING;Decoderen... +PROGRESSBAR_GREENEQUIL;Groen blancering... +PROGRESSBAR_HLREC;Reconstructie hoge lichten... +PROGRESSBAR_HOTDEADPIXELFILTER;Hot/dead pixel filter... +PROGRESSBAR_LINEDENOISE;Lijnruis filter... PROGRESSBAR_LOADING;Afbeelding laden... PROGRESSBAR_LOADINGTHUMBS;Miniaturen laden... PROGRESSBAR_LOADJPEG;Laden JPEG-bestand... @@ -1045,14 +1268,18 @@ PROGRESSBAR_LOADTIFF;Laden TIFF-bestand... PROGRESSBAR_NOIMAGES;Geen afbeeldingen PROGRESSBAR_PROCESSING;Foto verwerken... PROGRESSBAR_PROCESSING_PROFILESAVED;Uitvoeren 'Profiel opslaan' +PROGRESSBAR_RAWCACORR;Raw CA correctie... PROGRESSBAR_READY;Gereed PROGRESSBAR_SAVEJPEG;Opslaan JPEG-bestand... PROGRESSBAR_SAVEPNG;Opslaan PNG-bestand... PROGRESSBAR_SAVETIFF;Opslaan TIFF-bestand... PROGRESSBAR_SNAPSHOT_ADDED;Snapshot toegevoegd PROGRESSDLG_PROFILECHANGEDINBROWSER;Profiel veranderd in bestandsnavigator +QINFO_FRAMECOUNT;%2 frames +QINFO_HDR;HDR / %2 frame(s) QINFO_ISO;ISO QINFO_NOEXIF;Exif-gegevens niet beschikbaar. +QINFO_PIXELSHIFT;Pixel Shift / %2 frame(s) QUEUE_AUTOSTART;Autostart QUEUE_AUTOSTART_TOOLTIP;Start verwerking automatisch wanneer nieuwe foto arriveert QUEUE_DESTFILENAME;Pad en bestandsnaam @@ -1060,8 +1287,19 @@ QUEUE_FORMAT_TITLE;Bestandstype QUEUE_LOCATION_FOLDER;Sla op in map QUEUE_LOCATION_TEMPLATE;Gebruik sjabloon QUEUE_LOCATION_TEMPLATE_TOOLTIP;U kunt de volgende formaten gebruiken:\n%f, %d1, %d2, ..., %p1, %p2, ..., %r\n\nDeze formaten hebben betrekking op de mappen, submappen en atributen van het RAW-bestand.\n\nAls bijvoorbeeld /home/tom/image/02-09-2006/dsc0012.nef is geopend, hebben deze formaten de volgende betekenis:\n%f=dsc0012, %d1=02-09-2006, %d2=foto, ...\n%p1=/home/tom/image/02-09-2006, %p2=/home/tom/image, p3=/home/tom, ...\n\n%r wordt vervangen door de rank van de foto. Als de foto geen rank heeft, wordt %r vervangen door '0'. Als de foto in de prullenbak zit zal %r worden vervangen door 'x'.\n\nWanneer de geconverteerde RAW-foto in dezelfde map moet komen als het origineel, schrijf dan:\n%p1/%f\n\nIndien u de geconverteerde RAW-foto in een map genaamd 'geconverteerd' wilt plaatsen die een submap is van de oorspronkelijke locatie, schrijft u:\n%p1/geconverteerd/%f\n\nWilt u het geconverteerde RAW-bestand bewaren in map '/home/tom/geconverteerd' met behoud van dezelfde submap met datums, schrijf dan:\n%p2/geconverteerd/%d1/%f +QUEUE_LOCATION_TITLE;Uitvoerlocatie +QUEUE_STARTSTOP_TOOLTIP;;Start of stop de verwerking van foto's in de rij.\n\nSneltoets: Ctrl+s +SAMPLEFORMAT_0;onbekend data formaat +SAMPLEFORMAT_1;8-bit unsigned +SAMPLEFORMAT_2;16-bit unsigned +SAMPLEFORMAT_4;24-bit LogLuv +SAMPLEFORMAT_8;32-bit LogLuv +SAMPLEFORMAT_16;16-bit drijvendekomma +SAMPLEFORMAT_32;24-bit drijvendekomma +SAMPLEFORMAT_64;32-bit drijvendekomma SAVEDLG_AUTOSUFFIX;Voeg automatisch ophogend nummer (-1, -2..) toe als bestand al bestaat SAVEDLG_FILEFORMAT;Bestandstype +SAVEDLG_FILEFORMAT_FLOAT; drijvendekomma SAVEDLG_FORCEFORMATOPTS;Forceer opties voor opslaan SAVEDLG_JPEGQUAL;JPEG-kwaliteit SAVEDLG_PUTTOQUEUE;Plaats in verwerkingsrij @@ -1077,6 +1315,8 @@ SAVEDLG_SUBSAMP_TOOLTIP;Beste Compressie:\nJ:a:b 4:2:0\nh/v 2/2\nChroma gehalvee SAVEDLG_TIFFUNCOMPRESSED;Geen compressie SAVEDLG_WARNFILENAME;Bestandsnaam wordt SHCSELECTOR_TOOLTIP;Klik op de rechtermuisknop om\nde 3 knoppen te verschuiven +SOFTPROOF_GAMUTCHECK_TOOLTIP;Markeer pixels waarvan de kleuren buiten het kleurgamma vallen, relatief aan:\n- het printerprofiel, indien opgegeven en soft-proofing is ingeschakeld,\n- het uitvoerprofiel, indien geen printerprofiel is gekozen en soft-proofing is ingeschakeld,\n- het beeldschermprofiel, indien soft-proofing is uitgeschakeld. +SOFTPROOF_TOOLTIP;Soft-proofing simuleert hoe een foto wordt getoond:\n- als deze wordt afgedrukt, indien een printerprofiel is opgegeven in Voorkeuren > Kleurbeheer,\n- als de foto getoond wordt op een beeldscherm dat het huidige uitvoerprofiel gebruikt en een printerprofiel niet is opgegeven. THRESHOLDSELECTOR_B;Onderkant THRESHOLDSELECTOR_BL;Onderkant-links THRESHOLDSELECTOR_BR;Onderkant-rechts @@ -1120,6 +1360,8 @@ TP_BWMIX_MET;Methode TP_BWMIX_MET_CHANMIX;Kanaalmixer TP_BWMIX_MET_DESAT;Desatureren TP_BWMIX_MET_LUMEQUAL;Luminantie Balans +TP_BWMIX_MIXC;Kanaal Mixer +TP_BWMIX_NEUTRAL;Terugzetten TP_BWMIX_RGBLABEL;R: %1%% G: %2%% B: %3%% Totaal: %4%% TP_BWMIX_RGBLABEL_HINT;RGB omrekeningsfactoren. Hierin zijn alle gekozen opties vewerkt.\nTotaal toont de som van de uit te voeren RGB factoren:\n- dit is altijd 100% in relatieve mode\n- hoger (lichter) of lager (donkerder) dan 100% in absolute mode. TP_BWMIX_RGB_TOOLTIP;Mix de RGB kanalen. Gebruik Voorinstellingen voor aanwijzingen.\nNegatieve waarden kunnen artefacten of onregelmatigheden veroorzaken. @@ -1160,6 +1402,7 @@ TP_COARSETRAF_TOOLTIP_HFLIP;Horizontaal spiegelen TP_COARSETRAF_TOOLTIP_ROTLEFT;Rotate left.\n\nSneltoets:\n[ - Multi-tab Mode,\nAlt-[ - Enkel-tab Mode. TP_COARSETRAF_TOOLTIP_ROTRIGHT;Rotate right.\n\nSneltoets:\n] - Multi-tab Mode,\nAlt-] - Enkel-tab Mode. TP_COARSETRAF_TOOLTIP_VFLIP;Verticaal spiegelen +TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminantie TP_COLORAPP_ALGO;Algoritme TP_COLORAPP_ALGO_ALL;Alle TP_COLORAPP_ALGO_JC;Lichtheid + Chroma (JC) @@ -1170,6 +1413,7 @@ TP_COLORAPP_BADPIXSL;Hete/dode pixel filter TP_COLORAPP_BADPIXSL_TOOLTIP;Onderdruk hete/dode (sterk gekleurde) pixels.\n 0=geen effect 1=mediaan 2=gaussian.\n\nDeze artefacten zijn het gevolg van de beperkingen van CIECAM02. Het alternatief is het aanpassen van de afbeelding om zeer donkere schaduwen te voorkomen. TP_COLORAPP_BRIGHT;Helderheid (Q) TP_COLORAPP_BRIGHT_TOOLTIP;Helderheid in CIECAM02 is verschillend van Lab en RGB, hou rekening met de luminositeit van wit +TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bij manuele aanpassing worden waardon boven 65 aanbevolen. TP_COLORAPP_CHROMA;Chroma (C) TP_COLORAPP_CHROMA_M;Kleurrijkheid (M) TP_COLORAPP_CHROMA_M_TOOLTIP;Kleurrijkheid in CIECAM02 is verschillend van Lab en RGB @@ -1189,6 +1433,7 @@ TP_COLORAPP_CURVEEDITOR3;Chroma curve TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Wijzigt ofwel chroma, verzadiging of kleurrijkheid.\n Het Histogram toont chromaticiteit (Lab) voor CIECAM wijzigingen.\nHet Histogram toont C,s,M na toepassing van CIECAM indien het selectievakje 'Toon CIECAM uitvoer' is aangezet.\n(C,s,M) worden niet getoond in het Hoofd histogram paneel. \nRaadpleeg het Histogram paneel voor de definitieve uitvoer TP_COLORAPP_DATACIE;CIECAM02 uitvoer histogram in de curven TP_COLORAPP_DATACIE_TOOLTIP;Indien aangezet, tonen de histogrammen van de CIECAM02 curven bij benadering de waarden/reeksen voor J of Q, en C, s of M na de CIECAM02 aanpassingen.\nDit beïnvloed niet het hoofd histogram paneel.\n\nIndien uitgezet tonen de histogrammen van de CIECAM02 curven de Lab waarden zoals deze waren voor de CIECAM02 aanpassingen +TP_COLORAPP_FREE;Vrije temp+groen + CAT02 + [uitvoer] TP_COLORAPP_GAMUT;Gamut controle (Lab) TP_COLORAPP_HUE;Tint (h) TP_COLORAPP_HUE_TOOLTIP;Tint (h) - hoek tussen 0° en 360° @@ -1198,8 +1443,11 @@ TP_COLORAPP_LABEL_SCENE;Opnameomstandigheden TP_COLORAPP_LABEL_VIEWING;Weergaveomstandigheden TP_COLORAPP_LIGHT;Lichtheid (J) TP_COLORAPP_LIGHT_TOOLTIP;Lichtheid in CIECAM02 verschilt van Lab en RGB lichtheid +TP_COLORAPP_MEANLUMINANCE;Gemiddelde luminantie (Yb%) TP_COLORAPP_MODEL;Witpunt Model TP_COLORAPP_MODEL_TOOLTIP;WB [RT] + [uitvoer]:\nRT's WB wordt gebruikt voor de opname, CIECAM02 wordt gezet op D50. Het uitvoerapparaat's wit gebruikt de instelling van Voorkeuren > Kleurbeheer\n\nWB [RT+CAT02] + [output]:\nRT's WB instellingen worden gebruikt door CAT02 en het uitvoerapparaat's wit gebruikt de waarde van de Voorkeuren. +TP_COLORAPP_NEUTRAL;Terugzetten +TP_COLORAPP_NEUTRAL_TOOLTIP;Zet alle regelaars, vinkjes en curves terug naar hun standaardwaarde TP_COLORAPP_RSTPRO;Rode en Huidtinten bescherming TP_COLORAPP_RSTPRO_TOOLTIP;Rode en Huidtinten bescherming (schuifbalk en curven) TP_COLORAPP_SURROUND;Omgeving @@ -1216,6 +1464,7 @@ TP_COLORAPP_TCMODE_LABEL2;Curve modus 2 TP_COLORAPP_TCMODE_LABEL3;Curve chroma modus TP_COLORAPP_TCMODE_LIGHTNESS;lichtheid TP_COLORAPP_TCMODE_SATUR;Verzadiging +TP_COLORAPP_TEMP_TOOLTIP;Zet altijd Tint=1 om een lichtbron te selecteren.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 TP_COLORAPP_TONECIE;Tonemapping gebruik makend van CIECAM TP_COLORAPP_TONECIE_TOOLTIP;Indien uitgezet zal tonemapping plaats vinden in Lab.\nIndien aangezet zal tonemapping gebruik maken van CIECAM02.\nVoorwaarde is dat Tonemapping (Lab/CIECAM02) actief is. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute luminantie van de weergaveomgeving \n(gebruikelijk 16cd/m²) @@ -1232,6 +1481,27 @@ TP_COLORTONING_HIGHLIGHT;Hoge lichten TP_COLORTONING_HUE;Kleurtint TP_COLORTONING_LAB;L*a*b* menging TP_COLORTONING_LABEL;Kleurtinten +TP_COLORTONING_LABGRID;L*a*b* kleurcorrectie raster +TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 +TP_COLORTONING_LABREGIONS;Kleurcorrectie gebieden +TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 +TP_COLORTONING_LABREGION_CHANNEL;Kanaal +TP_COLORTONING_LABREGION_CHANNEL_ALL;Alle +TP_COLORTONING_LABREGION_CHANNEL_B;Blauw +TP_COLORTONING_LABREGION_CHANNEL_G;Groen +TP_COLORTONING_LABREGION_CHANNEL_R;Rood +TP_COLORTONING_LABREGION_CHROMATICITYMASK;C +TP_COLORTONING_LABREGION_HUEMASK;H +TP_COLORTONING_LABREGION_LIGHTNESS;Helderheid(L) +TP_COLORTONING_LABREGION_LIGHTNESSMASK;L +TP_COLORTONING_LABREGION_LIST_TITLE;Correctie +TP_COLORTONING_LABREGION_MASK;Masker +TP_COLORTONING_LABREGION_MASKBLUR;Verzachtingsmasker +TP_COLORTONING_LABREGION_OFFSET;Offset +TP_COLORTONING_LABREGION_POWER;Kracht +TP_COLORTONING_LABREGION_SATURATION;Verzadiging +TP_COLORTONING_LABREGION_SHOWMASK;Toon masker +TP_COLORTONING_LABREGION_SLOPE;Helling TP_COLORTONING_LUMA;Luminantie TP_COLORTONING_LUMAMODE;Behoud luminantie TP_COLORTONING_LUMAMODE_TOOLTIP;Wanneer de kleur wijzigt (rood, groen, cyaan, blauw, etc.) blijft de luminatie van elke pixel behouden. @@ -1270,6 +1540,9 @@ TP_CROP_GTTRIANGLE2;Gouden Driehoek 2 TP_CROP_GUIDETYPE;Hulplijnen: TP_CROP_H;Hoogte TP_CROP_LABEL;Bijsnijden +TP_CROP_PPI;PPI +TP_CROP_RESETCROP;Terugzetten +TP_CROP_SELECTCROP;Selecteer TP_CROP_W;Breedte TP_CROP_X;X TP_CROP_Y;Y @@ -1278,10 +1551,16 @@ TP_DARKFRAME_LABEL;Donkerframe TP_DEFRINGE_LABEL;Verzachten (Lab/CIECAM02) TP_DEFRINGE_RADIUS;Straal TP_DEFRINGE_THRESHOLD;Drempel +TP_DEHAZE_DEPTH;Diepte +TP_DEHAZE_LABEL;Nevel vermindering +TP_DEHAZE_LUMINANCE;Luminantie alleen +TP_DEHAZE_SHOW_DEPTH_MAP;Toon de dieptemap +TP_DEHAZE_STRENGTH;Sterkte TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zone TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;Automatisch algemeen TP_DIRPYRDENOISE_CHROMINANCE_BLUEYELLOW;Chrominantie Blauw & Geel TP_DIRPYRDENOISE_CHROMINANCE_CURVE;Chrominantie curve +TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Verhoog (vermenigvuldig) de waarde van alle chrominantie regelaars.\nDeze curve regelt de sterkte van de chromatische ruisvermindering als een functie van de chromaticiteit, om bijvoorbeeld het effect te vergroten in gebieden met lage verzadiging en te verminderen in deze met lage verzadiging. TP_DIRPYRDENOISE_CHROMINANCE_FRAME;Chrominantie TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Handmatig TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominantie (master) @@ -1296,6 +1575,7 @@ TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO;Voorbeeld ruis: Gemiddeld=%1 Hoo TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_NOISEINFO_EMPTY;Voorbeeld ruis: Gemiddeld= - Hoog= - TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_TILEINFO;Tegel grootte=%1, Centrum: Tx=%2 Ty=%3 TP_DIRPYRDENOISE_CHROMINANCE_REDGREEN;Chrominantie Rood & Groen +TP_DIRPYRDENOISE_LABEL;Ruisvermindering TP_DIRPYRDENOISE_LUMINANCE_CONTROL;Type gereedschap TP_DIRPYRDENOISE_LUMINANCE_CURVE;Luminantie curve TP_DIRPYRDENOISE_LUMINANCE_DETAIL;Luminantie Detail @@ -1357,6 +1637,7 @@ TP_EXPOSURE_AUTOLEVELS;Autom. niveaus TP_EXPOSURE_AUTOLEVELS_TOOLTIP;Activeer automatische niveaus\nActiveer Herstel Hoge lichten indien nodig. TP_EXPOSURE_BLACKLEVEL;Schaduwen TP_EXPOSURE_BRIGHTNESS;Helderheid +TP_EXPOSURE_CLAMPOOG;Knip kleuren die buiten het gamma vallen TP_EXPOSURE_CLIP;Clip % TP_EXPOSURE_CLIP_TOOLTIP;Het deel van de pixels dat moet worden hersteld bij gebruik van automatische niveaus. TP_EXPOSURE_COMPRHIGHLIGHTS;Hoge lichten Comprimeren @@ -1368,6 +1649,8 @@ TP_EXPOSURE_CURVEEDITOR1;Toon curve 1 TP_EXPOSURE_CURVEEDITOR2;Toon curve 2 TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Raadpleeg de volgende paragraaf van de handleiding om te leren hoe U het beste resultaat kunt boeken bij het werken met dubbele curven:\n The Toolbox > Exposure Tab > Exposure Panel > Tone Curve TP_EXPOSURE_EXPCOMP;Belichtingscompensatie +TP_EXPOSURE_HISTMATCHING;Automatische Tooncurve +TP_EXPOSURE_HISTMATCHING_TOOLTIP;Pas automatisch de curves en schuifregelaars aan (behalve belichtingscompensatie) om overeen te komen met de ingesloten JPEG miniatuur. TP_EXPOSURE_LABEL;Belichting TP_EXPOSURE_SATURATION;Verzadiging TP_EXPOSURE_TCMODE_FILMLIKE;Film-achtig @@ -1380,6 +1663,12 @@ TP_EXPOSURE_TCMODE_STANDARD;Standaard TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Gewogen Standaard TP_EXPOS_BLACKPOINT_LABEL;Raw Zwartpunten TP_EXPOS_WHITEPOINT_LABEL;Raw Witpunten +TP_FILMNEGATIVE_BLUE;Blauw verhouding +TP_FILMNEGATIVE_GREEN;Referentie exponent (contrast) +TP_FILMNEGATIVE_GUESS_TOOLTIP;Zet automatisch de rood/groen verhouding door 2 gebieden te kiezen met een neutrale tint (geen kleur) in het origineel. De gebieden moeten verschillen in helderheid. Zet de witbalans nadien. +TP_FILMNEGATIVE_LABEL;Film Negatief +TP_FILMNEGATIVE_PICK;Kies neutrale punten +TP_FILMNEGATIVE_RED;Rood verhouding TP_FILMSIMULATION_LABEL;Film Simuleren TP_FILMSIMULATION_SLOWPARSEDIR;Map met Hald CLUT afbeeldingen. Deze worden gebruikt voor Film Simuleren.\nGa naar Voorkeuren > Beeldverwerking > Film Simuleren\nDe aanbeveling is om een map te gebruiken die alleen Hald CLUT afbeeldingen bevat.\n\nLees het Film Simuleren artikel in RawPedia voor meer informatie.\n\nWilt u de scan afbreken? TP_FILMSIMULATION_STRENGTH;Sterkte @@ -1452,6 +1741,12 @@ TP_ICM_SAVEREFERENCE_TOOLTIP;Sla de lineaire TIFF afbeelding op voordat het invo TP_ICM_TONECURVE;Gebruik DCP's toon curve TP_ICM_TONECURVE_TOOLTIP;Gebruik de ingebedde DCP toon curve. De instelling is alleen actief als de geselecteerd DCP een toon curve heeft. TP_ICM_WORKINGPROFILE;Werkprofiel +TP_ICM_WORKING_TRC;Tooncurve: +TP_ICM_WORKING_TRC_CUSTOM;Gebruiker gedefinieerd +TP_ICM_WORKING_TRC_GAMMA;Gamma +TP_ICM_WORKING_TRC_NONE;Geen +TP_ICM_WORKING_TRC_SLOPE;Helling +TP_ICM_WORKING_TRC_TOOLTIP;Enkel voor ingebouwde profielen. TP_IMPULSEDENOISE_LABEL;Spot-ruisonderdrukking TP_IMPULSEDENOISE_THRESH;Drempel TP_LABCURVE_AVOIDCOLORSHIFT;Vermijd kleurverschuiving @@ -1494,7 +1789,27 @@ TP_LABCURVE_RSTPRO_TOOLTIP;Kan worden gebruikt met de chromaticiteits schuifbalk TP_LENSGEOM_AUTOCROP;Automatisch bijsnijden TP_LENSGEOM_FILL;Automatisch uitvullen TP_LENSGEOM_LABEL;Objectief / Geometrie +TP_LENSGEOM_LIN;Lineair +TP_LENSGEOM_LOG;Logarithmisch +TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatische selectie +TP_LENSPROFILE_CORRECTION_LCPFILE;LCP bestand +TP_LENSPROFILE_CORRECTION_MANUAL;Manuele selectie TP_LENSPROFILE_LABEL;Lenscorrectie Profielen +TP_LENSPROFILE_LENS_WARNING;Waarschuwing: de gebruikte lens profiel crop factor komt niet overeen met de camera crop factor, de resultaten kunnen verkeerd zijn. +TP_LENSPROFILE_MODE_HEADER;Lens Profiel +TP_LENSPROFILE_USE_CA;Chromatische afwijking +TP_LENSPROFILE_USE_GEOMETRIC;Geometrische vervorming +TP_LENSPROFILE_USE_HEADER;Lenscorrecties +TP_LENSPROFILE_USE_VIGNETTING;Vignettering +TP_LOCALCONTRAST_AMOUNT;Hoeveelheid +TP_LOCALCONTRAST_DARKNESS;Donker niveau +TP_LOCALCONTRAST_LABEL;Lokaal Contrast +TP_LOCALCONTRAST_LIGHTNESS;helderheidsniveau +TP_LOCALCONTRAST_RADIUS;Straal +TP_METADATA_EDIT;Pas wijzigingen toe +TP_METADATA_MODE;Metadata kopieermodus +TP_METADATA_STRIP;Strip alle metadata +TP_METADATA_TUNNEL;Kopieer ongewijzigd TP_NEUTRAL;Terugzetten TP_NEUTRAL_TOOLTIP;Alle belichtingsinstellingen naar 0 TP_PCVIGNETTE_FEATHER;Straal @@ -1504,6 +1819,7 @@ TP_PCVIGNETTE_ROUNDNESS;Vorm TP_PCVIGNETTE_ROUNDNESS_TOOLTIP;Vorm: \n0=rechthoek \n50=ellips \n100=circel TP_PCVIGNETTE_STRENGTH;Sterkte TP_PCVIGNETTE_STRENGTH_TOOLTIP;Filtersterkte in stops (volledig in de hoeken). +TP_PDSHARPENING_LABEL;Verscherpen TP_PERSPECTIVE_HORIZONTAL;Horizontaal TP_PERSPECTIVE_LABEL;Perspectief TP_PERSPECTIVE_VERTICAL;Verticaal @@ -1516,10 +1832,19 @@ TP_PREPROCESS_HOTPIXFILT;Hete pixels filter TP_PREPROCESS_HOTPIXFILT_TOOLTIP;Onderdrukt hete pixels. TP_PREPROCESS_LABEL;Voorbewerking TP_PREPROCESS_LINEDENOISE;Lijnruisfilter +TP_PREPROCESS_LINEDENOISE_DIRECTION;Richting +TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Beide +TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Horizontaal +TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontaal enkel op PDAF-rijen +TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Verticaal TP_PREPROCESS_NO_FOUND;Niet gevonden +TP_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter TP_PRSHARPENING_LABEL;Verscherp na verkleinen TP_PRSHARPENING_TOOLTIP;Verscherp na verkleinen. Werkt alleen als verkleinen actief is en Verkleinen methode 'Lanczos' is. Omdat 'verkleinen' geen effect heeft op het voorbeeld, heeft 'post verkleinen verscherping' ook geen effect op het voorbeeld. TP_RAWCACORR_AUTO;Automatische CA-correctie +TP_RAWCACORR_AUTOIT;Herhalingen +TP_RAWCACORR_AUTOIT_TOOLTIP;Deze schuif is alleen actief als Automatische CA-correctie is aangevinkt.\nAuto-correctie werkt conservatief en corrigeert meestal niet alle chromatische aberratie.\nOm de resterende CA te corrigeren, kunt u dit proces tot vijf keer herhalen.\nElke herhaling vermindert de CA van de vorige herhaling, maar gaat wel ten koste van extra rekentijd. +TP_RAWCACORR_AVOIDCOLORSHIFT;Vermijd kleurverschuiving TP_RAWCACORR_CABLUE;Blauw TP_RAWCACORR_CARED;Rood TP_RAWCACORR_LABEL;Corrigeer chromatische aberratie @@ -1534,16 +1859,24 @@ TP_RAWEXPOS_LINEAR;Witpunt Correctie TP_RAWEXPOS_RGB;Rood, Groen, Blauw TP_RAWEXPOS_TWOGREEN;Koppel Groen 1 en 2 TP_RAW_1PASSMEDIUM;1 keer (Gemiddeld) +TP_RAW_2PASS;1-pass+snel TP_RAW_3PASSBEST;3 keer (Beste) +TP_RAW_4PASS;3-pass+snel TP_RAW_AHD;AHD TP_RAW_AMAZE;AMaZE +TP_RAW_AMAZEVNG4;AMaZE+VNG4 +TP_RAW_BORDER;Rand TP_RAW_DCB;DCB TP_RAW_DCBENHANCE;DCB Verbetering TP_RAW_DCBITERATIONS;Aantal DCB-herhalingen +TP_RAW_DCBVNG4;DCB+VNG4 TP_RAW_DMETHOD;Methode TP_RAW_DMETHOD_PROGRESSBAR;%1 Demozaïeken... TP_RAW_DMETHOD_PROGRESSBAR_REFINE;Demozaïek verfijning... TP_RAW_DMETHOD_TOOLTIP;IGV en LMMSE zijn speciaal bedoeld voor hoge ISO afbeeldingen +TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto drempel +TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Als checkbox is aangevinkt (aanbevolen), berekent RT een optimale waarde gebaseerd op vlakke gebieden in de foto.\nIndien die niet gevonden worden of de foto bevat veel ruis, wordt de waarde op 0 gezet.\nOm de waarde handmatig in te voeren moet u eerst de checkbox uitvinken (redelijke waarden zijn afhankelijk van het soort foto). +TP_RAW_DUALDEMOSAICCONTRAST;Contrast drempel TP_RAW_EAHD;EAHD TP_RAW_FALSECOLOR;Stapgrootte kleurfoutonderdrukking TP_RAW_FAST;Snel @@ -1552,6 +1885,8 @@ TP_RAW_HD_TOOLTIP;Lagere waarden maken Hete/Dode pixel detectie agressiever, maa TP_RAW_HPHD;HPHD TP_RAW_IGV;IGV TP_RAW_IMAGENUM;Sub-afbeelding +TP_RAW_IMAGENUM_SN;SN modus +TP_RAW_IMAGENUM_TOOLTIP;Sommige raw bestanden bestaan uit verschillende sub-afbeeldingen (Pentax/Sony Pixel Shift, Pentax 3-in-1 HDR, Canon Dual Pixel, Fuji EXR).\n\Als een andere demozaïek methode dan Pixel Shift gebruikt wordt, selecteert dit de gebruikte sub-afbeelding.\n\nBij gebruik van de Pixel Shift demozaïek methode op een Pixel Shift raw, worden alle sub-afbeeldingen gebruikt, and dit selecteert de subafbeeldijg die gebruikt wordt voor bewegende moving gebieden. TP_RAW_LABEL;Demozaïekproces TP_RAW_LMMSE;LMMSE TP_RAW_LMMSEITERATIONS;LMMSE Verbetering Stappen @@ -1560,7 +1895,12 @@ TP_RAW_MONO;Mono TP_RAW_NONE;Geen (Toont sensor patroon) TP_RAW_PIXELSHIFT;Pixel Verschuiven TP_RAW_PIXELSHIFTBLUR;Vervaag bewegingsmasker +TP_RAW_PIXELSHIFTDMETHOD;Demozaïek voor beweging +TP_RAW_PIXELSHIFTEPERISO;Gevoeligheid +TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;De standaardwaarde 0 werkt goed voor lage ISO-waarden.\nHogere waarden vergroten de gevoeligheid van bewegingsdetectie.\nWijzig in kleine stappen en controleer het bewegingsmasker.\nVerhoog gevoeligheid voor onderbelichte foto's of foto's met hoge ISO-waarden. TP_RAW_PIXELSHIFTEQUALBRIGHT;Balanseer de helderheid van de frames +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Balanceer per kanaal +TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Ingeschakeld: Balanceer elk RGB kanaal afzonderlijk.\nUitgeschakeld: Balanceer alle kanalen evenveel. TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Balanseer de helderheid van de frames t.o.v. de helderheid van het geslecteerde frame.\nAls er overbelichte gebieden zijn in de frames, selecteer dan het helderste frame om een magenta kleurzweem te vermijden of selecteer bewegingsorrectie. TP_RAW_PIXELSHIFTGREEN;Controleer groene kanaal voor beweging TP_RAW_PIXELSHIFTHOLEFILL;Vul holtes in verschuivingsmasker @@ -1576,14 +1916,20 @@ TP_RAW_PIXELSHIFTNONGREENCROSS;Controleer rood/blauw kanaal voor beweging TP_RAW_PIXELSHIFTSHOWMOTION;Toon beweging TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;Toon alleen masker TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;Toont het bewegingsmasker zonder de afbeelding +TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Toont de foto met een groen masker dat de bewegingsgebieden toont. TP_RAW_PIXELSHIFTSIGMA;Vervagen straal TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;De standaard straal van 1.0 is goed voor normale ISO. Verhoog de waarde voor hogere ISO.\n5.0 is een goed startpunt voor hoge ISO afbeeldingen.\nControleer het bewegingsmasker bij het veranderen van de waarde. TP_RAW_PIXELSHIFTSMOOTH;Zachte overgang TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Zachte overgang tussen gebieden met en zonder beweging.\nKies 0 om Zachte overgang uit te zetten\nKies 1 voor Amaze/lmmse of Mediaan +TP_RAW_RCD;RCD +TP_RAW_RCDVNG4;RCD+VNG4 TP_RAW_SENSOR_BAYER_LABEL;Sensor met Bayer matrix TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass geeft het beste resultaat (aanbevolen voor lage ISO afbeeldingen)\n1-pass geeft hetzelfde resultaat als 3-pass voor hoge ISO afbeeldingen en is sneller. TP_RAW_SENSOR_XTRANS_LABEL;Sensor met X-Trans matrix TP_RAW_VNG4;VNG4 +TP_RAW_XTRANS;X-Trans +TP_RAW_XTRANSFAST;Snelle X-Trans +TP_RESIZE_ALLOW_UPSCALING;Sta opschalen toe TP_RESIZE_APPLIESTO;Toepassen op: TP_RESIZE_CROPPEDAREA;Uitsnede TP_RESIZE_FITBOX;Breedte en hoogte @@ -1601,6 +1947,7 @@ TP_RESIZE_WIDTH;Breedte TP_RETINEX_CONTEDIT_HSL;Histogram balans HSL TP_RETINEX_CONTEDIT_LAB;Histogram balans L*a*b* TP_RETINEX_CONTEDIT_LH;Tint balans +TP_RETINEX_CONTEDIT_MAP;Equalizer TP_RETINEX_CURVEEDITOR_CD;L=f(L) TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminantie volgens luminantie L=f(L)\nCorrigeert ruwe data om halo's and artefacte te verminderen. TP_RETINEX_CURVEEDITOR_LH;Sterkte=f(H) @@ -1610,6 +1957,9 @@ TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;Deze curve kan zowel alleen worden gebruikt o TP_RETINEX_EQUAL;Mixer TP_RETINEX_FREEGAMMA;Vrij gamma TP_RETINEX_GAIN;Verbeteren +TP_RETINEX_GAINOFFS;Versterking en Offset (helderheid) +TP_RETINEX_GAINTRANSMISSION;Transmissie versterking +TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Versterk of verzwak de transmssiemap om de gewenste luminantie te bekomen.\nThe x-as is the transmissie.\nThe y-as is the versterking. TP_RETINEX_GAMMA;Gamma TP_RETINEX_GAMMA_FREE;Vrij TP_RETINEX_GAMMA_HIGH;Hoog @@ -1634,6 +1984,7 @@ TP_RETINEX_LABEL;Retinex TP_RETINEX_LABEL_MASK;Masker TP_RETINEX_LABSPACE;L*a*b* TP_RETINEX_LOW;Laag +TP_RETINEX_MAP;Methode TP_RETINEX_MAP_GAUS;Gaussiaans masker TP_RETINEX_MAP_MAPP;Verscherp masker (wavelet gedeeltelijk) TP_RETINEX_MAP_MAPT;Verscherp masker (wavelet totaal) @@ -1694,14 +2045,18 @@ TP_SHARPENEDGE_LABEL;Randen TP_SHARPENEDGE_PASSES;Herhaling TP_SHARPENEDGE_THREE;Alleen luminantie TP_SHARPENING_AMOUNT;Hoeveelheid +TP_SHARPENING_BLUR;Vervagen straal +TP_SHARPENING_CONTRAST;Contrast drempel TP_SHARPENING_EDRADIUS;Straal TP_SHARPENING_EDTOLERANCE;Randtolerantie TP_SHARPENING_HALOCONTROL;Halocontrole TP_SHARPENING_HCAMOUNT;Hoeveelheid +TP_SHARPENING_ITERCHECK;Automatische limiet herhalingen TP_SHARPENING_LABEL;Verscherpen (Lab/CIECAM02) TP_SHARPENING_METHOD;Methode TP_SHARPENING_ONLYEDGES;Alleen randen verscherpen TP_SHARPENING_RADIUS;Straal +TP_SHARPENING_RADIUS_BOOST;Straalvergroting TP_SHARPENING_RLD;RL-verscherping TP_SHARPENING_RLD_AMOUNT;Hoeveelheid TP_SHARPENING_RLD_DAMPING;Demping @@ -1709,9 +2064,16 @@ TP_SHARPENING_RLD_ITERATIONS;Herhaling TP_SHARPENING_THRESHOLD;Drempel TP_SHARPENING_USM;Onscherpmasker TP_SHARPENMICRO_AMOUNT;Hoeveelheid +TP_SHARPENMICRO_CONTRAST;Contrast drempel TP_SHARPENMICRO_LABEL;Microcontrast (Lab/CIECAM02) TP_SHARPENMICRO_MATRIX;3×3-matrix ipv. 5×5 TP_SHARPENMICRO_UNIFORMITY;Uniformiteit +TP_SOFTLIGHT_LABEL;Zacht licht +TP_SOFTLIGHT_STRENGTH;Sterkte +TP_TM_FATTAL_AMOUNT;Hoeveelheid +TP_TM_FATTAL_ANCHOR;Anker +TP_TM_FATTAL_LABEL;Dynamisch bereik compressie +TP_TM_FATTAL_THRESHOLD;Detail TP_VIBRANCE_AVOIDCOLORSHIFT;Vermijd kleurverschuiving TP_VIBRANCE_CURVEEDITOR_SKINTONES;HH TP_VIBRANCE_CURVEEDITOR_SKINTONES_LABEL;Huidtinten @@ -1760,6 +2122,7 @@ TP_WAVELET_BANONE;Geen TP_WAVELET_BASLI;Schuifbalk TP_WAVELET_BATYPE;Balans methode TP_WAVELET_CBENAB;Kleurtint en kleurbalans +TP_WAVELET_CB_TOOLTIP;Voor hoge waarden: kleurcorrectie door al of niet te combineren met niveau decompositie 'toning'\nVoor lage waarden de witbalans van de achtergrond (hemel, ...) wijzigen zonder die van de voorgrond, meestal meer contrastrijk TP_WAVELET_CCURVE;Lokaal contrast TP_WAVELET_CH1;Alle chroma's TP_WAVELET_CH2;Pastel - Verzadigd @@ -1935,6 +2298,7 @@ TP_WBALANCE_LED_CRS;CRS SP12 WWMR16 TP_WBALANCE_LED_HEADER;LED TP_WBALANCE_LED_LSI;LSI Lumelex 2040 TP_WBALANCE_METHOD;Methode +TP_WBALANCE_PICKER;Kies TP_WBALANCE_SHADE;Schaduw TP_WBALANCE_SIZE;Grootte: TP_WBALANCE_SOLUX35;Solux 3500K @@ -1961,367 +2325,1808 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -ADJUSTER_RESET_TO_DEFAULT;Klik - terug naar standaardwaarde.\nCtrl+klik - terug naar laatst opgeslagen waarde. -CURVEEDITOR_CATMULLROM;Flexibel -DONT_SHOW_AGAIN;Dit bericht niet meer tonen -DYNPROFILEEDITOR_IMGTYPE_ANY;Alles -DYNPROFILEEDITOR_IMGTYPE_HDR;HDR -DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift -DYNPROFILEEDITOR_IMGTYPE_STD;Standaard -EXIFFILTER_IMAGETYPE;Type afbeelding -EXIFPANEL_SHOWALL;Toon alles -FILEBROWSER_BROWSEPATHBUTTONHINT;Klik om de opgegeven map te laden, en het zoekfilter opnieuw toe te passen. -FILEBROWSER_CACHECLEARFROMFULL;Wis alles inclusief opgeslagen profielen -FILEBROWSER_CACHECLEARFROMPARTIAL;Wis alles behalve opgeslagen profielen -FILEBROWSER_DELETEDIALOG_ALL;Alle %1 bestanden in de prullenbak definitief verwijderen? -FILEBROWSER_DELETEDIALOG_SELECTED;Geselecteerde %1 bestanden definitief verwijderen? -FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Geselecteerde %1 bestanden inclusief een versie die door de verwerkingsrij is gemaakt verwijderen? -FILEBROWSER_EMPTYTRASHHINT;Alle bestanden in de prullenbak permanent verwijderen -FILEBROWSER_POPUPREMOVE;Permanent verwijderen -FILEBROWSER_POPUPREMOVEINCLPROC;Verwijder definitief, inclusief met uitvoer in de verwerkingsrij -FILEBROWSER_SHOWNOTTRASHHINT;Toon alleen niet-verwijderde afbeeldingen. -GENERAL_CURRENT;Huidig -GENERAL_HELP;Help -GENERAL_RESET;Terugzetten -GENERAL_SAVE_AS;Bewaren als... -GENERAL_SLIDER;Schuifregelaar -GIMP_PLUGIN_INFO;Welkom bij de RawTherapee GIMP plug-in!\nAls uw bewerking gereed is, sluit dan het hoofdvenster van RawTherapee en uw afbeelding wordt automatisch in GIMP geladen. -HISTOGRAM_TOOLTIP_MODE;Wissel tussen lineair, log-lineair and log-log schalen van het histogram. -HISTORY_MSG_173;NR - Detailbehoud -HISTORY_MSG_203;NR - Kleurruimte -HISTORY_MSG_235;B&W - CM - Auto -HISTORY_MSG_237;B&W - CM -HISTORY_MSG_256;NR - Mediaan - Type -HISTORY_MSG_273;CT - Kleurbalans SMH -HISTORY_MSG_297;NR - Modus -HISTORY_MSG_392;W - Overblijvend - Kleurbalans -HISTORY_MSG_441;Retinex - Toename transmissie -HISTORY_MSG_475;PS - Kanaalbalans -HISTORY_MSG_476;CAM02 - Temp uit -HISTORY_MSG_477;CAM02 - Groen uit -HISTORY_MSG_478;CAM02 - Yb uit -HISTORY_MSG_479;CAM02 - CAT02 aanpassing uit -HISTORY_MSG_480;CAM02 - Automatische CAT02 uit -HISTORY_MSG_481;CAM02 - Temp scène -HISTORY_MSG_482;CAM02 - Groen scène -HISTORY_MSG_483;CAM02 - Yb scène -HISTORY_MSG_484;CAM02 - Auto Yb scène -HISTORY_MSG_485;Lenscorrectie -HISTORY_MSG_486;Lenscorrectie - Camera -HISTORY_MSG_487;Lenscorrectie - Lens -HISTORY_MSG_488;Compressie Dynamisch Bereik -HISTORY_MSG_489;DRC - Detail -HISTORY_MSG_490;DRC - Hoeveelheid -HISTORY_MSG_491;Witbalans -HISTORY_MSG_492;RGB Curven -HISTORY_MSG_493;L*a*b* Adjustments -HISTORY_MSG_494;verscherpen -HISTORY_MSG_CLAMPOOG;Kleuren afkappen die buiten het gamma vallen -HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Kleurcorrectie -HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Kleurcorrectie -HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Kanaal -HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - gebied C masker -HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;CT - H masker -HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;CT - Licht -HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESSMASK;CT - L masker -HISTORY_MSG_COLORTONING_LABREGION_LIST;CT - Lijst -HISTORY_MSG_COLORTONING_LABREGION_MASKBLUR;CT - verzachtingsmasker gebied -HISTORY_MSG_COLORTONING_LABREGION_OFFSET;CT - offset gebied -HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - sterkte gebied -HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Verzadiging -HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - toon gebiedsmasker -HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - hellingsgebied -HISTORY_MSG_DEHAZE_DEPTH;Nevelvermindering - Diepte -HISTORY_MSG_DEHAZE_ENABLED;Nevelvermindering -HISTORY_MSG_DEHAZE_LUMINANCE;Nevelvermindering - Alleen Luminantie -HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Nevelvermindering - Toon dieptemap -HISTORY_MSG_DEHAZE_STRENGTH;Nevelvermindering - Sterkte -HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual-demozaïek - auto-drempel -HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual-demozaïek - Contrastdrempel -HISTORY_MSG_FILMNEGATIVE_ENABLED;Filmnegatief -HISTORY_MSG_FILMNEGATIVE_VALUES;Filmnegatief waarden -HISTORY_MSG_HISTMATCHING;Auto-matched tooncurve -HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Uitvoer - Primaries -HISTORY_MSG_ICM_OUTPUT_TEMP;Uitvoer - ICC-v4 illuminant D -HISTORY_MSG_ICM_OUTPUT_TYPE;Uitvoer - Type -HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -HISTORY_MSG_ICM_WORKING_SLOPE;Working - Helling -HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC methode -HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Hoeveelheid -HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Donker -HISTORY_MSG_LOCALCONTRAST_ENABLED;Lokaal Contrast -HISTORY_MSG_LOCALCONTRAST_LIGHTNESS;Lokaal Contrast - Licht -HISTORY_MSG_LOCALCONTRAST_RADIUS;Lokaal Contrast - Radius -HISTORY_MSG_METADATA_MODE;Metadata kopieermodus -HISTORY_MSG_MICROCONTRAST_CONTRAST;Microcontrast - Contrastdrempel -HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto drempel -HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius -HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limiet herhalingen -HISTORY_MSG_PDSHARPEN_CONTRAST;CS - Contrastdrempel -HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Herhalingen -HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius -HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Toename hoekradius -HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demozaïekmethode voor beweging -HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;lijnruisfilter richting -HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter -HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrastdrempel -HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correctie - Herhalingen -HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correctie - Vermijd kleurverschuiving -HISTORY_MSG_RAW_BORDER;Raw rand -HISTORY_MSG_RESIZE_ALLOWUPSCALING;Schalen - sta vergroting toe -HISTORY_MSG_SHARPENING_BLUR;Verscherpen - Vervagingsradius -HISTORY_MSG_SHARPENING_CONTRAST;Verscherpen - Contrastdrempel -HISTORY_MSG_SH_COLORSPACE;S/H - Kleurruimte -HISTORY_MSG_SOFTLIGHT_ENABLED;Zacht licht -HISTORY_MSG_SOFTLIGHT_STRENGTH;Zacht licht - Sterkte -HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anker -HISTORY_MSG_TRANS_METHOD;Geometrie - Methode -ICCPROFCREATOR_COPYRIGHT;Copyright: -ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Zet terug naar standaard copyright, verleend aan "RawTherapee, CC0" -ICCPROFCREATOR_CUSTOM;Handmatig -ICCPROFCREATOR_DESCRIPTION;Beschriiving: -ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Voeg gamma- en hellingwaarden toe aan de beschrijving -ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Laat leeg voor de standaard beschrijving. -ICCPROFCREATOR_GAMMA;Gamma -ICCPROFCREATOR_ICCVERSION;ICC versie: -ICCPROFCREATOR_ILL;Illuminant: -ICCPROFCREATOR_ILL_41;D41 -ICCPROFCREATOR_ILL_50;D50 -ICCPROFCREATOR_ILL_55;D55 -ICCPROFCREATOR_ILL_60;D60 -ICCPROFCREATOR_ILL_65;D65 -ICCPROFCREATOR_ILL_80;D80 -ICCPROFCREATOR_ILL_DEF;Standaard -ICCPROFCREATOR_ILL_INC;StdA 2856K -ICCPROFCREATOR_ILL_TOOLTIP;U kunt alleen de illuminant instellen voor ICC v4-profielen. -ICCPROFCREATOR_PRIMARIES;Primaire kleuren: -ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 -ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 -ICCPROFCREATOR_PRIM_ADOBE;Adobe RGB (1998) -ICCPROFCREATOR_PRIM_BEST;BestRGB -ICCPROFCREATOR_PRIM_BETA;BetaRGB -ICCPROFCREATOR_PRIM_BLUX;Blauw X -ICCPROFCREATOR_PRIM_BLUY;Blauw Y -ICCPROFCREATOR_PRIM_BRUCE;BruceRGB -ICCPROFCREATOR_PRIM_GREX;Groen X -ICCPROFCREATOR_PRIM_GREY;Groen Y -ICCPROFCREATOR_PRIM_PROPH;Prophoto -ICCPROFCREATOR_PRIM_REC2020;Rec2020 -ICCPROFCREATOR_PRIM_REDX;Rood X -ICCPROFCREATOR_PRIM_REDY;Rood Y -ICCPROFCREATOR_PRIM_SRGB;sRGB -ICCPROFCREATOR_PRIM_TOOLTIP;U kunt alleen aangepaste primaries voor ICC v4-profielen instellen. -ICCPROFCREATOR_PRIM_WIDEG;Widegamut -ICCPROFCREATOR_PROF_V2;ICC v2 -ICCPROFCREATOR_PROF_V4;ICC v4 -ICCPROFCREATOR_SAVEDIALOG_TITLE;Bewaar ICC profiel als... -ICCPROFCREATOR_SLOPE;Helling -ICCPROFCREATOR_TRC_PRESET;Toonresponscurve: -MAIN_BUTTON_ICCPROFCREATOR;ICC Profielmaker -MAIN_FRAME_PLACES_DEL;Verwijderen -MAIN_MSG_TOOMANYOPENEDITORS;Teveel open fotobewerkers.\nSluit er een om verder te kunnen. -MAIN_TAB_ADVANCED;Geavanceerd -MAIN_TAB_ADVANCED_TOOLTIP;Sneltoets: Alt-a -MAIN_TAB_FAVORITES;Favorieten -MAIN_TAB_FAVORITES_TOOLTIP;Sneltoets: Alt-u -MAIN_TOOLTIP_BACKCOLOR3;Achtergrondkleur van het voorbeeld: middelgrijs\nSneltoets: 9 -MAIN_TOOLTIP_PREVIEWSHARPMASK;Bekijk het scherptecontrastmasker.\nSneltoets: p\nWerkt alleen als verscherping is geactiveerd en het zoomniveau >= 100%. -OPTIONS_BUNDLED_MISSING;Het gebundelde profiel "%1" werd niet gevonden!\n\nUw installatie kan beschadigd zijn.\n\nDaarom worden interne standaardwaarden gebruikt. -OPTIONS_DEFIMG_MISSING;Het standaardprofiel voor niet-raw- foto's werd niet gevonden of is niet ingesteld.\n\nControleer de profielenmap, het kan ontbreken of beschadigd zijn.\n\n"%1" wordt daarom gebruikt. -OPTIONS_DEFRAW_MISSING;Het standaardprofiel voor raw-foto's werd niet gevonden of is niet ingesteld.\n\nControleer de profielenmap, het kan ontbreken of beschadigd zijn.\n\n"%1" wordt daarom gebruikt. -PARTIALPASTE_ADVANCEDGROUP;Geavanceerd -PARTIALPASTE_DEHAZE;Nevel verminderen -PARTIALPASTE_FILMNEGATIVE;Film Negatief -PARTIALPASTE_LOCALCONTRAST;Lokaal contrast -PARTIALPASTE_METADATA;Metadata modus -PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter -PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA vermijd kleurverschuiving -PARTIALPASTE_RAW_BORDER;Raw rand -PARTIALPASTE_SOFTLIGHT;Zacht licht -PARTIALPASTE_TM_FATTAL;Compressie dynamisch bereik -PREFERENCES_APPEARANCE;Uiterlijk -PREFERENCES_APPEARANCE_COLORPICKERFONT;Lettertype kleurenkiezer -PREFERENCES_APPEARANCE_CROPMASKCOLOR;Kleur bijsnijdmasker -PREFERENCES_APPEARANCE_MAINFONT;Standaard lettertype -PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI modus -PREFERENCES_APPEARANCE_THEME;Thema -PREFERENCES_AUTOSAVE_TP_OPEN;Bewaar positie gereedschappen (open/dicht) bij afsluiten -PREFERENCES_CACHECLEAR;Wissen -PREFERENCES_CACHECLEAR_ALL;Wis alle bestanden in de cache: -PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Wis alle bestanden in de cache behalve verwerkingsprofielen: -PREFERENCES_CACHECLEAR_ONLYPROFILES;Wis alleen verwerkingsprofielen in de cache: -PREFERENCES_CACHECLEAR_SAFETY;Alleen bestanden in de cache worden gewist. Verwerkingsprofielen van de oorspronkelijke afbeeldingen blijven ongemoeid. -PREFERENCES_CHUNKSIZES;Tegels per thread -PREFERENCES_CHUNKSIZE_RAW_AMAZE;AMaZE demosaïek -PREFERENCES_CHUNKSIZE_RAW_CA;Raw CA correctie -PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaïek -PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaïek -PREFERENCES_CHUNKSIZE_RGB;RGB verwerking -PREFERENCES_CROP;Uitsnijden -PREFERENCES_CROP_AUTO_FIT;Automatisch zoomen tot de uitsnede -PREFERENCES_CROP_GUIDES;Getoonde hulplijnen als uitsnede niet bewerkt wordt -PREFERENCES_CROP_GUIDES_FRAME;Frame -PREFERENCES_CROP_GUIDES_FULL;Origineel -PREFERENCES_CROP_GUIDES_NONE;Geen -PREFERENCES_DIRECTORIES;Mappen -PREFERENCES_EDITORCMDLINE;Aangepaste opdrachtregel -PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compacte gereedschapsbalken in bestandsnavigator -PREFERENCES_LANG;Taal -PREFERENCES_PERFORMANCE_MEASURE;Meting -PREFERENCES_PERFORMANCE_MEASURE_HINT;Log verwerkingstijden in de console -PREFERENCES_PERFORMANCE_THREADS;Threads -PREFERENCES_PERFORMANCE_THREADS_LABEL;Maximaal aantal threads voor ruisvermindering and Wavelet Niveaus (0 = Automatisch) -PREFERENCES_PROFILESAVEBOTH;Bewaar verwerkingsprofielen zowel in de cache als naast het invoerbestand -PREFERENCES_PROFILESAVELOCATION;Opslaglocatie profielen -PREFERENCES_SAVE_TP_OPEN_NOW;Bewaar open/dicht-status van de gereedschappen nu -PREFERENCES_TAB_PERFORMANCE;Performantie -PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Ingesloten JPEG voorbeeld -PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Te tonen foto -PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutrale raw rendering -PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Ingesloten JPEG indien vol formaat, anders neutrale raw -PROGRESSBAR_DECODING;Decoderen... -PROGRESSBAR_GREENEQUIL;Groen blancering... -PROGRESSBAR_HLREC;Reconstructie hoge lichten... -PROGRESSBAR_HOTDEADPIXELFILTER;Hot/dead pixel filter... -PROGRESSBAR_LINEDENOISE;Lijnruis filter... -PROGRESSBAR_RAWCACORR;Raw CA correctie... -QINFO_FRAMECOUNT;%2 frames -QINFO_HDR;HDR / %2 frame(s) -QINFO_PIXELSHIFT;Pixel Shift / %2 frame(s) -QUEUE_LOCATION_TITLE;Uitvoerlocatie -QUEUE_STARTSTOP_TOOLTIP;;Start of stop de verwerking van foto's in de rij.\n\nSneltoets: Ctrl+s -SAMPLEFORMAT_0;onbekend data formaat -SAMPLEFORMAT_1;8-bit unsigned -SAMPLEFORMAT_2;16-bit unsigned -SAMPLEFORMAT_4;24-bit LogLuv -SAMPLEFORMAT_8;32-bit LogLuv -SAMPLEFORMAT_16;16-bit drijvendekomma -SAMPLEFORMAT_32;24-bit drijvendekomma -SAMPLEFORMAT_64;32-bit drijvendekomma -SAVEDLG_FILEFORMAT_FLOAT; drijvendekomma -SOFTPROOF_GAMUTCHECK_TOOLTIP;Markeer pixels waarvan de kleuren buiten het kleurgamma vallen, relatief aan:\n- het printerprofiel, indien opgegeven en soft-proofing is ingeschakeld,\n- het uitvoerprofiel, indien geen printerprofiel is gekozen en soft-proofing is ingeschakeld,\n- het beeldschermprofiel, indien soft-proofing is uitgeschakeld. -SOFTPROOF_TOOLTIP;Soft-proofing simuleert hoe een foto wordt getoond:\n- als deze wordt afgedrukt, indien een printerprofiel is opgegeven in Voorkeuren > Kleurbeheer,\n- als de foto getoond wordt op een beeldscherm dat het huidige uitvoerprofiel gebruikt en een printerprofiel niet is opgegeven. -TP_BWMIX_MIXC;Kanaal Mixer -TP_BWMIX_NEUTRAL;Terugzetten -TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminantie -TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bij manuele aanpassing worden waardon boven 65 aanbevolen. -TP_COLORAPP_FREE;Vrije temp+groen + CAT02 + [uitvoer] -TP_COLORAPP_MEANLUMINANCE;Gemiddelde luminantie (Yb%) -TP_COLORAPP_NEUTRAL;Terugzetten -TP_COLORAPP_NEUTRAL_TOOLTIP;Zet alle regelaars, vinkjes en curves terug naar hun standaardwaarde -TP_COLORAPP_TEMP_TOOLTIP;Zet altijd Tint=1 om een lichtbron te selecteren.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -TP_COLORTONING_LABGRID;L*a*b* kleurcorrectie raster -TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 -TP_COLORTONING_LABREGIONS;Kleurcorrectie gebieden -TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 -TP_COLORTONING_LABREGION_CHANNEL;Kanaal -TP_COLORTONING_LABREGION_CHANNEL_ALL;Alle -TP_COLORTONING_LABREGION_CHANNEL_B;Blauw -TP_COLORTONING_LABREGION_CHANNEL_G;Groen -TP_COLORTONING_LABREGION_CHANNEL_R;Rood -TP_COLORTONING_LABREGION_CHROMATICITYMASK;C -TP_COLORTONING_LABREGION_HUEMASK;H -TP_COLORTONING_LABREGION_LIGHTNESS;Helderheid(L) -TP_COLORTONING_LABREGION_LIGHTNESSMASK;L -TP_COLORTONING_LABREGION_LIST_TITLE;Correctie -TP_COLORTONING_LABREGION_MASK;Masker -TP_COLORTONING_LABREGION_MASKBLUR;Verzachtingsmasker -TP_COLORTONING_LABREGION_OFFSET;Offset -TP_COLORTONING_LABREGION_POWER;Kracht -TP_COLORTONING_LABREGION_SATURATION;Verzadiging -TP_COLORTONING_LABREGION_SHOWMASK;Toon masker -TP_COLORTONING_LABREGION_SLOPE;Helling -TP_CROP_PPI;PPI -TP_CROP_RESETCROP;Terugzetten -TP_CROP_SELECTCROP;Selecteer -TP_DEHAZE_DEPTH;Diepte -TP_DEHAZE_LABEL;Nevel vermindering -TP_DEHAZE_LUMINANCE;Luminantie alleen -TP_DEHAZE_SHOW_DEPTH_MAP;Toon de dieptemap -TP_DEHAZE_STRENGTH;Sterkte -TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Verhoog (vermenigvuldig) de waarde van alle chrominantie regelaars.\nDeze curve regelt de sterkte van de chromatische ruisvermindering als een functie van de chromaticiteit, om bijvoorbeeld het effect te vergroten in gebieden met lage verzadiging en te verminderen in deze met lage verzadiging. -TP_DIRPYRDENOISE_LABEL;Ruisvermindering -TP_EXPOSURE_CLAMPOOG;Knip kleuren die buiten het gamma vallen -TP_EXPOSURE_HISTMATCHING;Automatische Tooncurve -TP_EXPOSURE_HISTMATCHING_TOOLTIP;Pas automatisch de curves en schuifregelaars aan (behalve belichtingscompensatie) om overeen te komen met de ingesloten JPEG miniatuur. -TP_FILMNEGATIVE_BLUE;Blauw verhouding -TP_FILMNEGATIVE_GREEN;Referentie exponent (contrast) -TP_FILMNEGATIVE_GUESS_TOOLTIP;Zet automatisch de rood/groen verhouding door 2 gebieden te kiezen met een neutrale tint (geen kleur) in het origineel. De gebieden moeten verschillen in helderheid. Zet de witbalans nadien. -TP_FILMNEGATIVE_LABEL;Film Negatief -TP_FILMNEGATIVE_PICK;Kies neutrale punten -TP_FILMNEGATIVE_RED;Rood verhouding -TP_ICM_WORKING_TRC;Tooncurve: -TP_ICM_WORKING_TRC_CUSTOM;Gebruiker gedefinieerd -TP_ICM_WORKING_TRC_GAMMA;Gamma -TP_ICM_WORKING_TRC_NONE;Geen -TP_ICM_WORKING_TRC_SLOPE;Helling -TP_ICM_WORKING_TRC_TOOLTIP;Enkel voor ingebouwde profielen. -TP_LENSGEOM_LIN;Lineair -TP_LENSGEOM_LOG;Logarithmisch -TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatische selectie -TP_LENSPROFILE_CORRECTION_LCPFILE;LCP bestand -TP_LENSPROFILE_CORRECTION_MANUAL;Manuele selectie -TP_LENSPROFILE_LENS_WARNING;Waarschuwing: de gebruikte lens profiel crop factor komt niet overeen met de camera crop factor, de resultaten kunnen verkeerd zijn. -TP_LENSPROFILE_MODE_HEADER;Lens Profiel -TP_LENSPROFILE_USE_CA;Chromatische afwijking -TP_LENSPROFILE_USE_GEOMETRIC;Geometrische vervorming -TP_LENSPROFILE_USE_HEADER;Lenscorrecties -TP_LENSPROFILE_USE_VIGNETTING;Vignettering -TP_LOCALCONTRAST_AMOUNT;Hoeveelheid -TP_LOCALCONTRAST_DARKNESS;Donker niveau -TP_LOCALCONTRAST_LABEL;Lokaal Contrast -TP_LOCALCONTRAST_LIGHTNESS;helderheidsniveau -TP_LOCALCONTRAST_RADIUS;Straal -TP_METADATA_EDIT;Pas wijzigingen toe -TP_METADATA_MODE;Metadata kopieermodus -TP_METADATA_STRIP;Strip alle metadata -TP_METADATA_TUNNEL;Kopieer ongewijzigd -TP_PDSHARPENING_LABEL;Verscherpen -TP_PREPROCESS_LINEDENOISE_DIRECTION;Richting -TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Beide -TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Horizontaal -TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontaal enkel op PDAF-rijen -TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Verticaal -TP_PREPROCESS_PDAFLINESFILTER;PDAF lijnfilter -TP_RAWCACORR_AUTOIT;Herhalingen -TP_RAWCACORR_AUTOIT_TOOLTIP;Deze schuif is alleen actief als Automatische CA-correctie is aangevinkt.\nAuto-correctie werkt conservatief en corrigeert meestal niet alle chromatische aberratie.\nOm de resterende CA te corrigeren, kunt u dit proces tot vijf keer herhalen.\nElke herhaling vermindert de CA van de vorige herhaling, maar gaat wel ten koste van extra rekentijd. -TP_RAWCACORR_AVOIDCOLORSHIFT;Vermijd kleurverschuiving -TP_RAW_2PASS;1-pass+snel -TP_RAW_4PASS;3-pass+snel -TP_RAW_AMAZEVNG4;AMaZE+VNG4 -TP_RAW_BORDER;Rand -TP_RAW_DCBVNG4;DCB+VNG4 -TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto drempel -TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Als checkbox is aangevinkt (aanbevolen), berekent RT een optimale waarde gebaseerd op vlakke gebieden in de foto.\nIndien die niet gevonden worden of de foto bevat veel ruis, wordt de waarde op 0 gezet.\nOm de waarde handmatig in te voeren moet u eerst de checkbox uitvinken (redelijke waarden zijn afhankelijk van het soort foto). -TP_RAW_DUALDEMOSAICCONTRAST;Contrast drempel -TP_RAW_IMAGENUM_SN;SN modus -TP_RAW_IMAGENUM_TOOLTIP;Sommige raw bestanden bestaan uit verschillende sub-afbeeldingen (Pentax/Sony Pixel Shift, Pentax 3-in-1 HDR, Canon Dual Pixel, Fuji EXR).\n\Als een andere demozaïek methode dan Pixel Shift gebruikt wordt, selecteert dit de gebruikte sub-afbeelding.\n\nBij gebruik van de Pixel Shift demozaïek methode op een Pixel Shift raw, worden alle sub-afbeeldingen gebruikt, and dit selecteert de subafbeeldijg die gebruikt wordt voor bewegende moving gebieden. -TP_RAW_PIXELSHIFTDMETHOD;Demozaïek voor beweging -TP_RAW_PIXELSHIFTEPERISO;Gevoeligheid -TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;De standaardwaarde 0 werkt goed voor lage ISO-waarden.\nHogere waarden vergroten de gevoeligheid van bewegingsdetectie.\nWijzig in kleine stappen en controleer het bewegingsmasker.\nVerhoog gevoeligheid voor onderbelichte foto's of foto's met hoge ISO-waarden. -TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Balanceer per kanaal -TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Ingeschakeld: Balanceer elk RGB kanaal afzonderlijk.\nUitgeschakeld: Balanceer alle kanalen evenveel. -TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Toont de foto met een groen masker dat de bewegingsgebieden toont. -TP_RAW_RCD;RCD -TP_RAW_RCDVNG4;RCD+VNG4 -TP_RAW_XTRANS;X-Trans -TP_RAW_XTRANSFAST;Snelle X-Trans -TP_RESIZE_ALLOW_UPSCALING;Sta opschalen toe -TP_RETINEX_CONTEDIT_MAP;Equalizer -TP_RETINEX_GAINOFFS;Versterking en Offset (helderheid) -TP_RETINEX_GAINTRANSMISSION;Transmissie versterking -TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Versterk of verzwak de transmssiemap om de gewenste luminantie te bekomen.\nThe x-as is the transmissie.\nThe y-as is the versterking. -TP_RETINEX_MAP;Methode -TP_SHARPENING_BLUR;Vervagen straal -TP_SHARPENING_CONTRAST;Contrast drempel -TP_SHARPENING_ITERCHECK;Automatische limiet herhalingen -TP_SHARPENING_RADIUS_BOOST;Straalvergroting -TP_SHARPENMICRO_CONTRAST;Contrast drempel -TP_SOFTLIGHT_LABEL;Zacht licht -TP_SOFTLIGHT_STRENGTH;Sterkte -TP_TM_FATTAL_AMOUNT;Hoeveelheid -TP_TM_FATTAL_ANCHOR;Anker -TP_TM_FATTAL_LABEL;Dynamisch bereik compressie -TP_TM_FATTAL_THRESHOLD;Detail -TP_WAVELET_CB_TOOLTIP;Voor hoge waarden: kleurcorrectie door al of niet te combineren met niveau decompositie 'toning'\nVoor lage waarden de witbalans van de achtergrond (hemel, ...) wijzigen zonder die van de voorgrond, meestal meer contrastrijk -TP_WBALANCE_PICKER;Kies +!FILEBROWSER_POPUPINSPECT;Inspect +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_CROP_GTCENTEREDSQUARE;Centered square +!TP_DEHAZE_SATURATION;Saturation +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index a28bfdfe2..73b22966f 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -1949,7 +1949,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !CURVEEDITOR_EDITPOINT_HINT;Enable edition of node in/out values.\n\nRight-click on a node to select it.\nRight-click on empty space to de-select the node. !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift !DYNPROFILEEDITOR_NEW_RULE;New Dynamic Profile Rule !EXPORT_BYPASS;Processing steps to bypass @@ -1958,14 +1958,26 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_SHOWORIGINALHINT;Show only original images.\n\nWhen several images exist with the same filename but different extensions, the one considered original is the one whose extension is nearest the top of the parsed extensions list in Preferences > File Browser > Parsed Extensions. +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_235;B&W - CM - Auto !HISTORY_MSG_237;B&W - CM !HISTORY_MSG_273;CT - Color Balance SMH @@ -2027,7 +2039,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !HISTORY_MSG_420;Retinex - Histogram - HSL !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent !HISTORY_MSG_430;Retinex - Transmission gradient @@ -2037,24 +2049,687 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !HISTORY_MSG_441;Retinex - Gain transmission !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_488;Dynamic Range Compression !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_COLORTONING_LABREGION_CHROMATICITYMASK;CT - region C mask !HISTORY_MSG_COLORTONING_LABREGION_HUEMASK;CT - H mask !HISTORY_MSG_COLORTONING_LABREGION_LIGHTNESS;CT - Lightness @@ -2065,35 +2740,119 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - region power !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_METADATA_MODE;Metadata copy mode !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description !ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Leave empty to set the default description. !ICCPROFCREATOR_ILL;Illuminant: -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CREATORJOBTITLE;Creator's job title !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. !IPTCPANEL_INSTRUCTIONSHINT;Enter information about embargoes, or other restrictions not covered by the Copyright field. @@ -2102,27 +2861,46 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !IPTCPANEL_SOURCEHINT;Enter or edit the name of a person or party who has a role in the content supply chain, such as a person or entity from whom you received this image from. !IPTCPANEL_SUPPCATEGORIESHINT;Further refines the subject of the image. !IPTCPANEL_TITLEHINT;Enter a short verbal and human readable name for the image, this may be the file name. +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue !PARTIALPASTE_RAW_BORDER;Raw border !PARTIALPASTE_RAW_IMAGENUM;Sub-image !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_AUTOSAVE_TP_OPEN;Save tool collapsed/expanded state on exit !PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Clear all cached files except for cached processing profiles: !PREFERENCES_CACHECLEAR_SAFETY;Only files in the cache are cleared. Processing profiles stored alongside the source images are not touched. +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. !PREFERENCES_MONINTENT;Default rendering intent !PREFERENCES_PERFORMANCE_MEASURE_HINT;Logs processing times in console @@ -2131,37 +2909,80 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !PREFERENCES_PROFILESAVEBOTH;Save processing profile both to the cache and next to the input file !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !QUEUE_STARTSTOP_TOOLTIP;Start or stop processing the images in the queue.\n\nShortcut: Ctrl+s !SAVEDLG_SUBSAMP_TOOLTIP;Best compression:\nJ:a:b 4:2:0\nh/v 2/2\nChroma halved horizontally and vertically.\n\nBalanced:\nJ:a:b 4:2:2\nh/v 2/1\nChroma halved horizontally.\n\nBest quality:\nJ:a:b 4:4:4\nh/v 1/1\nNo chroma subsampling. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_LABGRID;L*a*b* color correction grid !TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 !TP_COLORTONING_LABREGIONS;Color correction regions !TP_COLORTONING_LABREGION_ABVALUES;a=%1 b=%2 !TP_COLORTONING_LABREGION_LIGHTNESS;Lightness +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTHARMMEANS;Harmonic Means !TP_CROP_GTTRIANGLE1;Golden Triangles 1 !TP_CROP_GTTRIANGLE2;Golden Triangles 2 +!TP_DEHAZE_SATURATION;Saturation !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Increase (multiply) the value of all chrominance sliders.\nThis curve lets you adjust the strength of chromatic noise reduction as a function of chromaticity, for instance to increase the action in areas of low saturation and to decrease it in those of high saturation. !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Preview size=%1, Center: Px=%2 Py=%3 @@ -2174,25 +2995,903 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_DISTORTION_AUTO_TOOLTIP;Automatically corrects lens distortion in raw files by matching it against the embedded JPEG image if one exists and has had its lens disortion auto-corrected by the camera. !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table !TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSPROFILE_LENS_WARNING;Warning: the crop factor used for lens profiling is larger than the crop factor of the camera, the results might be wrong. +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_BORDER;Border +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). !TP_RAW_HD_TOOLTIP;Lower values make hot/dead pixel detection more aggressive, but false positives may lead to artifacts. If you notice any artifacts appearing when enabling the Hot/Dead Pixel Filters, gradually increase the threshold value until they disappear. !TP_RAW_IMAGENUM;Sub-image @@ -2200,6 +3899,8 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_RAW_IMAGENUM_TOOLTIP;Some raw files consist of several sub-images (Pentax/Sony Pixel Shift, Pentax 3-in-1 HDR, Canon Dual Pixel, Fuji EXR).\n\nWhen using any demosaicing method other than Pixel Shift, this selects which sub-image is used.\n\nWhen using the Pixel Shift demosaicing method on a Pixel Shift raw, all sub-images are used, and this selects which sub-image should be used for moving parts. !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;The default value of 0 should work fine for base ISO.\nHigher values increase sensitivity of motion detection.\nChange in small steps and watch the motion mask while changing.\nIncrease sensitivity for underexposed or high ISO images. !TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;Equalize per channel !TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;Enabled: Equalize the RGB channels individually.\nDisabled: Use same equalization factor for all channels. @@ -2208,21 +3909,26 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;Overlays the image with a green mask showing the regions with motion. !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_FREEGAMMA;Free gamma !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA_TOOLTIP;Restore tones by applying gamma before and after Retinex. Different from Retinex curves or others curves (Lab, Exposure, etc.). !TP_RETINEX_GRAD;Transmission gradient !TP_RETINEX_GRADS;Strength gradient !TP_RETINEX_GRADS_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Strength is reduced when iterations increase, and conversely. !TP_RETINEX_GRAD_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Variance and Threshold are reduced when iterations increase, and conversely. !TP_RETINEX_HIGHLIG;Highlight -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_ITER;Iterations (Tone-mapping) !TP_RETINEX_ITERF;Tone mapping !TP_RETINEX_ITER_TOOLTIP;Simulate a tone-mapping operator.\nHigh values increase the processing time. @@ -2231,89 +3937,187 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_RETINEX_MAP_METHOD_TOOLTIP;Use the mask generated by the Gaussian function above (Radius, Method) to reduce halos and artifacts.\n\nCurve only: apply a diagonal contrast curve on the mask.\nBeware of artifacts!\n\nGaussian mask: generate and use a Gaussian blur of the original mask.\nQuick.\n\nSharp mask: generate and use a wavelet on the original mask.\nSlow. !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. !TP_RETINEX_SCALES;Gaussian gradient !TP_RETINEX_SCALES_TOOLTIP;If slider at 0, all iterations are identical.\nIf > 0 Scale and radius are reduced when iterations increase, and conversely. !TP_RETINEX_SLOPE;Free gamma slope !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost !TP_SOFTLIGHT_LABEL;Soft Light +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_ANCHOR;Anchor !TP_WAVELET_B2;Residual !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DAUB;Edge performance -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index 9631579b5..fc1a30df9 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -2254,19 +2254,715 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_SHOWNOTTRASHHINT;Show only images not in trash. +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_494;Capture Sharpening -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations @@ -2274,10 +2970,94 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector !MAIN_FRAME_PLACES_DEL;Remove -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_FILMNEGATIVE;Film negative +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI mode +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... !PROGRESSBAR_HLREC;Highlight reconstruction... @@ -2285,14 +3065,112 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !PROGRESSBAR_LINEDENOISE;Line noise filter... !PROGRESSBAR_RAWCACORR;Raw CA correction... !QUEUE_LOCATION_TITLE;Output Location +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_CORRECTION_AUTOMATCH;Automatically selected @@ -2300,8 +3178,933 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LENSPROFILE_MODE_HEADER;Lens Profile !TP_LENSPROFILE_USE_GEOMETRIC;Geometric distortion !TP_LENSPROFILE_USE_HEADER;Correct +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index 6c8d8210c..ff0536707 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -2266,14 +2266,710 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. +!FILEBROWSER_POPUPINSPECT;Inspect +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_COLORTONING_LABREGION_OFFSET;CT - region offset !HISTORY_MSG_COLORTONING_LABREGION_POWER;CT - region power -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations @@ -2281,28 +2977,1135 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_FILMNEGATIVE;Film negative +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_CACHECLEAR_SAFETY;Only files in the cache are cleared. Processing profiles stored alongside the source images are not touched. +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_HOTDEADPIXELFILTER;Hot/dead pixel filter... !PROGRESSBAR_RAWCACORR;Raw CA correction... +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_LABREGION_OFFSET;Offset !TP_COLORTONING_LABREGION_POWER;Power +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_LUMINANCE;Luminance only -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_DEHAZE_SATURATION;Saturation +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic !TP_LENSPROFILE_LENS_WARNING;Warning: the crop factor used for lens profiling is larger than the crop factor of the camera, the results might be wrong. !TP_LENSPROFILE_USE_HEADER;Correct +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index 6d80bf480..52116947d 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -1460,22 +1460,34 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_SHOWNOTTRASHHINT;Show only images not in trash. !FILEBROWSER_SHOWORIGINALHINT;Show only original images.\n\nWhen several images exist with the same filename but different extensions, the one considered original is the one whose extension is nearest the top of the parsed extensions list in Preferences > File Browser > Parsed Extensions. !FILECHOOSER_FILTER_PP;Processing profiles !FILECHOOSER_FILTER_SAME;Same format as current photo +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_235;B&W - CM - Auto !HISTORY_MSG_237;B&W - CM !HISTORY_MSG_252;CbDL - Skin tar/prot @@ -1500,8 +1512,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_278;CT - Preserve luminance !HISTORY_MSG_279;CT - Shadows @@ -1538,10 +1548,10 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1605,14 +1615,14 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -1629,7 +1639,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1645,7 +1654,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -1664,32 +1673,695 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_489;DRC - Detail !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Channel @@ -1704,17 +2376,37 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_MICROCONTRAST_CONTRAST;Microcontrast - Contrast threshold !HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Auto threshold !HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Auto radius @@ -1723,33 +2415,96 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description !ICCPROFCREATOR_DESCRIPTION_TOOLTIP;Leave empty to set the default description. !ICCPROFCREATOR_GAMMA;Gamma !ICCPROFCREATOR_ILL;Illuminant: -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1761,7 +2516,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1780,16 +2535,21 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !MAIN_MSG_TOOMANYOPENEDITORS;Too many open editors.\nPlease close an editor to continue. !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. !MONITOR_PROFILE_SYSTEM;System default !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1797,6 +2557,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !PARTIALPASTE_RAW_IMAGENUM;Sub-image !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_RETINEX;Retinex +!PARTIALPASTE_SPOT;Spot removal !PREFERENCES_APPEARANCE_PSEUDOHIDPI;Pseudo-HiDPI mode !PREFERENCES_CACHECLEAR_ALL;Clear all cached files: !PREFERENCES_CACHECLEAR_ALLBUTPROFILES;Clear all cached files except for cached processing profiles: @@ -1808,15 +2569,28 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. !PREFERENCES_HISTOGRAM_TOOLTIP;If enabled, the working profile is used for rendering the main histogram and the Navigator panel, otherwise the gamma-corrected output profile is used. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. !PREFERENCES_MAXRECENTFOLDERS;Maximum number of recent folders !PREFERENCES_MONINTENT;Default rendering intent @@ -1837,6 +2611,8 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_PDYNAMIC;Dynamic !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... @@ -1857,34 +2633,68 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !SAVEDLG_SUBSAMP_TOOLTIP;Best compression:\nJ:a:b 4:2:0\nh/v 2/2\nChroma halved horizontally and vertically.\n\nBalanced:\nJ:a:b 4:2:2\nh/v 2/1\nChroma halved horizontally.\n\nBest quality:\nJ:a:b 4:4:4\nh/v 1/1\nNo chroma subsampling. !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_CBDL_AFT;After Black-and-White !TP_CBDL_BEF;Before Black-and-White !TP_CBDL_METHOD;Process located !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -!TP_COLORAPP_DATACIE_TOOLTIP;When enabled, histograms in CIECAM02 curves show approximate values/ranges for J or Q, and C, s or M after the CIECAM02 adjustments.\nThis selection does not impact the main histogram panel.\n\nWhen disabled, histograms in CIECAM02 curves show L*a*b* values before CIECAM02 adjustments. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] -!TP_COLORAPP_HUE_TOOLTIP;Hue (h) - angle between 0° and 360°. -!TP_COLORAPP_LABEL;CIE Color Appearance Model 2002 +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DATACIE_TOOLTIP;Affects histograms shown in Color Appearance & Lightning curves. Does not affect RawTherapee's main histogram.\n\nEnabled: show approximate values for J and C, S or M after the CIECAM adjustments.\nDisabled: show L*a*b* values before CIECAM adjustments. +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_HUE_TOOLTIP;Hue (h) is the degree to which a stimulus can be described as similar to a color described as red, green, blue and yellow. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_LABEL;Color Appearance & Lighting !TP_COLORAPP_LABEL_CAM02;Image Adjustments !TP_COLORAPP_LABEL_SCENE;Scene Conditions !TP_COLORAPP_LABEL_VIEWING;Viewing Conditions !TP_COLORAPP_LIGHT;Lightness (J) -!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM02 differs from L*a*b* and RGB lightness. +!TP_COLORAPP_LIGHT_TOOLTIP;Lightness in CIECAM is the clarity of a stimulus relative to the clarity of a stimulus that appears white under similar viewing conditions. It differs from L*a*b* and RGB lightness. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) -!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM02 is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp+green + CAT02 + [output]: temp and green are selected by the user, the output device's white balance is set in Viewing Conditions. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_MODEL_TOOLTIP;White-Point Model.\n\nWB [RT] + [output]: RT's white balance is used for the scene, CIECAM is set to D50, and the output device's white balance is set in Viewing Conditions.\n\nWB [RT+CAT02/16] + [output]: RT's white balance settings are used by CAT02 and the output device's white balance is set in Viewing Conditions.\n\nFree temp + tint + CAT02/16 + [output]: temp and tint are selected by the user, the output device's white balance is set in Viewing Conditions. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. !TP_COLORAPP_RSTPRO;Red & skin-tones protection !TP_COLORAPP_RSTPRO_TOOLTIP;Red & skin-tones protection affects both sliders and curves. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_SURROUND;Surround +!TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURROUND_AVER;Average !TP_COLORAPP_SURROUND_DARK;Dark !TP_COLORAPP_SURROUND_DIM;Dim !TP_COLORAPP_SURROUND_EXDARK;Extremly Dark (Cutsheet) -!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device.\n\nAverage: Average light environment (standard). The image will not change.\n\nDim: Dim environment (TV). The image will become slightly dark.\n\nDark: Dark environment (projector). The image will become more dark.\n\nExtremly Dark: Extremly dark environment (cutsheet). The image will become very dark. +!TP_COLORAPP_SURROUND_TOOLTIP;Changes tones and colors to take into account the viewing conditions of the output device. The darker the viewing conditions, the darker the image will become. Image brightness will not be changed when the viewing conditions are set to average. +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TCMODE_BRIGHTNESS;Brightness !TP_COLORAPP_TCMODE_CHROMA;Chroma !TP_COLORAPP_TCMODE_COLORF;Colorfulness @@ -1893,18 +2703,23 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TONECIE;Tone mapping using CIECAM02 +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. -!TP_COLORAPP_WBCAM;WB [RT+CAT02] + [output] +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_WBCAM;WB [RT+CAT02/16] + [output] !TP_COLORAPP_WBRT;WB [RT] + [output] +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1934,11 +2749,11 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1955,12 +2770,13 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORTONING_TWOBY;Special a* and b* !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Increase (multiply) the value of all chrominance sliders.\nThis curve lets you adjust the strength of chromatic noise reduction as a function of chromaticity, for instance to increase the action in areas of low saturation and to decrease it in those of high saturation. !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW_INFO;Preview size=%1, Center: Px=%2 Py=%3 @@ -1971,7 +2787,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1988,30 +2804,88 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FLATFIELD_CLIPCONTROL;Clip control !TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Clip control avoids clipped highlights caused by applying the flat field. If there are already clipped highlights before applying the flat field, value 0 is used. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table !TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic @@ -2020,22 +2894,842 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LENSPROFILE_MODE_HEADER;Lens Profile !TP_LENSPROFILE_USE_GEOMETRIC;Geometric distortion !TP_LENSPROFILE_USE_HEADER;Correct +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PREPROCESS_LINEDENOISE_DIRECTION;Direction !TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Both !TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Horizontal !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAW_1PASSMEDIUM;1-pass (Markesteijn) !TP_RAW_2PASS;1-pass+fast !TP_RAW_3PASSBEST;3-pass (Markesteijn) !TP_RAW_4PASS;3-pass+fast +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto threshold !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). @@ -2043,6 +3737,8 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RAW_IMAGENUM;Sub-image !TP_RAW_IMAGENUM_SN;SN mode !TP_RAW_IMAGENUM_TOOLTIP;Some raw files consist of several sub-images (Pentax/Sony Pixel Shift, Pentax 3-in-1 HDR, Canon Dual Pixel, Fuji EXR).\n\nWhen using any demosaicing method other than Pixel Shift, this selects which sub-image is used.\n\nWhen using the Pixel Shift demosaicing method on a Pixel Shift raw, all sub-images are used, and this selects which sub-image should be used for moving parts. +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2053,7 +3749,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2068,22 +3764,27 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_HSL;HSL histogram !TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram !TP_RETINEX_CONTEDIT_LH;Hue !TP_RETINEX_CONTEDIT_MAP;Equalizer -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer !TP_RETINEX_FREEGAMMA;Free gamma !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -2098,7 +3799,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -2117,8 +3818,8 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2131,9 +3832,9 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2142,7 +3843,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2150,6 +3851,11 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_SHARPENING_BLUR;Blur radius !TP_SHARPENING_ITERCHECK;Auto limit iterations !TP_SHARPENING_RADIUS_BOOST;Corner radius boost +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_WAVELET_1;Level 1 !TP_WAVELET_2;Level 2 !TP_WAVELET_3;Level 3 @@ -2159,22 +3865,28 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2182,29 +3894,42 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2212,104 +3937,178 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index 29d91083c..d2c62b0cd 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -1200,7 +1200,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -1220,7 +1220,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? @@ -1233,6 +1233,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !FILEBROWSER_POPUPCOLORLABEL3;Label: Green !FILEBROWSER_POPUPCOLORLABEL4;Label: Blue !FILEBROWSER_POPUPCOLORLABEL5;Label: Purple +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPOPENINEDITOR;Open in Editor !FILEBROWSER_POPUPRANK0;Unrank !FILEBROWSER_POPUPRANK1;Rank 1 * @@ -1255,13 +1256,24 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !GENERAL_APPLY;Apply !GENERAL_ASIMAGE;As Image !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GENERAL_OPEN;Open !GENERAL_RESET;Reset !GENERAL_SAVE_AS;Save as... !GENERAL_SLIDER;Slider !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_173;NR - Detail recovery !HISTORY_MSG_203;NR - Color space !HISTORY_MSG_235;B&W - CM - Auto @@ -1288,8 +1300,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_271;CT - High - Blue !HISTORY_MSG_272;CT - Balance !HISTORY_MSG_273;CT - Color Balance SMH -!HISTORY_MSG_274;CT - Sat. Shadows -!HISTORY_MSG_275;CT - Sat. Highlights !HISTORY_MSG_276;CT - Opacity !HISTORY_MSG_277;--unused-- !HISTORY_MSG_278;CT - Preserve luminance @@ -1314,7 +1324,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_297;NR - Mode !HISTORY_MSG_298;Dead pixel filter !HISTORY_MSG_299;NR - Chrominance curve -!HISTORY_MSG_300;- !HISTORY_MSG_301;NR - Luma control !HISTORY_MSG_302;NR - Chroma method !HISTORY_MSG_303;NR - Chroma method @@ -1332,10 +1341,10 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_315;W - Residual - Contrast !HISTORY_MSG_316;W - Gamut - Skin tar/prot !HISTORY_MSG_317;W - Gamut - Skin hue -!HISTORY_MSG_318;W - Contrast - Highlight levels -!HISTORY_MSG_319;W - Contrast - Highlight range -!HISTORY_MSG_320;W - Contrast - Shadow range -!HISTORY_MSG_321;W - Contrast - Shadow levels +!HISTORY_MSG_318;W - Contrast - Finer levels +!HISTORY_MSG_319;W - Contrast - Finer range +!HISTORY_MSG_320;W - Contrast - Coarser range +!HISTORY_MSG_321;W - Contrast - Coarser levels !HISTORY_MSG_322;W - Gamut - Avoid color shift !HISTORY_MSG_323;W - ES - Local contrast !HISTORY_MSG_324;W - Chroma - Pastel @@ -1399,14 +1408,14 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_382;PRS RLD - Amount !HISTORY_MSG_383;PRS RLD - Damping !HISTORY_MSG_384;PRS RLD - Iterations -!HISTORY_MSG_385;W - Residual - Color Balance +!HISTORY_MSG_385;W - Residual - Color balance !HISTORY_MSG_386;W - Residual - CB green high !HISTORY_MSG_387;W - Residual - CB blue high !HISTORY_MSG_388;W - Residual - CB green mid !HISTORY_MSG_389;W - Residual - CB blue mid !HISTORY_MSG_390;W - Residual - CB green low !HISTORY_MSG_391;W - Residual - CB blue low -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_394;DCP - Baseline exposure !HISTORY_MSG_395;DCP - Base table @@ -1423,7 +1432,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_407;Retinex - Method !HISTORY_MSG_408;Retinex - Radius -!HISTORY_MSG_409;Retinex - Contrast !HISTORY_MSG_410;Retinex - Offset !HISTORY_MSG_411;Retinex - Strength !HISTORY_MSG_412;Retinex - Gaussian gradient @@ -1439,7 +1447,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_422;Retinex - Gamma !HISTORY_MSG_423;Retinex - Gamma slope !HISTORY_MSG_424;Retinex - HL threshold -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_426;Retinex - Hue equalizer !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent @@ -1459,30 +1467,45 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_442;Retinex - Scale !HISTORY_MSG_443;Output black point compensation !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -1493,6 +1516,654 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1508,22 +2179,42 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1538,23 +2229,83 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1566,11 +2317,12 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1580,6 +2332,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1587,13 +2340,14 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1605,7 +2359,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1627,6 +2381,8 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u !MAIN_TAB_INSPECT; Inspect +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. !MONITOR_PROFILE_SYSTEM;System default @@ -1640,22 +2396,25 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !NAVIGATOR_R;R: !NAVIGATOR_S;S: !NAVIGATOR_V;V: -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal !PARTIALPASTE_EQUALIZER;Wavelet levels -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FILMSIMULATION;Film simulation !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_METAGROUP;Metadata settings !PARTIALPASTE_PREPROCESS_DEADPIXFILT;Dead pixel filter !PARTIALPASTE_PREPROCESS_HOTPIXFILT;Hot pixel filter !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_PRSHARPENING;Post-resize sharpening !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue @@ -1664,6 +2423,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_RETINEX;Retinex !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PREFERENCES_APPEARANCE;Appearance !PREFERENCES_APPEARANCE_COLORPICKERFONT;Color picker font @@ -1684,10 +2444,16 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CLUTSCACHE;HaldCLUT Cache !PREFERENCES_CLUTSCACHE_LABEL;Maximum number of cached CLUTs !PREFERENCES_CLUTSDIR;HaldCLUT directory !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -1701,10 +2467,17 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !PREFERENCES_CURVEBBOXPOS_RIGHT;Right !PREFERENCES_DIRECTORIES;Directories !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT;Same thumbnail height between the Filmstrip and the File Browser !PREFERENCES_FSTRIP_SAME_THUMB_HEIGHT_HINT;Having separate thumbnail size will require more processing time each time you'll switch between the single Editor tab and the File Browser. !PREFERENCES_HISTOGRAM_TOOLTIP;If enabled, the working profile is used for rendering the main histogram and the Navigator panel, otherwise the gamma-corrected output profile is used. +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_LABEL;Inspect !PREFERENCES_INSPECT_MAXBUFFERS_LABEL;Maximum number of cached images !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. @@ -1733,18 +2506,20 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !PREFERENCES_PRTINTENT;Rendering intent !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_REMEMBERZOOMPAN;Remember zoom % and pan offset -!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in "Single Editor Tab Mode" and when "Demosaicing method used for the preview at <100% zoom" is set to "As in PP3". +!PREFERENCES_REMEMBERZOOMPAN_TOOLTIP;Remember the zoom % and pan offset of the current image when opening a new image.\n\nThis option only works in 'Single Editor Tab Mode' and when 'Demosaicing method used for the preview at <100% zoom' is set to 'As in PP3'. !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings !PREFERENCES_SERIALIZE_TIFF_READ_LABEL;Serialize reading of TIFF files !PREFERENCES_SERIALIZE_TIFF_READ_TOOLTIP;Enabling this option when working with folders containing uncompressed TIFF files can increase performance of thumbnail generation. !PREFERENCES_SHOWFILMSTRIPTOOLBAR;Show Filmstrip toolbar +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_TAB_PERFORMANCE;Performance !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview !PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Image to show !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_PDYNAMIC;Dynamic !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... @@ -1768,8 +2543,15 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !SAVEDLG_FILEFORMAT_FLOAT; floating-point !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry !THRESHOLDSELECTOR_BL;Bottom-left !TOOLBAR_TOOLTIP_COLORPICKER;Lockable Color Picker\n\nWhen the tool is active:\n- Add a picker: left-click.\n- Drag a picker: left-click and drag.\n- Delete a picker: right-click.\n- Delete all pickers: Ctrl+Shift+right-click.\n- Revert to hand tool: right-click outside any picker. +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_BWMIX_FILTER_TOOLTIP;The color filter simulates shots taken with a colored filter placed in front of the lens. Colored filters reduce the transmission of specific color ranges and therefore affect their lightness. E.g. a red filter darkens blue skies. !TP_BWMIX_FILTER_YELLOW;Yellow !TP_BWMIX_GAMMA;Gamma Correction @@ -1781,19 +2563,51 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_CBDL_METHOD;Process located !TP_CBDL_METHOD_TOOLTIP;Choose whether the Contrast by Detail Levels tool is to be positioned after the Black-and-White tool, which makes it work in L*a*b* space, or before it, which makes it work in RGB space. !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORTONING_AB;o C/L !TP_COLORTONING_AUTOSAT;Automatic !TP_COLORTONING_BALANCE;Balance !TP_COLORTONING_BY;o C/L !TP_COLORTONING_CHROMAC;Opacity -!TP_COLORTONING_COLOR;Color -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORTONING_COLOR;Color: +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_HIGHLIGHT;Highlights !TP_COLORTONING_HUE;Hue !TP_COLORTONING_LAB;L*a*b* blending @@ -1823,11 +2637,11 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_COLORTONING_LUMAMODE;Preserve luminance !TP_COLORTONING_LUMAMODE_TOOLTIP;If enabled, when you change color (red, green, cyan, blue, etc.) the luminance of each pixel is preserved. !TP_COLORTONING_METHOD;Method -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_MIDTONES;Midtones !TP_COLORTONING_NEUTRAL;Reset sliders !TP_COLORTONING_NEUTRAL_TOOLTIP;Reset all values (Shadows, Midtones, Highlights) to default. -!TP_COLORTONING_OPACITY;Opacity +!TP_COLORTONING_OPACITY;Opacity: !TP_COLORTONING_RGBCURVES;RGB - Curves !TP_COLORTONING_RGBSLIDERS;RGB - Sliders !TP_COLORTONING_SA;Saturation Protection @@ -1844,6 +2658,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_COLORTONING_TWOBY;Special a* and b* !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. !TP_COLORTONING_TWOSTD;Standard chroma +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_GTHARMMEANS;Harmonic Means !TP_CROP_GTTRIANGLE1;Golden Triangles 1 !TP_CROP_GTTRIANGLE2;Golden Triangles 2 @@ -1852,7 +2667,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_CROP_SELECTCROP;Select !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones @@ -1863,7 +2678,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Manual !TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Method !TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Preview multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Preview !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. @@ -1879,14 +2694,14 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_DIRPYRDENOISE_MAIN_MODE;Mode !TP_DIRPYRDENOISE_MAIN_MODE_AGGRESSIVE;Aggressive !TP_DIRPYRDENOISE_MAIN_MODE_CONSERVATIVE;Conservative -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_CHROMINANCE;Chroma only !TP_DIRPYRDENOISE_MEDIAN_METHOD_LAB;L*a*b* !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter !TP_DIRPYRDENOISE_MEDIAN_METHOD_LUMINANCE;Luminance only !TP_DIRPYRDENOISE_MEDIAN_METHOD_RGB;RGB -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_METHOD_WEIGHTED;Weighted L* (little) + a*b* (normal) !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. @@ -1916,17 +2731,28 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_EXPOS_BLACKPOINT_LABEL;Raw Black Points !TP_EXPOS_WHITEPOINT_LABEL;Raw White Points !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FILMSIMULATION_LABEL;Film Simulation !TP_FILMSIMULATION_SLOWPARSEDIR;RawTherapee is configured to look for Hald CLUT images, which are used for the Film Simulation tool, in a folder which is taking too long to load.\nGo to Preferences > Image Processing > Film Simulation\nto see which folder is being used. You should either point RawTherapee to a folder which contains only Hald CLUT images and nothing more, or to an empty folder if you don't want to use the Film Simulation tool.\n\nRead the Film Simulation article in RawPedia for more information.\n\nDo you want to cancel the scan now? !TP_FILMSIMULATION_STRENGTH;Strength !TP_FILMSIMULATION_ZEROCLUTSFOUND;Set HaldCLUT directory in Preferences !TP_FLATFIELD_CLIPCONTROL;Clip control !TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Clip control avoids clipped highlights caused by applying the flat field. If there are already clipped highlights before applying the flat field, value 0 is used. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET;Baseline exposure !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP;Base table @@ -1934,17 +2760,64 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_ICM_APPLYLOOKTABLE;Look table !TP_ICM_APPLYLOOKTABLE_TOOLTIP;Employ the embedded DCP look table. The setting is only available if the selected DCP has one. !TP_ICM_BPC;Black Point Compensation -!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is "interpolated" which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_DCPILLUMINANT_TOOLTIP;Select which embedded DCP illuminant to employ. Default is 'interpolated' which is a mix between the two based on white balance. The setting is only available if a dual-illuminant DCP with interpolation support is selected. +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. !TP_ICM_INPUTCAMERAICC_TOOLTIP;Use RawTherapee's camera-specific DCP or ICC input color profiles. These profiles are more precise than simpler matrix ones. They are not available for all cameras. These profiles are stored in the /iccprofiles/input and /dcpprofiles folders and are automatically retrieved based on a file name matching to the exact model name of the camera. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image !TP_ICM_SAVEREFERENCE_APPLYWB;Apply white balance !TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Generally, apply the white balance when saving images to create ICC profiles, and do not apply the white balance to create DCP profiles. +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic @@ -1962,11 +2835,825 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata !TP_METADATA_TUNNEL;Copy unchanged !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PREPROCESS_DEADPIXFILT;Dead pixel filter !TP_PREPROCESS_DEADPIXFILT_TOOLTIP;Tries to suppress dead pixels. !TP_PREPROCESS_HOTPIXFILT;Hot pixel filter @@ -1977,10 +3664,14 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_PRSHARPENING_LABEL;Post-Resize Sharpening -!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the "Lanczos" resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. +!TP_PRSHARPENING_TOOLTIP;Sharpens the image after resizing. Only works when the 'Lanczos' resizing method is used. It is impossible to preview the effects of this tool. See RawPedia for usage instructions. !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAWEXPOS_BLACK_0;Green 1 (lead) !TP_RAWEXPOS_BLACK_1;Red @@ -1996,9 +3687,11 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto threshold !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). @@ -2016,6 +3709,8 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2026,7 +3721,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2041,16 +3736,21 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_SENSOR_BAYER_LABEL;Sensor with Bayer Matrix -!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas +!TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;3-pass gives best results (recommended for low ISO images).\n1-pass is almost undistinguishable from 3-pass for high ISO images and is faster.\n+fast gives less artifacts in flat areas. !TP_RAW_SENSOR_XTRANS_LABEL;Sensor with X-Trans Matrix !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans !TP_RESIZE_ALLOW_UPSCALING;Allow Upscaling +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_HSL;HSL histogram !TP_RETINEX_CONTEDIT_LAB;L*a*b* histogram !TP_RETINEX_CONTEDIT_LH;Hue @@ -2058,7 +3758,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_CURVEEDITOR_CD;L=f(L) !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_LH;Strength=f(H) -!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the "Highlight" retinex method. +!TP_RETINEX_CURVEEDITOR_LH_TOOLTIP;Strength according to hue Strength=f(H)\nThis curve also acts on chroma when using the 'Highlight' retinex method. !TP_RETINEX_CURVEEDITOR_MAP;L=f(L) !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! !TP_RETINEX_EQUAL;Equalizer @@ -2066,7 +3766,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_GAIN;Gain !TP_RETINEX_GAINOFFS;Gain and Offset (brightness) !TP_RETINEX_GAINTRANSMISSION;Gain transmission -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA;Gamma !TP_RETINEX_GAMMA_FREE;Free !TP_RETINEX_GAMMA_HIGH;High @@ -2081,7 +3781,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_HIGH;High !TP_RETINEX_HIGHLIG;Highlight !TP_RETINEX_HIGHLIGHT;Highlight threshold -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_HSLSPACE_LIN;HSL-Linear !TP_RETINEX_HSLSPACE_LOG;HSL-Logarithmic !TP_RETINEX_ITER;Iterations (Tone-mapping) @@ -2100,8 +3800,8 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD;Method !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_NEIGHBOR;Radius !TP_RETINEX_NEUTRAL;Reset !TP_RETINEX_NEUTRAL_TOOLTIP;Reset all sliders and curves to their default values. @@ -2114,9 +3814,9 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_STRENGTH;Strength !TP_RETINEX_THRESHOLD;Threshold !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sigma=%4 -!TP_RETINEX_TLABEL2;TM Tm=%1 TM=%2 -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL;TM Datas Min=%1 Max=%2 Mean=%3 Sigma=%4 +!TP_RETINEX_TLABEL2;TM Effective Tm=%1 TM=%2 +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANF;Transmission !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. @@ -2125,7 +3825,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_RETINEX_VARIANCE_TOOLTIP;Low variance increase local contrast and saturation, but can lead to artifacts. !TP_RETINEX_VIEW;Process !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_RETINEX_VIEW_NONE;Standard !TP_RETINEX_VIEW_TRAN;Transmission - Auto !TP_RETINEX_VIEW_TRAN2;Transmission - Fixed @@ -2137,6 +3837,11 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_SHARPENMICRO_CONTRAST;Contrast threshold !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression @@ -2150,22 +3855,28 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_WAVELET_7;Level 7 !TP_WAVELET_8;Level 8 !TP_WAVELET_9;Level 9 -!TP_WAVELET_APPLYTO;Apply To +!TP_WAVELET_APPLYTO;Apply to !TP_WAVELET_AVOID;Avoid color shift !TP_WAVELET_B0;Black -!TP_WAVELET_B1;Grey +!TP_WAVELET_B1;Gray !TP_WAVELET_B2;Residual !TP_WAVELET_BACKGROUND;Background !TP_WAVELET_BACUR;Curve !TP_WAVELET_BALANCE;Contrast balance d/v-h !TP_WAVELET_BALANCE_TOOLTIP;Alters the balance between the wavelet directions: vertical-horizontal and diagonal.\nIf contrast, chroma or residual tone mapping are activated, the effect due to balance is amplified. !TP_WAVELET_BALCHRO;Chroma balance +!TP_WAVELET_BALCHROM;Equalizer Color !TP_WAVELET_BALCHRO_TOOLTIP;If enabled, the 'Contrast balance' curve or slider also modifies chroma balance. +!TP_WAVELET_BALLUM;Denoise equalizer White-Black !TP_WAVELET_BANONE;None !TP_WAVELET_BASLI;Slider !TP_WAVELET_BATYPE;Contrast balance method -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. !TP_WAVELET_CCURVE;Local contrast !TP_WAVELET_CH1;Whole chroma range !TP_WAVELET_CH2;Saturated/pastel @@ -2173,29 +3884,42 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_WAVELET_CHCU;Curve !TP_WAVELET_CHR;Chroma-contrast link strength !TP_WAVELET_CHRO;Saturated/pastel threshold +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. !TP_WAVELET_CHSL;Sliders !TP_WAVELET_CHTYPE;Chrominance method -!TP_WAVELET_COLORT;Opacity Red-Green +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COLORT;Opacity red-green !TP_WAVELET_COMPCONT;Contrast +!TP_WAVELET_COMPEXPERT;Advanced !TP_WAVELET_COMPGAMMA;Compression gamma !TP_WAVELET_COMPGAMMA_TOOLTIP;Adjusting the gamma of the residual image allows you to equilibrate the data and histogram. +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard !TP_WAVELET_COMPTM;Tone mapping !TP_WAVELET_CONTEDIT;'After' contrast curve +!TP_WAVELET_CONTFRAME;Contrast - Compression !TP_WAVELET_CONTR;Gamut !TP_WAVELET_CONTRA;Contrast !TP_WAVELET_CONTRAST_MINUS;Contrast - !TP_WAVELET_CONTRAST_PLUS;Contrast + -!TP_WAVELET_CONTRA_TOOLTIP;Changes contrast of the residual image. +!TP_WAVELET_CONTRA_TOOLTIP;Changes the residual image contrast. !TP_WAVELET_CTYPE;Chrominance control +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH;Contrast levels=f(Hue) !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. !TP_WAVELET_CURVEEDITOR_CL;L -!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast luminance curve at the end of the wavelet treatment. +!TP_WAVELET_CURVEEDITOR_CL_TOOLTIP;Applies a final contrast-luminance curve at the end of the wavelet processing. !TP_WAVELET_CURVEEDITOR_HH;HH -!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image's hue as a function of hue. +!TP_WAVELET_CURVEEDITOR_HH_TOOLTIP;Modifies the residual image hue as a function of hue. !TP_WAVELET_DALL;All directions !TP_WAVELET_DAUB;Edge performance !TP_WAVELET_DAUB2;D2 - low @@ -2203,108 +3927,182 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_WAVELET_DAUB6;D6 - standard plus !TP_WAVELET_DAUB10;D10 - medium !TP_WAVELET_DAUB14;D14 - high -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast !TP_WAVELET_DONE;Vertical !TP_WAVELET_DTHR;Diagonal !TP_WAVELET_DTWO;Horizontal !TP_WAVELET_EDCU;Curve +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. !TP_WAVELET_EDGCONT;Local contrast -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. -!TP_WAVELET_EDGE;Edge Sharpness +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. +!TP_WAVELET_EDGE;Edge sharpness !TP_WAVELET_EDGEAMPLI;Base amplification !TP_WAVELET_EDGEDETECT;Gradient sensitivity !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) -!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This adjuster lets you target edge detection for example to avoid applying edge sharpness to fine details, such as noise in the sky. +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement +!TP_WAVELET_EDGEDETECTTHR_TOOLTIP;This slider sets a threshold below which finer details won't be considered as an edge. !TP_WAVELET_EDGEDETECT_TOOLTIP;Moving the slider to the right increases edge sensitivity. This affects local contrast, edge settings and noise. !TP_WAVELET_EDGESENSI;Edge sensitivity !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH;Detail !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. !TP_WAVELET_EDRAD;Radius -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_EDSL;Threshold Sliders +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_EDSL;Threshold sliders !TP_WAVELET_EDTYPE;Local contrast method !TP_WAVELET_EDVAL;Strength !TP_WAVELET_FINAL;Final Touchup +!TP_WAVELET_FINCFRAME;Final local contrast !TP_WAVELET_FINEST;Finest -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range -!TP_WAVELET_HS2;Shadows/Highlights +!TP_WAVELET_HS2;Selective luminance range !TP_WAVELET_HUESKIN;Skin hue !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. -!TP_WAVELET_HUESKY;Sky hue +!TP_WAVELET_HUESKY;Hue range !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LABEL;Wavelet Levels +!TP_WAVELET_LABEL;Wavelet levels +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 !TP_WAVELET_LARGEST;Coarsest !TP_WAVELET_LEVCH;Chroma -!TP_WAVELET_LEVDIR_ALL;All levels in all directions -!TP_WAVELET_LEVDIR_INF;Below or equal the level +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVDIR_ALL;All levels, in all directions +!TP_WAVELET_LEVDIR_INF;Finer detail levels, including selected level !TP_WAVELET_LEVDIR_ONE;One level -!TP_WAVELET_LEVDIR_SUP;Above the level +!TP_WAVELET_LEVDIR_SUP;Coarser detail levels, excluding selected level +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 !TP_WAVELET_LEVELS;Wavelet levels -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. !TP_WAVELET_LEVF;Contrast +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 !TP_WAVELET_LEVONE;Level 2 !TP_WAVELET_LEVTHRE;Level 4 !TP_WAVELET_LEVTWO;Level 3 !TP_WAVELET_LEVZERO;Level 1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength !TP_WAVELET_LIPST;Enhanced algoritm -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDGREINF;First level !TP_WAVELET_MEDI;Reduce artifacts in blue sky !TP_WAVELET_MEDILEV;Edge detection !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None !TP_WAVELET_NPTYPE;Neighboring pixels !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve -!TP_WAVELET_OPACITYWL;Final local contrast +!TP_WAVELET_OPACITYWL;Local contrast !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma !TP_WAVELET_PROC;Process +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % !TP_WAVELET_RE1;Reinforced !TP_WAVELET_RE2;Unchanged !TP_WAVELET_RE3;Reduced -!TP_WAVELET_RESCHRO;Chroma +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_RESCHRO;Strength !TP_WAVELET_RESCON;Shadows !TP_WAVELET_RESCONH;Highlights !TP_WAVELET_RESID;Residual Image !TP_WAVELET_SAT;Saturated chroma !TP_WAVELET_SETTINGS;Wavelet Settings +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_STREN;Strength +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREN;Refine +!TP_WAVELET_STREND;Strength !TP_WAVELET_STRENGTH;Strength !TP_WAVELET_SUPE;Extra !TP_WAVELET_THR;Shadows threshold -!TP_WAVELET_THRESHOLD;Highlight levels -!TP_WAVELET_THRESHOLD2;Shadow levels -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD;Finer levels +!TP_WAVELET_THRESHOLD2;Coarser levels +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_THRH;Highlights threshold -!TP_WAVELET_TILESBIG;Big tiles +!TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method !TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale !TP_WAVELET_TMSTRENGTH;Compression strength -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TMTYPE;Compression method !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_PICKER;Pick +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. !ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index 28332327f..3288d5c33 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -2304,9 +2304,1814 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! +!FILEBROWSER_POPUPINSPECT;Inspect +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_PDSHARPEN_CHECKITER;CS - Auto limit iterations +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection +!HISTORY_MSG_RANGEAB;Range ab +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 +!INSPECTOR_WINDOW_TITLE;Inspector +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings +!PARTIALPASTE_PREPROCWB;Preprocess White Balance +!PARTIALPASTE_SPOT;Spot removal +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_CROP_GTCENTEREDSQUARE;Centered square +!TP_DEHAZE_SATURATION;Saturation +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_OUT_LEVEL;Output level +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. +!TP_HLREC_HLBLUR;Blur +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 +!TP_ICM_REDFRAME;Custom Primaries +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 +!TP_ICM_WORKING_TRC_LIN;Linear g=1 +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear +!TP_RAW_DCBBILINEAR;DCB+Bilinear +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. +!TP_RAW_RCDBILINEAR;RCD+Bilinear +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_SHARPENING_ITERCHECK;Auto limit iterations +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index 566921dfb..6d1bf911f 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -1741,7 +1741,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !DYNPROFILEEDITOR_DELETE;Delete !DYNPROFILEEDITOR_EDIT;Edit !DYNPROFILEEDITOR_EDIT_RULE;Edit Dynamic Profile Rule -!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the "re:" prefix to enter\na regular expression. +!DYNPROFILEEDITOR_ENTRY_TOOLTIP;The matching is case insensitive.\nUse the 're:' prefix to enter\na regular expression. !DYNPROFILEEDITOR_IMGTYPE_ANY;Any !DYNPROFILEEDITOR_IMGTYPE_HDR;HDR !DYNPROFILEEDITOR_IMGTYPE_PS;Pixel Shift @@ -1758,24 +1758,36 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !EXPORT_USE_FAST_PIPELINE;Dedicated (full processing on resized image) !EXPORT_USE_FAST_PIPELINE_TOOLTIP;Use a dedicated processing pipeline for images in Fast Export mode, that trades speed for quality. Resizing of the image is done as early as possible, instead of doing it at the end like in the normal pipeline. The speedup can be significant, but be prepared to see artifacts and a general degradation of output quality. !EXPORT_USE_NORMAL_PIPELINE;Standard (bypass some steps, resize at the end) -!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply "find" keywords. +!FILEBROWSER_BROWSEPATHBUTTONHINT;Click to open specified path, reload folder and apply 'find' keywords. !FILEBROWSER_CACHECLEARFROMFULL;Clear all including cached profiles !FILEBROWSER_CACHECLEARFROMPARTIAL;Clear all except cached profiles !FILEBROWSER_DELETEDIALOG_ALL;Are you sure you want to permanently delete all %1 files in trash? !FILEBROWSER_DELETEDIALOG_SELECTED;Are you sure you want to permanently delete the selected %1 files? !FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Are you sure you want to permanently delete the selected %1 files, including a queue-processed version? !FILEBROWSER_EMPTYTRASHHINT;Permanently delete all files in trash. +!FILEBROWSER_POPUPINSPECT;Inspect !FILEBROWSER_POPUPREMOVE;Delete permanently !FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version !FILEBROWSER_RESETDEFAULTPROFILE;Reset to default !FILEBROWSER_SHOWNOTTRASHHINT;Show only images not in trash. !GENERAL_CURRENT;Current +!GENERAL_DELETE_ALL;Delete all +!GENERAL_EDIT;Edit !GENERAL_HELP;Help !GENERAL_RESET;Reset !GENERAL_SAVE_AS;Save as... !GENERAL_SLIDER;Slider !GIMP_PLUGIN_INFO;Welcome to the RawTherapee GIMP plugin!\nOnce you are done editing, simply close the main RawTherapee window and the image will be automatically imported in GIMP. +!HISTOGRAM_TOOLTIP_CROSSHAIR;Show/Hide indicator crosshair. !HISTOGRAM_TOOLTIP_MODE;Toggle between linear, log-linear and log-log scaling of the histogram. +!HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Toggle visibility of the scope option buttons. +!HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Adjust scope brightness. +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histogram +!HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Raw Histogram +!HISTOGRAM_TOOLTIP_TYPE_PARADE;RGB Parade +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HC;Hue-Chroma Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_VECTORSCOPE_HS;Hue-Saturation Vectorscope +!HISTOGRAM_TOOLTIP_TYPE_WAVEFORM;Waveform !HISTORY_MSG_173;NR - Detail recovery !HISTORY_MSG_203;NR - Color space !HISTORY_MSG_235;B&W - CM - Auto @@ -1793,7 +1805,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !HISTORY_MSG_330;W - Toning - Opacity BY !HISTORY_MSG_344;W - Meth chroma sl/cur !HISTORY_MSG_353;W - ES - Gradient sensitivity -!HISTORY_MSG_392;W - Residual - Color Balance +!HISTORY_MSG_392;W - Residual - Color balance !HISTORY_MSG_393;DCP - Look table !HISTORY_MSG_396;W - Contrast sub-tool !HISTORY_MSG_397;W - Chroma sub-tool @@ -1804,34 +1816,49 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !HISTORY_MSG_402;W - Denoise sub-tool !HISTORY_MSG_406;W - ES - Neighboring pixels !HISTORY_MSG_412;Retinex - Gaussian gradient -!HISTORY_MSG_425;Retinex - Log base +!HISTORY_MSG_425;--unused-- !HISTORY_MSG_427;Output rendering intent !HISTORY_MSG_428;Monitor rendering intent !HISTORY_MSG_444;WB - Temp bias -!HISTORY_MSG_445;Raw sub-image -!HISTORY_MSG_449;PS - ISO adaption -!HISTORY_MSG_452;PS - Show motion -!HISTORY_MSG_453;PS - Show mask only -!HISTORY_MSG_457;PS - Check red/blue -!HISTORY_MSG_462;PS - Check green -!HISTORY_MSG_464;PS - Blur motion mask -!HISTORY_MSG_465;PS - Blur radius -!HISTORY_MSG_468;PS - Fill holes -!HISTORY_MSG_469;PS - Median -!HISTORY_MSG_471;PS - Motion correction -!HISTORY_MSG_472;PS - Smooth transitions -!HISTORY_MSG_473;PS - Use LMMSE -!HISTORY_MSG_474;PS - Equalize -!HISTORY_MSG_475;PS - Equalize channel -!HISTORY_MSG_476;CAM02 - Temp out -!HISTORY_MSG_477;CAM02 - Green out -!HISTORY_MSG_478;CAM02 - Yb out -!HISTORY_MSG_479;CAM02 - CAT02 adaptation out -!HISTORY_MSG_480;CAM02 - Automatic CAT02 out -!HISTORY_MSG_481;CAM02 - Temp scene -!HISTORY_MSG_482;CAM02 - Green scene -!HISTORY_MSG_483;CAM02 - Yb scene -!HISTORY_MSG_484;CAM02 - Auto Yb scene +!HISTORY_MSG_445;Raw Sub-Image +!HISTORY_MSG_446;--unused-- +!HISTORY_MSG_447;--unused-- +!HISTORY_MSG_448;--unused-- +!HISTORY_MSG_449;PS ISO adaption +!HISTORY_MSG_450;--unused-- +!HISTORY_MSG_451;--unused-- +!HISTORY_MSG_452;PS Show motion +!HISTORY_MSG_453;PS Show mask only +!HISTORY_MSG_454;--unused-- +!HISTORY_MSG_455;--unused-- +!HISTORY_MSG_456;--unused-- +!HISTORY_MSG_457;PS Check red/blue +!HISTORY_MSG_458;--unused-- +!HISTORY_MSG_459;--unused-- +!HISTORY_MSG_460;--unused-- +!HISTORY_MSG_461;--unused-- +!HISTORY_MSG_462;PS Check green +!HISTORY_MSG_463;--unused-- +!HISTORY_MSG_464;PS Blur motion mask +!HISTORY_MSG_465;PS Blur radius +!HISTORY_MSG_466;--unused-- +!HISTORY_MSG_467;--unused-- +!HISTORY_MSG_468;PS Fill holes +!HISTORY_MSG_469;PS Median +!HISTORY_MSG_470;--unused-- +!HISTORY_MSG_471;PS Motion correction +!HISTORY_MSG_472;PS Smooth transitions +!HISTORY_MSG_474;PS Equalize +!HISTORY_MSG_475;PS Equalize channel +!HISTORY_MSG_476;CAL - VC - Temperature +!HISTORY_MSG_477;CAL - VC - Tint +!HISTORY_MSG_478;CAL - VC - Mean luminance +!HISTORY_MSG_479;CAL - VC - Adaptation +!HISTORY_MSG_480;CAL - VC - Auto adaptation +!HISTORY_MSG_481;CAL - SC - Temperature +!HISTORY_MSG_482;CAL - SC - Tint +!HISTORY_MSG_483;CAL - SC - Mean luminance +!HISTORY_MSG_484;CAL - SC - Auto mean luminance !HISTORY_MSG_485;Lens Correction !HISTORY_MSG_486;Lens Correction - Camera !HISTORY_MSG_487;Lens Correction - Lens @@ -1842,6 +1869,654 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !HISTORY_MSG_492;RGB Curves !HISTORY_MSG_493;L*a*b* Adjustments !HISTORY_MSG_494;Capture Sharpening +!HISTORY_MSG_496;Local Spot deleted +!HISTORY_MSG_497;Local Spot selected +!HISTORY_MSG_498;Local Spot name +!HISTORY_MSG_499;Local Spot visibility +!HISTORY_MSG_500;Local Spot shape +!HISTORY_MSG_501;Local Spot method +!HISTORY_MSG_502;Local Spot shape method +!HISTORY_MSG_503;Local Spot locX +!HISTORY_MSG_504;Local Spot locXL +!HISTORY_MSG_505;Local Spot locY +!HISTORY_MSG_506;Local Spot locYT +!HISTORY_MSG_507;Local Spot center +!HISTORY_MSG_508;Local Spot circrad +!HISTORY_MSG_509;Local Spot quality method +!HISTORY_MSG_510;Local Spot transition +!HISTORY_MSG_511;Local Spot thresh +!HISTORY_MSG_512;Local Spot ΔE decay +!HISTORY_MSG_513;Local Spot scope +!HISTORY_MSG_514;Local Spot structure +!HISTORY_MSG_515;Local Adjustments +!HISTORY_MSG_516;Local - Color and light +!HISTORY_MSG_517;Local - Enable super +!HISTORY_MSG_518;Local - Lightness +!HISTORY_MSG_519;Local - Contrast +!HISTORY_MSG_520;Local - Chrominance +!HISTORY_MSG_521;Local - Scope +!HISTORY_MSG_522;Local - curve method +!HISTORY_MSG_523;Local - LL Curve +!HISTORY_MSG_524;Local - CC curve +!HISTORY_MSG_525;Local - LH Curve +!HISTORY_MSG_526;Local - H curve +!HISTORY_MSG_527;Local - Color Inverse +!HISTORY_MSG_528;Local - Exposure +!HISTORY_MSG_529;Local - Exp Compensation +!HISTORY_MSG_530;Local - Exp Hlcompr +!HISTORY_MSG_531;Local - Exp hlcomprthresh +!HISTORY_MSG_532;Local - Exp black +!HISTORY_MSG_533;Local - Exp Shcompr +!HISTORY_MSG_534;Local - Warm Cool +!HISTORY_MSG_535;Local - Exp Scope +!HISTORY_MSG_536;Local - Exp Contrast curve +!HISTORY_MSG_537;Local - Vibrance +!HISTORY_MSG_538;Local - Vib Saturated +!HISTORY_MSG_539;Local - Vib Pastel +!HISTORY_MSG_540;Local - Vib Threshold +!HISTORY_MSG_541;Local - Vib Protect skin tones +!HISTORY_MSG_542;Local - Vib avoid colorshift +!HISTORY_MSG_543;Local - Vib link +!HISTORY_MSG_544;Local - Vib Scope +!HISTORY_MSG_545;Local - Vib H curve +!HISTORY_MSG_546;Local - Blur and noise +!HISTORY_MSG_547;Local - Radius +!HISTORY_MSG_548;Local - Noise +!HISTORY_MSG_549;Local - Blur scope +!HISTORY_MSG_550;Local - Blur method +!HISTORY_MSG_551;Local - Blur Luminance only +!HISTORY_MSG_552;Local - Tone mapping +!HISTORY_MSG_553;Local - TM compression strength +!HISTORY_MSG_554;Local - TM gamma +!HISTORY_MSG_555;Local - TM edge stopping +!HISTORY_MSG_556;Local - TM scale +!HISTORY_MSG_557;Local - TM Reweighting +!HISTORY_MSG_558;Local - TM scope +!HISTORY_MSG_559;Local - Retinex +!HISTORY_MSG_560;Local - Retinex method +!HISTORY_MSG_561;Local - Retinex strength +!HISTORY_MSG_562;Local - Retinex chroma +!HISTORY_MSG_563;Local - Retinex radius +!HISTORY_MSG_564;Local - Retinex contrast +!HISTORY_MSG_565;Local - scope +!HISTORY_MSG_566;Local - Retinex Gain curve +!HISTORY_MSG_567;Local - Retinex Inverse +!HISTORY_MSG_568;Local - Sharpening +!HISTORY_MSG_569;Local - Sh Radius +!HISTORY_MSG_570;Local - Sh Amount +!HISTORY_MSG_571;Local - Sh Damping +!HISTORY_MSG_572;Local - Sh Iterations +!HISTORY_MSG_573;Local - Sh Scope +!HISTORY_MSG_574;Local - Sh Inverse +!HISTORY_MSG_575;Local - CBDL +!HISTORY_MSG_576;Local - cbdl mult +!HISTORY_MSG_577;Local - cbdl chroma +!HISTORY_MSG_578;Local - cbdl threshold +!HISTORY_MSG_579;Local - cbdl scope +!HISTORY_MSG_580;--unused-- +!HISTORY_MSG_581;Local - deNoise lum f 1 +!HISTORY_MSG_582;Local - deNoise lum c +!HISTORY_MSG_583;Local - deNoise lum detail +!HISTORY_MSG_584;Local - deNoise equalizer White-Black +!HISTORY_MSG_585;Local - deNoise chro f +!HISTORY_MSG_586;Local - deNoise chro c +!HISTORY_MSG_587;Local - deNoise chro detail +!HISTORY_MSG_588;Local - deNoise equalizer Blue-Red +!HISTORY_MSG_589;Local - deNoise bilateral +!HISTORY_MSG_590;Local - deNoise Scope +!HISTORY_MSG_591;Local - Avoid color shift +!HISTORY_MSG_592;Local - Sh Contrast +!HISTORY_MSG_593;Local - Local contrast +!HISTORY_MSG_594;Local - Local contrast radius +!HISTORY_MSG_595;Local - Local contrast amount +!HISTORY_MSG_596;Local - Local contrast darkness +!HISTORY_MSG_597;Local - Local contrast lightness +!HISTORY_MSG_598;Local - Local contrast scope +!HISTORY_MSG_599;Local - Retinex dehaze +!HISTORY_MSG_600;Local - Soft Light enable +!HISTORY_MSG_601;Local - Soft Light strength +!HISTORY_MSG_602;Local - Soft Light scope +!HISTORY_MSG_603;Local - Sh Blur radius +!HISTORY_MSG_605;Local - Mask preview choice +!HISTORY_MSG_606;Local Spot selected +!HISTORY_MSG_607;Local - Color Mask C +!HISTORY_MSG_608;Local - Color Mask L +!HISTORY_MSG_609;Local - Exp Mask C +!HISTORY_MSG_610;Local - Exp Mask L +!HISTORY_MSG_611;Local - Color Mask H +!HISTORY_MSG_612;Local - Color Structure +!HISTORY_MSG_613;Local - Exp Structure +!HISTORY_MSG_614;Local - Exp Mask H +!HISTORY_MSG_615;Local - Blend color +!HISTORY_MSG_616;Local - Blend Exp +!HISTORY_MSG_617;Local - Blur Exp +!HISTORY_MSG_618;Local - Use Color Mask +!HISTORY_MSG_619;Local - Use Exp Mask +!HISTORY_MSG_620;Local - Blur col +!HISTORY_MSG_621;Local - Exp inverse +!HISTORY_MSG_622;Local - Exclude structure +!HISTORY_MSG_623;Local - Exp Chroma compensation +!HISTORY_MSG_624;Local - Color correction grid +!HISTORY_MSG_625;Local - Color correction strength +!HISTORY_MSG_626;Local - Color correction Method +!HISTORY_MSG_627;Local - Shadow Highlight +!HISTORY_MSG_628;Local - SH Highlight +!HISTORY_MSG_629;Local - SH H tonalwidth +!HISTORY_MSG_630;Local - SH Shadows +!HISTORY_MSG_631;Local - SH S tonalwidth +!HISTORY_MSG_632;Local - SH radius +!HISTORY_MSG_633;Local - SH Scope +!HISTORY_MSG_634;Local - radius color +!HISTORY_MSG_635;Local - radius Exp +!HISTORY_MSG_636;Local - Tool added +!HISTORY_MSG_637;Local - SH Mask C +!HISTORY_MSG_638;Local - SH Mask L +!HISTORY_MSG_639;Local - SH Mask H +!HISTORY_MSG_640;Local - SH blend +!HISTORY_MSG_641;Local - Use SH mask +!HISTORY_MSG_642;Local - radius SH +!HISTORY_MSG_643;Local - Blur SH +!HISTORY_MSG_644;Local - inverse SH +!HISTORY_MSG_645;Local - balance ΔE ab-L +!HISTORY_MSG_646;Local - Exp mask chroma +!HISTORY_MSG_647;Local - Exp mask gamma +!HISTORY_MSG_648;Local - Exp mask slope +!HISTORY_MSG_649;Local - Exp soft radius +!HISTORY_MSG_650;Local - Color mask chroma +!HISTORY_MSG_651;Local - Color mask gamma +!HISTORY_MSG_652;Local - Color mask slope +!HISTORY_MSG_653;Local - SH mask chroma +!HISTORY_MSG_654;Local - SH mask gamma +!HISTORY_MSG_655;Local - SH mask slope +!HISTORY_MSG_656;Local - Color soft radius +!HISTORY_MSG_657;Local - Retinex Reduce artifacts +!HISTORY_MSG_658;Local - CBDL soft radius +!HISTORY_MSG_659;Local Spot transition-decay +!HISTORY_MSG_660;Local - cbdl clarity +!HISTORY_MSG_661;Local - cbdl contrast residual +!HISTORY_MSG_662;Local - deNoise lum f 0 +!HISTORY_MSG_663;Local - deNoise lum f 2 +!HISTORY_MSG_664;--unused-- +!HISTORY_MSG_665;Local - cbdl mask Blend +!HISTORY_MSG_666;Local - cbdl mask radius +!HISTORY_MSG_667;Local - cbdl mask chroma +!HISTORY_MSG_668;Local - cbdl mask gamma +!HISTORY_MSG_669;Local - cbdl mask slope +!HISTORY_MSG_670;Local - cbdl mask C +!HISTORY_MSG_671;Local - cbdl mask L +!HISTORY_MSG_672;Local - cbdl mask CL +!HISTORY_MSG_673;Local - Use cbdl mask +!HISTORY_MSG_674;Local - Tool removed +!HISTORY_MSG_675;Local - TM soft radius +!HISTORY_MSG_676;Local Spot transition-differentiation +!HISTORY_MSG_677;Local - TM amount +!HISTORY_MSG_678;Local - TM saturation +!HISTORY_MSG_679;Local - Retinex mask C +!HISTORY_MSG_680;Local - Retinex mask L +!HISTORY_MSG_681;Local - Retinex mask CL +!HISTORY_MSG_682;Local - Retinex mask +!HISTORY_MSG_683;Local - Retinex mask Blend +!HISTORY_MSG_684;Local - Retinex mask radius +!HISTORY_MSG_685;Local - Retinex mask chroma +!HISTORY_MSG_686;Local - Retinex mask gamma +!HISTORY_MSG_687;Local - Retinex mask slope +!HISTORY_MSG_688;Local - Tool removed +!HISTORY_MSG_689;Local - Retinex mask transmission map +!HISTORY_MSG_690;Local - Retinex scale +!HISTORY_MSG_691;Local - Retinex darkness +!HISTORY_MSG_692;Local - Retinex lightness +!HISTORY_MSG_693;Local - Retinex threshold +!HISTORY_MSG_694;Local - Retinex Laplacian threshold +!HISTORY_MSG_695;Local - Soft method +!HISTORY_MSG_696;Local - Retinex Normalize +!HISTORY_MSG_697;Local - TM Normalize +!HISTORY_MSG_698;Local - Local contrast Fast Fourier +!HISTORY_MSG_699;Local - Retinex Fast Fourier +!HISTORY_MSG_701;Local - Exp Shadows +!HISTORY_MSG_702;Local - Exp Method +!HISTORY_MSG_703;Local - Exp Laplacian threshold +!HISTORY_MSG_704;Local - Exp PDE balance +!HISTORY_MSG_705;Local - Exp linearity +!HISTORY_MSG_706;Local - TM mask C +!HISTORY_MSG_707;Local - TM mask L +!HISTORY_MSG_708;Local - TM mask CL +!HISTORY_MSG_709;Local - use TM mask +!HISTORY_MSG_710;Local - TM mask Blend +!HISTORY_MSG_711;Local - TM mask radius +!HISTORY_MSG_712;Local - TM mask chroma +!HISTORY_MSG_713;Local - TM mask gamma +!HISTORY_MSG_714;Local - TM mask slope +!HISTORY_MSG_716;Local - Local method +!HISTORY_MSG_717;Local - Local contrast +!HISTORY_MSG_718;Local - Local contrast levels +!HISTORY_MSG_719;Local - Local contrast residual L +!HISTORY_MSG_720;Local - Blur mask C +!HISTORY_MSG_721;Local - Blur mask L +!HISTORY_MSG_722;Local - Blur mask CL +!HISTORY_MSG_723;Local - use Blur mask +!HISTORY_MSG_725;Local - Blur mask Blend +!HISTORY_MSG_726;Local - Blur mask radius +!HISTORY_MSG_727;Local - Blur mask chroma +!HISTORY_MSG_728;Local - Blur mask gamma +!HISTORY_MSG_729;Local - Blur mask slope +!HISTORY_MSG_730;Local - Blur method +!HISTORY_MSG_731;Local - median method +!HISTORY_MSG_732;Local - median iterations +!HISTORY_MSG_733;Local - soft radius +!HISTORY_MSG_734;Local - detail +!HISTORY_MSG_738;Local - Local contrast Merge L +!HISTORY_MSG_739;Local - Local contrast Soft radius +!HISTORY_MSG_740;Local - Local contrast Merge C +!HISTORY_MSG_741;Local - Local contrast Residual C +!HISTORY_MSG_742;Local - Exp Laplacian gamma +!HISTORY_MSG_743;Local - Exp Fattal Amount +!HISTORY_MSG_744;Local - Exp Fattal Detail +!HISTORY_MSG_745;Local - Exp Fattal Offset +!HISTORY_MSG_746;Local - Exp Fattal Sigma +!HISTORY_MSG_747;Local Spot created +!HISTORY_MSG_748;Local - Exp Denoise +!HISTORY_MSG_749;Local - Reti Depth +!HISTORY_MSG_750;Local - Reti Mode log - lin +!HISTORY_MSG_751;Local - Reti Dehaze saturation +!HISTORY_MSG_752;Local - Reti Offset +!HISTORY_MSG_753;Local - Reti Transmission map +!HISTORY_MSG_754;Local - Reti Clip +!HISTORY_MSG_755;Local - TM use tm mask +!HISTORY_MSG_756;Local - Exp use algo exposure mask +!HISTORY_MSG_757;Local - Exp Laplacian mask +!HISTORY_MSG_758;Local - Reti Laplacian mask +!HISTORY_MSG_759;Local - Exp Laplacian mask +!HISTORY_MSG_760;Local - Color Laplacian mask +!HISTORY_MSG_761;Local - SH Laplacian mask +!HISTORY_MSG_762;Local - cbdl Laplacian mask +!HISTORY_MSG_763;Local - Blur Laplacian mask +!HISTORY_MSG_764;Local - Solve PDE Laplacian mask +!HISTORY_MSG_765;Local - deNoise Detail threshold +!HISTORY_MSG_766;Local - Blur Fast Fourier +!HISTORY_MSG_767;Local - Grain Iso +!HISTORY_MSG_768;Local - Grain Strength +!HISTORY_MSG_769;Local - Grain Scale +!HISTORY_MSG_770;Local - Color Mask contrast curve +!HISTORY_MSG_771;Local - Exp Mask contrast curve +!HISTORY_MSG_772;Local - SH Mask contrast curve +!HISTORY_MSG_773;Local - TM Mask contrast curve +!HISTORY_MSG_774;Local - Reti Mask contrast curve +!HISTORY_MSG_775;Local - CBDL Mask contrast curve +!HISTORY_MSG_776;Local - Blur Denoise Mask contrast curve +!HISTORY_MSG_777;Local - Blur Mask local contrast curve +!HISTORY_MSG_778;Local - Mask highlights +!HISTORY_MSG_779;Local - Color Mask local contrast curve +!HISTORY_MSG_780;Local - Color Mask shadows +!HISTORY_MSG_781;Local - Contrast Mask Wavelet level +!HISTORY_MSG_782;Local - Blur Denoise Mask Wavelet levels +!HISTORY_MSG_783;Local - Color Wavelet levels +!HISTORY_MSG_784;Local - Mask ΔE +!HISTORY_MSG_785;Local - Mask Scope ΔE +!HISTORY_MSG_786;Local - SH method +!HISTORY_MSG_787;Local - Equalizer multiplier +!HISTORY_MSG_788;Local - Equalizer detail +!HISTORY_MSG_789;Local - SH mask amount +!HISTORY_MSG_790;Local - SH mask anchor +!HISTORY_MSG_791;Local - Mask Short L curves +!HISTORY_MSG_792;Local - Mask Luminance Background +!HISTORY_MSG_793;Local - SH TRC gamma +!HISTORY_MSG_794;Local - SH TRC slope +!HISTORY_MSG_795;Local - Mask save restore image +!HISTORY_MSG_796;Local - Recursive references +!HISTORY_MSG_797;Local - Merge Original method +!HISTORY_MSG_798;Local - Opacity +!HISTORY_MSG_799;Local - Color RGB ToneCurve +!HISTORY_MSG_800;Local - Color ToneCurve Method +!HISTORY_MSG_801;Local - Color ToneCurve Special +!HISTORY_MSG_802;Local - Contrast threshold +!HISTORY_MSG_803;Local - Color Merge +!HISTORY_MSG_804;Local - Color mask Structure +!HISTORY_MSG_805;Local - Blur Noise mask Structure +!HISTORY_MSG_806;Local - Color mask Structure as tool +!HISTORY_MSG_807;Local - Blur Noise mask Structure as tool +!HISTORY_MSG_808;Local - Color mask curve H(H) +!HISTORY_MSG_809;Local - Vib mask curve C(C) +!HISTORY_MSG_810;Local - Vib mask curve L(L) +!HISTORY_MSG_811;Local - Vib mask curve LC(H) +!HISTORY_MSG_813;Local - Use Vib mask +!HISTORY_MSG_814;Local - Vib mask Blend +!HISTORY_MSG_815;Local - Vib mask radius +!HISTORY_MSG_816;Local - Vib mask chroma +!HISTORY_MSG_817;Local - Vib mask gamma +!HISTORY_MSG_818;Local - Vib mask slope +!HISTORY_MSG_819;Local - Vib mask laplacian +!HISTORY_MSG_820;Local - Vib mask contrast curve +!HISTORY_MSG_821;Local - color grid background +!HISTORY_MSG_822;Local - color background merge +!HISTORY_MSG_823;Local - color background luminance +!HISTORY_MSG_824;Local - Exp gradient mask strength +!HISTORY_MSG_825;Local - Exp gradient mask angle +!HISTORY_MSG_826;Local - Exp gradient strength +!HISTORY_MSG_827;Local - Exp gradient angle +!HISTORY_MSG_828;Local - SH gradient strength +!HISTORY_MSG_829;Local - SH gradient angle +!HISTORY_MSG_830;Local - Color gradient strength L +!HISTORY_MSG_831;Local - Color gradient angle +!HISTORY_MSG_832;Local - Color gradient strength C +!HISTORY_MSG_833;Local - Gradient feather +!HISTORY_MSG_834;Local - Color gradient strength H +!HISTORY_MSG_835;Local - Vib gradient strength L +!HISTORY_MSG_836;Local - Vib gradient angle +!HISTORY_MSG_837;Local - Vib gradient strength C +!HISTORY_MSG_838;Local - Vib gradient strength H +!HISTORY_MSG_839;Local - Software complexity +!HISTORY_MSG_840;Local - CL Curve +!HISTORY_MSG_841;Local - LC curve +!HISTORY_MSG_842;Local - Blur mask Radius +!HISTORY_MSG_843;Local - Blur mask Contrast Threshold +!HISTORY_MSG_844;Local - Blur mask FFTW +!HISTORY_MSG_845;Local - Log encoding +!HISTORY_MSG_846;Local - Log encoding auto +!HISTORY_MSG_847;Local - Log encoding Source +!HISTORY_MSG_849;Local - Log encoding Source auto +!HISTORY_MSG_850;Local - Log encoding B_Ev +!HISTORY_MSG_851;Local - Log encoding W_Ev +!HISTORY_MSG_852;Local - Log encoding Target +!HISTORY_MSG_853;Local - Log encodind loc contrast +!HISTORY_MSG_854;Local - Log encodind Scope +!HISTORY_MSG_855;Local - Log encoding Whole image +!HISTORY_MSG_856;Local - Log encoding Shadows range +!HISTORY_MSG_857;Local - Wavelet blur residual +!HISTORY_MSG_858;Local - Wavelet blur luminance only +!HISTORY_MSG_859;Local - Wavelet max blur +!HISTORY_MSG_860;Local - Wavelet blur levels +!HISTORY_MSG_861;Local - Wavelet contrast levels +!HISTORY_MSG_862;Local - Wavelet contrast attenuation +!HISTORY_MSG_863;Local - Wavelet merge original image +!HISTORY_MSG_864;Local - Wavelet dir contrast attenuation +!HISTORY_MSG_865;Local - Wavelet dir contrast delta +!HISTORY_MSG_866;Local - Wavelet dir compression +!HISTORY_MSG_868;Local - Balance ΔE C-H +!HISTORY_MSG_869;Local - Denoise by level +!HISTORY_MSG_870;Local - Wavelet mask curve H +!HISTORY_MSG_871;Local - Wavelet mask curve C +!HISTORY_MSG_872;Local - Wavelet mask curve L +!HISTORY_MSG_873;Local - Wavelet mask +!HISTORY_MSG_875;Local - Wavelet mask blend +!HISTORY_MSG_876;Local - Wavelet mask smooth +!HISTORY_MSG_877;Local - Wavelet mask chroma +!HISTORY_MSG_878;Local - Wavelet mask contrast curve +!HISTORY_MSG_879;Local - Wavelet contrast chroma +!HISTORY_MSG_880;Local - Wavelet blur chroma +!HISTORY_MSG_881;Local - Wavelet contrast offset +!HISTORY_MSG_882;Local - Wavelet blur +!HISTORY_MSG_883;Local - Wavelet contrast by level +!HISTORY_MSG_884;Local - Wavelet dir contrast +!HISTORY_MSG_885;Local - Wavelet tone mapping +!HISTORY_MSG_886;Local - Wavelet tone mapping compress +!HISTORY_MSG_887;Local - Wavelet tone mapping compress residual +!HISTORY_MSG_888;Local - Contrast Wavelet Balance Threshold +!HISTORY_MSG_889;Local - Contrast Wavelet Graduated Strength +!HISTORY_MSG_890;Local - Contrast Wavelet Graduated angle +!HISTORY_MSG_891;Local - Contrast Wavelet Graduated +!HISTORY_MSG_892;Local - Log Encoding Graduated Strength +!HISTORY_MSG_893;Local - Log Encoding Graduated angle +!HISTORY_MSG_894;Local - Color Preview dE +!HISTORY_MSG_897;Local - Contrast Wavelet ES strength +!HISTORY_MSG_898;Local - Contrast Wavelet ES radius +!HISTORY_MSG_899;Local - Contrast Wavelet ES detail +!HISTORY_MSG_900;Local - Contrast Wavelet ES gradient +!HISTORY_MSG_901;Local - Contrast Wavelet ES threshold low +!HISTORY_MSG_902;Local - Contrast Wavelet ES threshold high +!HISTORY_MSG_903;Local - Contrast Wavelet ES local contrast +!HISTORY_MSG_904;Local - Contrast Wavelet ES first level +!HISTORY_MSG_905;Local - Contrast Wavelet Edge Sharpness +!HISTORY_MSG_906;Local - Contrast Wavelet ES sensitivity +!HISTORY_MSG_907;Local - Contrast Wavelet ES amplification +!HISTORY_MSG_908;Local - Contrast Wavelet ES neighboring +!HISTORY_MSG_909;Local - Contrast Wavelet ES show +!HISTORY_MSG_910;Local - Wavelet Edge performance +!HISTORY_MSG_911;Local - Blur Chroma Luma +!HISTORY_MSG_912;Local - Blur Guide filter strength +!HISTORY_MSG_913;Local - Contrast Wavelet Sigma DR +!HISTORY_MSG_914;Local - Blur Wavelet Sigma BL +!HISTORY_MSG_915;Local - Edge Wavelet Sigma ED +!HISTORY_MSG_916;Local - Residual wavelet shadows +!HISTORY_MSG_917;Local - Residual wavelet shadows threshold +!HISTORY_MSG_918;Local - Residual wavelet highlights +!HISTORY_MSG_919;Local - Residual wavelet highlights threshold +!HISTORY_MSG_920;Local - Wavelet sigma LC +!HISTORY_MSG_921;Local - Wavelet Graduated sigma LC2 +!HISTORY_MSG_922;Local - changes In Black and White +!HISTORY_MSG_923;Local - Tool complexity mode +!HISTORY_MSG_924;--unused-- +!HISTORY_MSG_925;Local - Scope color tools +!HISTORY_MSG_926;Local - Show mask type +!HISTORY_MSG_927;Local - Shadow +!HISTORY_MSG_928;Local - Common color mask +!HISTORY_MSG_929;Local - Mask common scope +!HISTORY_MSG_930;Local - Mask Common blend luma +!HISTORY_MSG_931;Local - Mask Common enable +!HISTORY_MSG_932;Local - Mask Common radius soft +!HISTORY_MSG_933;Local - Mask Common laplacian +!HISTORY_MSG_934;Local - Mask Common chroma +!HISTORY_MSG_935;Local - Mask Common gamma +!HISTORY_MSG_936;Local - Mask Common slope +!HISTORY_MSG_937;Local - Mask Common curve C(C) +!HISTORY_MSG_938;Local - Mask Common curve L(L) +!HISTORY_MSG_939;Local - Mask Common curve LC(H) +!HISTORY_MSG_940;Local - Mask Common structure as tool +!HISTORY_MSG_941;Local - Mask Common structure strength +!HISTORY_MSG_942;Local - Mask Common H(H) curve +!HISTORY_MSG_943;Local - Mask Common FFT +!HISTORY_MSG_944;Local - Mask Common Blur radius +!HISTORY_MSG_945;Local - Mask Common contrast threshold +!HISTORY_MSG_946;Local - Mask Common shadows +!HISTORY_MSG_947;Local - Mask Common Contrast curve +!HISTORY_MSG_948;Local - Mask Common Wavelet curve +!HISTORY_MSG_949;Local - Mask Common Threshold levels +!HISTORY_MSG_950;Local - Mask Common GF strength +!HISTORY_MSG_951;Local - Mask Common GF angle +!HISTORY_MSG_952;Local - Mask Common soft radius +!HISTORY_MSG_953;Local - Mask Common blend chroma +!HISTORY_MSG_954;Local - Show-hide tools +!HISTORY_MSG_955;Local - Enable Spot +!HISTORY_MSG_956;Local - CH Curve +!HISTORY_MSG_957;Local - Denoise mode +!HISTORY_MSG_958;Local - Show/hide settings +!HISTORY_MSG_959;Local - Inverse blur +!HISTORY_MSG_960;Local - Log encoding - cat16 +!HISTORY_MSG_961;Local - Log encoding Ciecam +!HISTORY_MSG_962;Local - Log encoding Absolute luminance source +!HISTORY_MSG_963;Local - Log encoding Absolute luminance target +!HISTORY_MSG_964;Local - Log encoding Surround +!HISTORY_MSG_965;Local - Log encoding Saturation s +!HISTORY_MSG_966;Local - Log encoding Contrast J +!HISTORY_MSG_967;Local - Log encoding Mask curve C +!HISTORY_MSG_968;Local - Log encoding Mask curve L +!HISTORY_MSG_969;Local - Log encoding Mask curve H +!HISTORY_MSG_970;Local - Log encoding Mask enable +!HISTORY_MSG_971;Local - Log encoding Mask blend +!HISTORY_MSG_972;Local - Log encoding Mask radius +!HISTORY_MSG_973;Local - Log encoding Mask chroma +!HISTORY_MSG_974;Local - Log encoding Mask contrast +!HISTORY_MSG_975;Local - Log encoding Lightness J +!HISTORY_MSG_977;Local - Log encoding Contrast Q +!HISTORY_MSG_978;Local - Log encoding Sursource +!HISTORY_MSG_979;Local - Log encoding Brightness Q +!HISTORY_MSG_980;Local - Log encoding Colorfulness M +!HISTORY_MSG_981;Local - Log encoding Strength +!HISTORY_MSG_982;Local - Equalizer hue +!HISTORY_MSG_983;Local - denoise threshold mask high +!HISTORY_MSG_984;Local - denoise threshold mask low +!HISTORY_MSG_985;Local - denoise Laplacian +!HISTORY_MSG_986;Local - denoise reinforce +!HISTORY_MSG_987;Local - GF recovery threshold +!HISTORY_MSG_988;Local - GF threshold mask low +!HISTORY_MSG_989;Local - GF threshold mask high +!HISTORY_MSG_990;Local - Denoise recovery threshold +!HISTORY_MSG_991;Local - Denoise threshold mask low +!HISTORY_MSG_992;Local - Denoise threshold mask high +!HISTORY_MSG_993;Local - Denoise Inverse algo +!HISTORY_MSG_994;Local - GF Inverse algo +!HISTORY_MSG_995;Local - Denoise decay +!HISTORY_MSG_996;Local - Color recovery threshold +!HISTORY_MSG_997;Local - Color threshold mask low +!HISTORY_MSG_998;Local - Color threshold mask high +!HISTORY_MSG_999;Local - Color decay +!HISTORY_MSG_1000;Local - Denoise luminance gray +!HISTORY_MSG_1001;Local - Log recovery threshold +!HISTORY_MSG_1002;Local - Log threshold mask low +!HISTORY_MSG_1003;Local - Log threshold mask high +!HISTORY_MSG_1004;Local - Log decay +!HISTORY_MSG_1005;Local - Exp recovery threshold +!HISTORY_MSG_1006;Local - Exp threshold mask low +!HISTORY_MSG_1007;Local - Exp threshold mask high +!HISTORY_MSG_1008;Local - Exp decay +!HISTORY_MSG_1009;Local - SH recovery threshold +!HISTORY_MSG_1010;Local - SH threshold mask low +!HISTORY_MSG_1011;Local - SH threshold mask high +!HISTORY_MSG_1012;Local - SH decay +!HISTORY_MSG_1013;Local - vib recovery threshold +!HISTORY_MSG_1014;Local - vib threshold mask low +!HISTORY_MSG_1015;Local - vib threshold mask high +!HISTORY_MSG_1016;Local - vib decay +!HISTORY_MSG_1017;Local - lc recovery threshold +!HISTORY_MSG_1018;Local - lc threshold mask low +!HISTORY_MSG_1019;Local - lc threshold mask high +!HISTORY_MSG_1020;Local - lc decay +!HISTORY_MSG_1021;Local - Denoise chrominance gray +!HISTORY_MSG_1022;Local - TM recovery threshold +!HISTORY_MSG_1023;Local - TM threshold mask low +!HISTORY_MSG_1024;Local - TM threshold mask high +!HISTORY_MSG_1025;Local - TM decay +!HISTORY_MSG_1026;Local - cbdl recovery threshold +!HISTORY_MSG_1027;Local - cbdl threshold mask low +!HISTORY_MSG_1028;Local - cbdl threshold mask high +!HISTORY_MSG_1029;Local - cbdl decay +!HISTORY_MSG_1030;Local - reti recovery threshold +!HISTORY_MSG_1031;Local - reti threshold mask low +!HISTORY_MSG_1032;Local - reti threshold mask high +!HISTORY_MSG_1033;Local - reti decay +!HISTORY_MSG_1034;Local - Nlmeans - strength +!HISTORY_MSG_1035;Local - Nlmeans - detail +!HISTORY_MSG_1036;Local - Nlmeans - patch +!HISTORY_MSG_1037;Local - Nlmeans - radius +!HISTORY_MSG_1038;Local - Nlmeans - gamma +!HISTORY_MSG_1039;Local - Grain - gamma +!HISTORY_MSG_1040;Local - Spot - soft radius +!HISTORY_MSG_1041;Local - Spot - Munsell +!HISTORY_MSG_1042;Local - Log encoding - threshold +!HISTORY_MSG_1043;Local - Exp - normalize +!HISTORY_MSG_1044;Local - Local contrast strength +!HISTORY_MSG_1045;Local - Color and Light strength +!HISTORY_MSG_1046;Local - Denoise strength +!HISTORY_MSG_1047;Local - SH and Tone Equalizer strength +!HISTORY_MSG_1048;Local - DR and Exposure strength +!HISTORY_MSG_1049;Local - TM strength +!HISTORY_MSG_1050;Local - Log encoding chroma +!HISTORY_MSG_1051;Local - Residual wavelet gamma +!HISTORY_MSG_1052;Local - Residual wavelet slope +!HISTORY_MSG_1053;Local - Denoise gamma +!HISTORY_MSG_1054;Local - Wavelet gamma +!HISTORY_MSG_1055;Local - Color and Light gamma +!HISTORY_MSG_1056;Local - DR and Exposure gamma +!HISTORY_MSG_1057;Local - CIECAM Enabled +!HISTORY_MSG_1058;Local - CIECAM Overall strength +!HISTORY_MSG_1059;Local - CIECAM Autogray +!HISTORY_MSG_1060;Local - CIECAM Mean luminance source +!HISTORY_MSG_1061;Local - CIECAM Source absolute +!HISTORY_MSG_1062;Local - CIECAM Surround Source +!HISTORY_MSG_1063;Local - CIECAM Saturation +!HISTORY_MSG_1064;Local - CIECAM Chroma +!HISTORY_MSG_1065;Local - CIECAM lightness J +!HISTORY_MSG_1066;Local - CIECAM brightness +!HISTORY_MSG_1067;Local - CIECAM Contrast J +!HISTORY_MSG_1068;Local - CIECAM threshold +!HISTORY_MSG_1069;Local - CIECAM contrast Q +!HISTORY_MSG_1070;Local - CIECAM colorfullness +!HISTORY_MSG_1071;Local - CIECAM Absolute luminance +!HISTORY_MSG_1072;Local - CIECAM Mean luminance +!HISTORY_MSG_1073;Local - CIECAM Cat16 +!HISTORY_MSG_1074;Local - CIECAM Local contrast +!HISTORY_MSG_1075;Local - CIECAM Surround viewing +!HISTORY_MSG_1076;Local - CIECAM Scope +!HISTORY_MSG_1077;Local - CIECAM Mode +!HISTORY_MSG_1078;Local - Red and skin protection +!HISTORY_MSG_1079;Local - CIECAM Sigmoid strength J +!HISTORY_MSG_1080;Local - CIECAM Sigmoid threshold +!HISTORY_MSG_1081;Local - CIECAM Sigmoid blend +!HISTORY_MSG_1082;Local - CIECAM Sigmoid Q BlackEv WhiteEv +!HISTORY_MSG_1083;Local - CIECAM Hue +!HISTORY_MSG_1084;Local - Uses Black Ev - White Ev +!HISTORY_MSG_1085;Local - Jz lightness +!HISTORY_MSG_1086;Local - Jz contrast +!HISTORY_MSG_1087;Local - Jz chroma +!HISTORY_MSG_1088;Local - Jz hue +!HISTORY_MSG_1089;Local - Jz Sigmoid strength +!HISTORY_MSG_1090;Local - Jz Sigmoid threshold +!HISTORY_MSG_1091;Local - Jz Sigmoid blend +!HISTORY_MSG_1092;Local - Jz adaptation +!HISTORY_MSG_1093;Local - CAM model +!HISTORY_MSG_1094;Local - Jz highligths +!HISTORY_MSG_1095;Local - Jz highligths thr +!HISTORY_MSG_1096;Local - Jz shadows +!HISTORY_MSG_1097;Local - Jz shadows thr +!HISTORY_MSG_1098;Local - Jz radius SH +!HISTORY_MSG_1099;Local - Cz(Hz) Curve +!HISTORY_MSG_1100;Local - Jz reference 100 +!HISTORY_MSG_1101;Local - Jz PQ remap +!HISTORY_MSG_1102;Local - Jz(Hz) Curve +!HISTORY_MSG_1103;Local - Vibrance gamma +!HISTORY_MSG_1104;Local - Sharp gamma +!HISTORY_MSG_1105;Local - CIECAM Tone method +!HISTORY_MSG_1106;Local - CIECAM Tone curve +!HISTORY_MSG_1107;Local - CIECAM Color method +!HISTORY_MSG_1108;Local - CIECAM Color curve +!HISTORY_MSG_1109;Local - Jz(Jz) curve +!HISTORY_MSG_1110;Local - Cz(Cz) curve +!HISTORY_MSG_1111;Local - Cz(Jz) curve +!HISTORY_MSG_1112;Local - forcejz +!HISTORY_MSG_1113;Local - HDR PQ +!HISTORY_MSG_1114;Local - Cie mask enable +!HISTORY_MSG_1115;Local - Cie mask curve C +!HISTORY_MSG_1116;Local - Cie mask curve L +!HISTORY_MSG_1117;Local - Cie mask curve H +!HISTORY_MSG_1118;Local - Cie mask blend +!HISTORY_MSG_1119;Local - Cie mask radius +!HISTORY_MSG_1120;Local - Cie mask chroma +!HISTORY_MSG_1121;Local - Cie mask contrast curve +!HISTORY_MSG_1122;Local - Cie mask recovery threshold +!HISTORY_MSG_1123;Local - Cie mask recovery dark +!HISTORY_MSG_1124;Local - Cie mask recovery light +!HISTORY_MSG_1125;Local - Cie mask recovery decay +!HISTORY_MSG_1126;Local - Cie mask laplacian +!HISTORY_MSG_1127;Local - Cie mask gamma +!HISTORY_MSG_1128;Local - Cie mask slope +!HISTORY_MSG_1129;Local - Cie Relative luminance +!HISTORY_MSG_1130;Local - Cie Saturation Jz +!HISTORY_MSG_1131;Local - Mask denoise chroma +!HISTORY_MSG_1132;Local - Cie Wav sigma Jz +!HISTORY_MSG_1133;Local - Cie Wav level Jz +!HISTORY_MSG_1134;Local - Cie Wav local contrast Jz +!HISTORY_MSG_1135;Local - Cie Wav clarity Jz +!HISTORY_MSG_1136;Local - Cie Wav clarity Cz +!HISTORY_MSG_1137;Local - Cie Wav clarity Soft +!HISTORY_MSG_1138;Local - Local - Hz(Hz) Curve +!HISTORY_MSG_1139;Local - Jz soft Curves H +!HISTORY_MSG_1140;Local - Jz Threshold chroma +!HISTORY_MSG_1141;Local - chroma curve Jz(Hz) +!HISTORY_MSG_1142;Local - strength soft +!HISTORY_MSG_1143;Local - Jz blackev +!HISTORY_MSG_1144;Local - Jz whiteev +!HISTORY_MSG_1145;Local - Jz Log encoding +!HISTORY_MSG_1146;Local - Jz Log encoding target gray +!HISTORY_MSG_1147;Local - Jz BlackEv WhiteEv +!HISTORY_MSG_1148;Local - Jz Sigmoid +!HISTORY_MSG_1149;Local - Q Sigmoid +!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q +!HISTORY_MSG_BLSHAPE;Blur by level +!HISTORY_MSG_BLURCWAV;Blur chroma +!HISTORY_MSG_BLURWAV;Blur luminance +!HISTORY_MSG_BLUWAV;Attenuation response +!HISTORY_MSG_CATCAT;CAL - Settings - Mode +!HISTORY_MSG_CATCOMPLEX;CAL - Settings - Complexity +!HISTORY_MSG_CATMODEL;CAL - Settings - CAM !HISTORY_MSG_CLAMPOOG;Clip out-of-gamut colors !HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - Color correction !HISTORY_MSG_COLORTONING_LABREGION_AB;CT - Color correction @@ -1857,22 +2532,42 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturation !HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - region show mask !HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - region slope +!HISTORY_MSG_COMPLEX;Wavelet complexity +!HISTORY_MSG_COMPLEXRETI;Retinex complexity !HISTORY_MSG_DEHAZE_DEPTH;Dehaze - Depth !HISTORY_MSG_DEHAZE_ENABLED;Haze Removal -!HISTORY_MSG_DEHAZE_LUMINANCE;Dehaze - Luminance only +!HISTORY_MSG_DEHAZE_SATURATION;Dehaze - Saturation !HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Dehaze - Show depth map !HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength !HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold !HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold +!HISTORY_MSG_EDGEFFECT;Edge Attenuation response +!HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output +!HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space !HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative +!HISTORY_MSG_FILMNEGATIVE_REF_SPOT;FN - Reference input !HISTORY_MSG_FILMNEGATIVE_VALUES;Film negative values !HISTORY_MSG_HISTMATCHING;Auto-matched tone curve +!HISTORY_MSG_HLBL;Color propagation - blur +!HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy +!HISTORY_MSG_ICM_AINTENT;Abstract profile intent +!HISTORY_MSG_ICM_BLUX;Primaries Blue X +!HISTORY_MSG_ICM_BLUY;Primaries Blue Y +!HISTORY_MSG_ICM_FBW;Black and White +!HISTORY_MSG_ICM_GREX;Primaries Green X +!HISTORY_MSG_ICM_GREY;Primaries Green Y !HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Output - Primaries !HISTORY_MSG_ICM_OUTPUT_TEMP;Output - ICC-v4 illuminant D !HISTORY_MSG_ICM_OUTPUT_TYPE;Output - Type -!HISTORY_MSG_ICM_WORKING_GAMMA;Working - Gamma -!HISTORY_MSG_ICM_WORKING_SLOPE;Working - Slope -!HISTORY_MSG_ICM_WORKING_TRC_METHOD;Working - TRC method +!HISTORY_MSG_ICM_PRESER;Preserve neutral +!HISTORY_MSG_ICM_REDX;Primaries Red X +!HISTORY_MSG_ICM_REDY;Primaries Red Y +!HISTORY_MSG_ICM_WORKING_GAMMA;TRC - Gamma +!HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Illuminant method +!HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Primaries method +!HISTORY_MSG_ICM_WORKING_SLOPE;TRC - Slope +!HISTORY_MSG_ICM_WORKING_TRC_METHOD;TRC method +!HISTORY_MSG_ILLUM;CAL - SC - Illuminant !HISTORY_MSG_LOCALCONTRAST_AMOUNT;Local Contrast - Amount !HISTORY_MSG_LOCALCONTRAST_DARKNESS;Local Contrast - Darkness !HISTORY_MSG_LOCALCONTRAST_ENABLED;Local Contrast @@ -1887,23 +2582,83 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iterations !HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radius !HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Corner radius boost +!HISTORY_MSG_PERSP_CAM_ANGLE;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_FL;Perspective - Camera +!HISTORY_MSG_PERSP_CAM_SHIFT;Perspective - Camera +!HISTORY_MSG_PERSP_CTRL_LINE;Perspective - Control lines +!HISTORY_MSG_PERSP_METHOD;Perspective - Method +!HISTORY_MSG_PERSP_PROJ_ANGLE;Perspective - Recovery +!HISTORY_MSG_PERSP_PROJ_ROTATE;Perspective - PCA rotation +!HISTORY_MSG_PERSP_PROJ_SHIFT;Perspective - PCA +!HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - Average !HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - Demosaic method for motion !HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;Line noise filter direction !HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!HISTORY_MSG_PREPROCWB_MODE;Preprocess WB Mode +!HISTORY_MSG_PROTAB;Protection !HISTORY_MSG_PRSHARPEN_CONTRAST;PRS - Contrast threshold +!HISTORY_MSG_RANGEAB;Range ab !HISTORY_MSG_RAWCACORR_AUTOIT;Raw CA Correction - Iterations !HISTORY_MSG_RAWCACORR_COLORSHIFT;Raw CA Correction - Avoid color shift !HISTORY_MSG_RAW_BORDER;Raw border !HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Allow upscaling +!HISTORY_MSG_RESIZE_LONGEDGE;Resize - Long Edge +!HISTORY_MSG_RESIZE_SHORTEDGE;Resize - Short Edge !HISTORY_MSG_SHARPENING_BLUR;Sharpening - Blur radius !HISTORY_MSG_SHARPENING_CONTRAST;Sharpening - Contrast threshold !HISTORY_MSG_SH_COLORSPACE;S/H - Colorspace +!HISTORY_MSG_SIGMACOL;Chroma Attenuation response +!HISTORY_MSG_SIGMADIR;Dir Attenuation response +!HISTORY_MSG_SIGMAFIN;Final contrast Attenuation response +!HISTORY_MSG_SIGMATON;Toning Attenuation response !HISTORY_MSG_SOFTLIGHT_ENABLED;Soft light !HISTORY_MSG_SOFTLIGHT_STRENGTH;Soft light - Strength +!HISTORY_MSG_SPOT;Spot removal +!HISTORY_MSG_SPOT_ENTRY;Spot removal - Point modif. +!HISTORY_MSG_TEMPOUT;CAM02 automatic temperature +!HISTORY_MSG_THRESWAV;Balance threshold !HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - Anchor !HISTORY_MSG_TRANS_METHOD;Geometry - Method +!HISTORY_MSG_WAVBALCHROM;Equalizer chrominance +!HISTORY_MSG_WAVBALLUM;Equalizer luminance +!HISTORY_MSG_WAVBL;Blur levels +!HISTORY_MSG_WAVCHR;Blur levels - blur chroma +!HISTORY_MSG_WAVCHROMCO;Chroma coarse +!HISTORY_MSG_WAVCHROMFI;Chroma fine +!HISTORY_MSG_WAVCLARI;Clarity +!HISTORY_MSG_WAVDENLH;Level 5 +!HISTORY_MSG_WAVDENOISE;Local contrast +!HISTORY_MSG_WAVDENOISEH;High levels Local contrast +!HISTORY_MSG_WAVDETEND;Details soft +!HISTORY_MSG_WAVEDGS;Edge stopping +!HISTORY_MSG_WAVGUIDH;Local contrast-Hue equalizer +!HISTORY_MSG_WAVHUE;Equalizer hue +!HISTORY_MSG_WAVLABGRID_VALUE;Toning - exclude colors +!HISTORY_MSG_WAVLEVDEN;High level local contrast +!HISTORY_MSG_WAVLEVELSIGM;Denoise - radius +!HISTORY_MSG_WAVLEVSIGM;Radius +!HISTORY_MSG_WAVLIMDEN;Interaction 56 14 +!HISTORY_MSG_WAVLOWTHR;Threshold low contrast +!HISTORY_MSG_WAVMERGEC;Merge C +!HISTORY_MSG_WAVMERGEL;Merge L +!HISTORY_MSG_WAVMIXMET;Reference local contrast +!HISTORY_MSG_WAVOFFSET;Offset +!HISTORY_MSG_WAVOLDSH;Old algorithm +!HISTORY_MSG_WAVQUAMET;Denoise mode +!HISTORY_MSG_WAVRADIUS;Radius shadows-highlights +!HISTORY_MSG_WAVSCALE;Scale +!HISTORY_MSG_WAVSHOWMASK;Show wavelet mask +!HISTORY_MSG_WAVSIGM;Sigma +!HISTORY_MSG_WAVSIGMA;Attenuation response +!HISTORY_MSG_WAVSLIMET;Method +!HISTORY_MSG_WAVSOFTRAD;Soft radius clarity +!HISTORY_MSG_WAVSOFTRADEND;Soft radius final +!HISTORY_MSG_WAVSTREND;Strength soft +!HISTORY_MSG_WAVTHRDEN;Threshold local contrast +!HISTORY_MSG_WAVTHREND;Threshold local contrast +!HISTORY_MSG_WAVUSHAMET;Clarity method !ICCPROFCREATOR_COPYRIGHT;Copyright: -!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to "RawTherapee, CC0" +!ICCPROFCREATOR_COPYRIGHT_RESET_TOOLTIP;Reset to the default copyright, granted to 'RawTherapee, CC0'. !ICCPROFCREATOR_CUSTOM;Custom !ICCPROFCREATOR_DESCRIPTION;Description: !ICCPROFCREATOR_DESCRIPTION_ADDPARAM;Append gamma and slope values to the description @@ -1915,11 +2670,12 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !ICCPROFCREATOR_ILL_50;D50 !ICCPROFCREATOR_ILL_55;D55 !ICCPROFCREATOR_ILL_60;D60 +!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater !ICCPROFCREATOR_ILL_65;D65 !ICCPROFCREATOR_ILL_80;D80 !ICCPROFCREATOR_ILL_DEF;Default !ICCPROFCREATOR_ILL_INC;StdA 2856K -!ICCPROFCREATOR_ILL_TOOLTIP;You can only set the illuminant for ICC v4 profiles. +!ICCPROFCREATOR_ILL_TOOLTIP;You can set the illuminant for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIMARIES;Primaries: !ICCPROFCREATOR_PRIM_ACESP0;ACES AP0 !ICCPROFCREATOR_PRIM_ACESP1;ACES AP1 @@ -1929,6 +2685,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !ICCPROFCREATOR_PRIM_BLUX;Blue X !ICCPROFCREATOR_PRIM_BLUY;Blue Y !ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 !ICCPROFCREATOR_PRIM_GREX;Green X !ICCPROFCREATOR_PRIM_GREY;Green Y !ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1936,13 +2693,14 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !ICCPROFCREATOR_PRIM_REDX;Red X !ICCPROFCREATOR_PRIM_REDY;Red Y !ICCPROFCREATOR_PRIM_SRGB;sRGB -!ICCPROFCREATOR_PRIM_TOOLTIP;You can only set custom primaries for ICC v4 profiles. +!ICCPROFCREATOR_PRIM_TOOLTIP;You can set custom primaries for ICC v4 profiles and also for ICC v2 profiles. !ICCPROFCREATOR_PRIM_WIDEG;Widegamut !ICCPROFCREATOR_PROF_V2;ICC v2 !ICCPROFCREATOR_PROF_V4;ICC v4 !ICCPROFCREATOR_SAVEDIALOG_TITLE;Save ICC profile as... !ICCPROFCREATOR_SLOPE;Slope -!ICCPROFCREATOR_TRC_PRESET;Tone response curve: +!ICCPROFCREATOR_TRC_PRESET;Tone response curve +!INSPECTOR_WINDOW_TITLE;Inspector !IPTCPANEL_CATEGORYHINT;Identifies the subject of the image in the opinion of the provider. !IPTCPANEL_CITYHINT;Enter the name of the city pictured in this image. !IPTCPANEL_COPYRIGHT;Copyright notice @@ -1954,7 +2712,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !IPTCPANEL_CREATORJOBTITLEHINT;Enter the Job Title of the person listed in the Creator field. !IPTCPANEL_DATECREATEDHINT;Enter the Date the image was taken. !IPTCPANEL_DESCRIPTION;Description -!IPTCPANEL_DESCRIPTIONHINT;Enter a "caption" describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. +!IPTCPANEL_DESCRIPTIONHINT;Enter a 'caption' describing the who, what, and why of what is happening in this image, this might include names of people, and/or their role in the action that is taking place within the image. !IPTCPANEL_DESCRIPTIONWRITER;Description writer !IPTCPANEL_DESCRIPTIONWRITERHINT;Enter the name of the person involved in writing, editing or correcting the description of the image. !IPTCPANEL_HEADLINEHINT;Enter a brief publishable synopsis or summary of the contents of the image. @@ -1975,25 +2733,31 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !MAIN_TAB_ADVANCED_TOOLTIP;Shortcut: Alt-a !MAIN_TAB_FAVORITES;Favorites !MAIN_TAB_FAVORITES_TOOLTIP;Shortcut: Alt-u +!MAIN_TAB_LOCALLAB;Local +!MAIN_TAB_LOCALLAB_TOOLTIP;Shortcut: Alt-o !MAIN_TOOLTIP_BACKCOLOR3;Background color of the preview: middle grey\nShortcut: 9 !MAIN_TOOLTIP_PREVIEWSHARPMASK;Preview the sharpening contrast mask.\nShortcut: p\n\nOnly works when sharpening is enabled and zoom >= 100%. -!OPTIONS_BUNDLED_MISSING;The bundled profile "%1" could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. -!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. -!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n"%1" will be used instead. +!OPTIONS_BUNDLED_MISSING;The bundled profile '%1' could not be found!\n\nYour installation could be damaged.\n\nDefault internal values will be used instead. +!OPTIONS_DEFIMG_MISSING;The default profile for non-raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. +!OPTIONS_DEFRAW_MISSING;The default profile for raw photos could not be found or is not set.\n\nPlease check your profiles' directory, it may be missing or damaged.\n\n'%1' will be used instead. !PARTIALPASTE_ADVANCEDGROUP;Advanced Settings !PARTIALPASTE_COLORTONING;Color toning !PARTIALPASTE_DEHAZE;Haze removal -!PARTIALPASTE_FILMNEGATIVE;Film Negative +!PARTIALPASTE_FILMNEGATIVE;Film negative !PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control !PARTIALPASTE_LOCALCONTRAST;Local contrast +!PARTIALPASTE_LOCALLAB;Local Adjustments +!PARTIALPASTE_LOCALLABGROUP;Local Adjustments Settings !PARTIALPASTE_METADATA;Metadata mode !PARTIALPASTE_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!PARTIALPASTE_PREPROCWB;Preprocess White Balance !PARTIALPASTE_RAWCACORR_AVOIDCOLORSHIFT;CA avoid color shift !PARTIALPASTE_RAWCACORR_CAREDBLUE;CA red & blue !PARTIALPASTE_RAW_BORDER;Raw border !PARTIALPASTE_RAW_IMAGENUM;Sub-image !PARTIALPASTE_RAW_PIXELSHIFT;Pixel Shift !PARTIALPASTE_SOFTLIGHT;Soft light +!PARTIALPASTE_SPOT;Spot removal !PARTIALPASTE_TM_FATTAL;Dynamic range compression !PREFERENCES_APPEARANCE;Appearance !PREFERENCES_APPEARANCE_COLORPICKERFONT;Color picker font @@ -2013,7 +2777,13 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !PREFERENCES_CHUNKSIZE_RAW_RCD;RCD demosaic !PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans demosaic !PREFERENCES_CHUNKSIZE_RGB;RGB processing +!PREFERENCES_CIE;Ciecam +!PREFERENCES_CIEARTIF;Avoid artifacts !PREFERENCES_CMMBPC;Black point compensation +!PREFERENCES_COMPLEXITYLOC;Default complexity for Local Adjustments +!PREFERENCES_COMPLEXITY_EXP;Advanced +!PREFERENCES_COMPLEXITY_NORM;Standard +!PREFERENCES_COMPLEXITY_SIMP;Basic !PREFERENCES_CROP;Crop Editing !PREFERENCES_CROP_AUTO_FIT;Automatically zoom to fit the crop !PREFERENCES_CROP_GUIDES;Guides shown when not editing the crop @@ -2022,7 +2792,14 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !PREFERENCES_CROP_GUIDES_NONE;None !PREFERENCES_DIRECTORIES;Directories !PREFERENCES_EDITORCMDLINE;Custom command line +!PREFERENCES_EXTEDITOR_BYPASS_OUTPUT_PROFILE;Bypass output profile +!PREFERENCES_EXTEDITOR_DIR;Output directory +!PREFERENCES_EXTEDITOR_DIR_CURRENT;Same as input image +!PREFERENCES_EXTEDITOR_DIR_CUSTOM;Custom +!PREFERENCES_EXTEDITOR_DIR_TEMP;OS temp dir +!PREFERENCES_EXTEDITOR_FLOAT32;32-bit float TIFF output !PREFERENCES_FILEBROWSERTOOLBARSINGLEROW;Compact toolbars in File Browser +!PREFERENCES_INSPECTORWINDOW;Open inspector in own window or fullscreen !PREFERENCES_INSPECT_MAXBUFFERS_TOOLTIP;Set the maximum number of images stored in cache when hovering over them in the File Browser; systems with little RAM (2GB) should keep this value set to 1 or 2. !PREFERENCES_LANG;Language !PREFERENCES_MONINTENT;Default rendering intent @@ -2040,12 +2817,14 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !PREFERENCES_PRTPROFILE;Color profile !PREFERENCES_SAVE_TP_OPEN_NOW;Save tool collapsed/expanded state now !PREFERENCES_SERIALIZE_TIFF_READ;TIFF Read Settings +!PREFERENCES_SHOWTOOLTIP;Show Local Adjustments advice tooltips !PREFERENCES_TAB_DYNAMICPROFILE;Dynamic Profile Rules !PREFERENCES_TAB_PERFORMANCE;Performance !PREFERENCES_THUMBNAIL_INSPECTOR_JPEG;Embedded JPEG preview !PREFERENCES_THUMBNAIL_INSPECTOR_MODE;Image to show !PREFERENCES_THUMBNAIL_INSPECTOR_RAW;Neutral raw rendering !PREFERENCES_THUMBNAIL_INSPECTOR_RAW_IF_NO_JPEG_FULLSIZE;Embedded JPEG if fullsize, neutral raw otherwise +!PREFERENCES_ZOOMONSCROLL;Zoom images by scrolling !PROFILEPANEL_PDYNAMIC;Dynamic !PROGRESSBAR_DECODING;Decoding... !PROGRESSBAR_GREENEQUIL;Green equilibration... @@ -2069,17 +2848,56 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !SAVEDLG_FILEFORMAT_FLOAT; floating-point !SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. !SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +!TC_PRIM_BLUX;Bx +!TC_PRIM_BLUY;By +!TC_PRIM_GREX;Gx +!TC_PRIM_GREY;Gy +!TC_PRIM_REDX;Rx +!TC_PRIM_REDY;Ry +!TOOLBAR_TOOLTIP_PERSPECTIVE;Perspective Correction\n\nEdit control lines to correct perspective distortion. Click this button again to apply correction. !TP_BWMIX_MIXC;Channel Mixer !TP_BWMIX_NEUTRAL;Reset !TP_CBDL_METHOD;Process located !TP_COLORAPP_ABSOLUTELUMINANCE;Absolute luminance +!TP_COLORAPP_ADAPSCEN_TOOLTIP;Corresponds to the luminance in candelas per m2 at the time of shooting, calculated automatically from the exif data. !TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;When setting manually, values above 65 are recommended. -!TP_COLORAPP_FREE;Free temp+green + CAT02 + [output] +!TP_COLORAPP_CATCLASSIC;Classic +!TP_COLORAPP_CATMET_TOOLTIP;Classic - traditional CIECAM operation. The chromatic adaptation transforms are applied separately on 'Scene conditions' and basic illuminant on the one hand, and on basic illuminant and 'Viewing conditions' on the other.\n\nSymmetric – The chromatic adaptation is based on the white balance. The 'Scene conditions', 'Image adjustments' and 'Viewing conditions' settings are neutralized.\n\nMixed – Same as the 'Classic' option but in this case, the chromatic adaptation is based on the white balance. +!TP_COLORAPP_CATMOD;Mode +!TP_COLORAPP_CATSYMGEN;Automatic Symmetric +!TP_COLORAPP_CATSYMSPE;Mixed +!TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D65) into new values whose white point is that of the new illuminant - see WP model (for example D50 or D55). +!TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 is a chromatic adaptation. It converts the values of an image whose white point is that of a given illuminant (for example D50) into new values whose white point is that of the new illuminant - see WP model (for example D75). +!TP_COLORAPP_FREE;Free temp + tint + CAT02/16 +[output] +!TP_COLORAPP_GEN;Settings +!TP_COLORAPP_GEN_TOOLTIP;This module is based on the CIECAM color appearance models, which were designed to better simulate how human vision perceives colors under different lighting conditions, e.g. against different backgrounds. It takes into account the environment of each color and modifies its appearance to get as close as possible to human perception. It also adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic appearance is preserved across the scene and display environments. +!TP_COLORAPP_IL41;D41 +!TP_COLORAPP_IL50;D50 +!TP_COLORAPP_IL55;D55 +!TP_COLORAPP_IL60;D60 +!TP_COLORAPP_IL65;D65 +!TP_COLORAPP_IL75;D75 +!TP_COLORAPP_ILA;Incandescent StdA 2856K +!TP_COLORAPP_ILFREE;Free +!TP_COLORAPP_ILLUM;Illuminant +!TP_COLORAPP_ILLUM_TOOLTIP;Select the illuminant closest to the shooting conditions.\nIn general D50, but it can change depending on the time and latitude. !TP_COLORAPP_MEANLUMINANCE;Mean luminance (Yb%) +!TP_COLORAPP_MOD02;CAM02 +!TP_COLORAPP_MOD16;CAM16 +!TP_COLORAPP_MODELCAT;CAM +!TP_COLORAPP_MODELCAT_TOOLTIP;Allows you to choose between CAM02 or CAM16.\nCAM02 will sometimes be more accurate.\nCAM16 should generate fewer artifacts. !TP_COLORAPP_NEUTRAL;Reset -!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values -!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD50 temp=5003\nD55 temp=5503\nD65 temp=6504\nD75 temp=7504 -!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L) +!TP_COLORAPP_NEUTRAL_TOOLTIP;Reset all sliders checkbox and curves to their default values. +!TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. +!TP_COLORAPP_SURROUNDSRC;Surround +!TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. +!TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. +!TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 +!TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. +!TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. +!TP_COLORTONING_CURVEEDITOR_CL_TOOLTIP;Chroma opacity as a function of luminance oC=f(L). !TP_COLORTONING_LABEL;Color Toning !TP_COLORTONING_LABGRID;L*a*b* color correction grid !TP_COLORTONING_LABGRID_VALUES;HL: a=%1 b=%2\nS: a=%3 b=%4 @@ -2102,25 +2920,26 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_COLORTONING_LABREGION_SATURATION;Saturation !TP_COLORTONING_LABREGION_SHOWMASK;Show mask !TP_COLORTONING_LABREGION_SLOPE;Slope -!TP_COLORTONING_METHOD_TOOLTIP;"L*a*b* blending", "RGB sliders" and "RGB curves" use interpolated color blending.\n"Color balance (Shadows/Midtones/Highlights)" and "Saturation 2 colors" use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. +!TP_COLORTONING_METHOD_TOOLTIP;'L*a*b* blending', 'RGB sliders' and 'RGB curves' use interpolated color blending.\n'Color balance (Shadows/Midtones/Highlights)' and 'Saturation 2 colors' use direct colors.\n\nThe Black-and-White tool can be enabled when using any color toning method, which allows for color toning. !TP_COLORTONING_TWOCOLOR_TOOLTIP;Standard chroma:\nLinear response, a* = b*.\n\nSpecial chroma:\nLinear response, a* = b*, but unbound - try under the diagonal.\n\nSpecial a* and b*:\nLinear response unbound with separate curves for a* and b*. Intended for special effects.\n\nSpecial chroma 2 colors:\nMore predictable. +!TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI !TP_CROP_RESETCROP;Reset !TP_CROP_SELECTCROP;Select !TP_DEHAZE_DEPTH;Depth !TP_DEHAZE_LABEL;Haze Removal -!TP_DEHAZE_LUMINANCE;Luminance only +!TP_DEHAZE_SATURATION;Saturation !TP_DEHAZE_SHOW_DEPTH_MAP;Show depth map !TP_DEHAZE_STRENGTH;Strength !TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zones !TP_DIRPYRDENOISE_CHROMINANCE_CURVE_TOOLTIP;Increase (multiply) the value of all chrominance sliders.\nThis curve lets you adjust the strength of chromatic noise reduction as a function of chromaticity, for instance to increase the action in areas of low saturation and to decrease it in those of high saturation. -!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the "Preview" method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. +!TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Manual\nActs on the full image.\nYou control the noise reduction settings manually.\n\nAutomatic global\nActs on the full image.\n9 zones are used to calculate a global chrominance noise reduction setting.\n\nAutomatic multi-zones\nNo preview - works only during saving, but using the 'Preview' method by matching the tile size and center to the preview size and center you can get an idea of the expected results.\nThe image is divided into tiles (about 10 to 70 depending on image size) and each tile receives its own chrominance noise reduction settings.\n\nPreview\nActs on the whole image.\nThe part of the image visible in the preview is used to calculate global chrominance noise reduction settings. !TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Displays the remaining noise levels of the part of the image visible in the preview after wavelet.\n\n>300 Very noisy\n100-300 Noisy\n50-100 A little noisy\n<50 Very low noise\n\nBeware, the values will differ between RGB and L*a*b* mode. The RGB values are less accurate because the RGB mode does not completely separate luminance and chrominance. !TP_DIRPYRDENOISE_LABEL;Noise Reduction -!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;"Conservative" preserves low frequency chroma patterns, while "aggressive" obliterates them. +!TP_DIRPYRDENOISE_MAIN_MODE_TOOLTIP;Conservative preserves low frequency chroma patterns, while aggressive obliterates them. !TP_DIRPYRDENOISE_MEDIAN_METHOD;Median method !TP_DIRPYRDENOISE_MEDIAN_METHOD_LABEL;Median Filter -!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the "Luminance only" and "L*a*b*" methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the "RGB" mode, it will be performed at the very end of the noise reduction pipeline. +!TP_DIRPYRDENOISE_MEDIAN_METHOD_TOOLTIP;When using the 'Luminance only' and 'L*a*b*' methods, median filtering will be performed just after the wavelet step in the noise reduction pipeline.\nWhen using the 'RGB' mode, it will be performed at the very end of the noise reduction pipeline. !TP_DIRPYRDENOISE_MEDIAN_PASSES;Median iterations !TP_DIRPYRDENOISE_MEDIAN_PASSES_TOOLTIP;Applying three median filter iterations with a 3×3 window size often leads to better results than using one median filter iteration with a 7×7 window size. !TP_DIRPYRDENOISE_MEDIAN_TYPE;Median type @@ -2131,23 +2950,81 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_EXPOSURE_HISTMATCHING;Auto-Matched Tone Curve !TP_EXPOSURE_HISTMATCHING_TOOLTIP;Automatically adjust sliders and curves (except exposure compensation) to match the look of the embedded JPEG thumbnail. !TP_FILMNEGATIVE_BLUE;Blue ratio -!TP_FILMNEGATIVE_GREEN;Reference exponent (contrast) -!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. Set the white balance afterwards. +!TP_FILMNEGATIVE_BLUEBALANCE;Cool/Warm +!TP_FILMNEGATIVE_COLORSPACE;Inversion color space: +!TP_FILMNEGATIVE_COLORSPACE_INPUT;Input color space +!TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Select the color space used to perform the negative inversion:\nInput color space : perform inversion before the input profile is applied, as in the previous versions of RT.\nWorking color space : perform inversion after input profile, using the currently selected working profile. +!TP_FILMNEGATIVE_COLORSPACE_WORKING;Working color space +!TP_FILMNEGATIVE_GREEN;Reference exponent +!TP_FILMNEGATIVE_GREENBALANCE;Magenta/Green +!TP_FILMNEGATIVE_GUESS_TOOLTIP;Automatically set the red and blue ratios by picking two patches which had a neutral hue (no color) in the original scene. The patches should differ in brightness. !TP_FILMNEGATIVE_LABEL;Film Negative +!TP_FILMNEGATIVE_OUT_LEVEL;Output level !TP_FILMNEGATIVE_PICK;Pick neutral spots !TP_FILMNEGATIVE_RED;Red ratio +!TP_FILMNEGATIVE_REF_LABEL;Input RGB: %1 +!TP_FILMNEGATIVE_REF_PICK;Pick white balance spot +!TP_FILMNEGATIVE_REF_TOOLTIP;Pick a gray patch for white-balancing the output, positive image. !TP_FLATFIELD_CLIPCONTROL;Clip control !TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Clip control avoids clipped highlights caused by applying the flat field. If there are already clipped highlights before applying the flat field, value 0 is used. +!TP_HLREC_HLBLUR;Blur !TP_ICM_APPLYBASELINEEXPOSUREOFFSET_TOOLTIP;Employ the embedded DCP baseline exposure offset. The setting is only available if the selected DCP has one. !TP_ICM_APPLYHUESATMAP_TOOLTIP;Employ the embedded DCP base table (HueSatMap). The setting is only available if the selected DCP has one. !TP_ICM_APPLYLOOKTABLE;Look table +!TP_ICM_FBW;Black-and-White +!TP_ICM_ILLUMPRIM_TOOLTIP;Choose the illuminant closest to the shooting conditions.\nChanges can only be made when the 'Destination primaries' selection is set to 'Custom (sliders)'. +!TP_ICM_LABGRID_CIEXY;R(x)=%1 R(y)=%2\nG(x)=%3 G(y)=%4\nB(x)=%5 B(y)=%6 +!TP_ICM_NEUTRAL;Reset +!TP_ICM_OUTPUTPROFILE_TOOLTIP;By default all RTv4 or RTv2 profiles are with TRC - sRGB: g=2.4 s=12.92\n\nWith 'ICC Profile Creator' you can generate v4 or v2 profiles with the following choices;\n-Primaries: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n-TRC: BT709, sRGB, linear, standard g=2.2, standard g=1.8, Custom\n-Illuminant: D41, D50, D55, D60, D65, D80, stdA 2856K +!TP_ICM_PRIMBLU_TOOLTIP;Primaries Blue:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +!TP_ICM_PRIMGRE_TOOLTIP;Primaries Green:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +!TP_ICM_PRIMILLUM_TOOLTIP;You can change an image from its original mode ('working profile') to a different mode ('destination primaries'). When you choose a different color mode for an image, you permanently change the color values in the image.\n\nChanging the 'primaries' is quite complex and difficult to use. It requires a lot of experimenting.\n It is capable of making exotic color adjustments as Channel Mixer primaries.\n Allows you to modify the camera calibration with Custom (sliders). +!TP_ICM_PRIMRED_TOOLTIP;Primaries Red:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 !TP_ICM_PROFILEINTENT;Rendering Intent +!TP_ICM_REDFRAME;Custom Primaries !TP_ICM_SAVEREFERENCE;Save Reference Image +!TP_ICM_TRCFRAME;Abstract Profile +!TP_ICM_TRCFRAME_TOOLTIP;Also known as 'synthetic' or 'virtual' profiles, which are applied at the end of the processing pipeline (prior to ciecam) allowing you to create custom image effects.\nYou can make changes to the:\n 'Tone response curve', which modifies the tones of the image.\n 'Illuminant' : which allows you to change the profile primaries to adapt them to the shooting conditions.\n 'Destination primaries': which allows you to change the destination primaries with two main uses - channel mixer and calibration.\nNote: Abstract profiles take into account the built-in Working profiles without modifying them. They do not work with custom Working profiles. +!TP_ICM_TRC_TOOLTIP;Allows you to change the default sRGB 'Tone response curve' in RT (g=2.4 s=12.92).\nThis TRC modifies the tones of the image. The RGB and Lab values, histogram and output (screen, TIF, JPG) are changed:\n-Gamma acts mainly on light tones -Slope acts mainly on dark tones.\nYou can choose any pair of 'gamma and slope' (values >1) and the algorithm will ensure that there is continuity between the linear and parabolic parts of the curve.\nA selection other than 'none' activates the 'Illuminant' and 'Destination primaries' menus. +!TP_ICM_WORKING_CIEDIAG;CIE xy diagram +!TP_ICM_WORKING_ILLU;Illuminant +!TP_ICM_WORKING_ILLU_1500;Tungsten 1500K +!TP_ICM_WORKING_ILLU_2000;Tungsten 2000K +!TP_ICM_WORKING_ILLU_D41;D41 +!TP_ICM_WORKING_ILLU_D50;D50 +!TP_ICM_WORKING_ILLU_D55;D55 +!TP_ICM_WORKING_ILLU_D60;D60 +!TP_ICM_WORKING_ILLU_D65;D65 +!TP_ICM_WORKING_ILLU_D80;D80 +!TP_ICM_WORKING_ILLU_D120;D120 +!TP_ICM_WORKING_ILLU_NONE;Default +!TP_ICM_WORKING_ILLU_STDA;stdA 2875K +!TP_ICM_WORKING_PRESER;Preserves Pastel tones +!TP_ICM_WORKING_PRIM;Destination primaries +!TP_ICM_WORKING_PRIMFRAME_TOOLTIP;When 'Custom CIE xy diagram' is selected in 'Destination- primaries'' combobox, you can modify the values of the 3 primaries directly on the graph.\nNote that in this case, the white point position on the graph will not be updated. +!TP_ICM_WORKING_PRIM_AC0;ACESp0 +!TP_ICM_WORKING_PRIM_ACE;ACESp1 +!TP_ICM_WORKING_PRIM_ADOB;Adobe RGB +!TP_ICM_WORKING_PRIM_BET;Beta RGB +!TP_ICM_WORKING_PRIM_BRU;BruceRGB +!TP_ICM_WORKING_PRIM_BST;BestRGB +!TP_ICM_WORKING_PRIM_CUS;Custom (sliders) +!TP_ICM_WORKING_PRIM_CUSGR;Custom (CIE xy Diagram) +!TP_ICM_WORKING_PRIM_NONE;Default +!TP_ICM_WORKING_PRIM_PROP;ProPhoto +!TP_ICM_WORKING_PRIM_REC;Rec2020 +!TP_ICM_WORKING_PRIM_SRGB;sRGB +!TP_ICM_WORKING_PRIM_WID;WideGamut !TP_ICM_WORKING_TRC;Tone response curve: +!TP_ICM_WORKING_TRC_18;Prophoto g=1.8 +!TP_ICM_WORKING_TRC_22;Adobe g=2.2 +!TP_ICM_WORKING_TRC_BT709;BT709 g=2.22 s=4.5 !TP_ICM_WORKING_TRC_CUSTOM;Custom !TP_ICM_WORKING_TRC_GAMMA;Gamma +!TP_ICM_WORKING_TRC_LIN;Linear g=1 !TP_ICM_WORKING_TRC_NONE;None !TP_ICM_WORKING_TRC_SLOPE;Slope +!TP_ICM_WORKING_TRC_SRGB;sRGB g=2.4 s=12.92 !TP_ICM_WORKING_TRC_TOOLTIP;Only for built-in profiles. !TP_LENSGEOM_LIN;Linear !TP_LENSGEOM_LOG;Logarithmic @@ -2165,19 +3042,837 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALCONTRAST_LABEL;Local Contrast !TP_LOCALCONTRAST_LIGHTNESS;Lightness level !TP_LOCALCONTRAST_RADIUS;Radius +!TP_LOCALLAB_ACTIV;Luminance only +!TP_LOCALLAB_ACTIVSPOT;Enable Spot +!TP_LOCALLAB_ADJ;Equalizer Color +!TP_LOCALLAB_AMOUNT;Amount +!TP_LOCALLAB_ARTIF;Shape detection +!TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. +!TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) +!TP_LOCALLAB_AUTOGRAYCIE;Auto +!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. +!TP_LOCALLAB_AVOID;Avoid color shift +!TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDMUN;Munsell correction only +!TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. +!TP_LOCALLAB_AVOIDRAD;Soft radius +!TP_LOCALLAB_BALAN;ab-L balance (ΔE) +!TP_LOCALLAB_BALANEXP;Laplacian balance +!TP_LOCALLAB_BALANH;C-H balance (ΔE) +!TP_LOCALLAB_BALAN_TOOLTIP;Changes the ΔE algorithm parameters.\nTakes into account more or less a*b* or L*, or more or less C or H.\nNot for Denoise. +!TP_LOCALLAB_BASELOG;Shadows range (logarithm base) +!TP_LOCALLAB_BILATERAL;Bilateral filter +!TP_LOCALLAB_BLACK_EV;Black Ev +!TP_LOCALLAB_BLCO;Chrominance only +!TP_LOCALLAB_BLENDMASKCOL;Blend +!TP_LOCALLAB_BLENDMASKMASK;Add/subtract luma mask +!TP_LOCALLAB_BLENDMASKMASKAB;Add/subtract chroma mask +!TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;If this slider = 0 no action.\nAdd or subtract the mask from the original image. +!TP_LOCALLAB_BLENDMASK_TOOLTIP;If blend = 0 only shape detection is improved.\nIf blend > 0 the mask is added to the image. If blend < 0 the mask is subtracted from the image. +!TP_LOCALLAB_BLGUID;Guided Filter +!TP_LOCALLAB_BLINV;Inverse +!TP_LOCALLAB_BLLC;Luminance & Chrominance +!TP_LOCALLAB_BLLO;Luminance only +!TP_LOCALLAB_BLMED;Median +!TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal: direct blur and noise with all settings.\nInverse: blur and noise with all settings. Warning, some settings may give curious results. +!TP_LOCALLAB_BLNOI_EXP;Blur & Noise +!TP_LOCALLAB_BLNORM;Normal +!TP_LOCALLAB_BLUFR;Blur/Grain & Denoise +!TP_LOCALLAB_BLUMETHOD_TOOLTIP;To blur the background and isolate the foreground:\n-blur the background by completely covering the image with an an RT-spot (high values for scope and transition and 'Normal' or 'Inverse' in checkbox).\n-Isolate the foreground by using one or more 'Excluding' RT-spot(s) and increase the scope.\n\nThis module (including the 'median' and 'Guided filter') can be used in addition to the main-menu noise reduction. +!TP_LOCALLAB_BLUR;Gaussian Blur - Noise - Grain +!TP_LOCALLAB_BLURCOL;Radius +!TP_LOCALLAB_BLURCOLDE_TOOLTIP;The image used to calculate dE is blurred slightly to avoid taking isolated pixels into account. +!TP_LOCALLAB_BLURDE;Blur shape detection +!TP_LOCALLAB_BLURLC;Luminance only +!TP_LOCALLAB_BLURLEVELFRA;Blur levels +!TP_LOCALLAB_BLURMASK_TOOLTIP;Uses a large-radius blur to create a mask that allows you to vary the contrast of the image and/or darken/lighten parts of it. +!TP_LOCALLAB_BLURRMASK_TOOLTIP;Allows you to vary the 'radius' of the Gaussian blur (0 to 1000). +!TP_LOCALLAB_BLUR_TOOLNAME;Blur/Grain & Denoise +!TP_LOCALLAB_BLWH;All changes forced in Black-and-White +!TP_LOCALLAB_BLWH_TOOLTIP;Force color components 'a' and 'b' to zero.\nUseful for black and white processing, or film simulation. +!TP_LOCALLAB_BUTTON_ADD;Add +!TP_LOCALLAB_BUTTON_DEL;Delete +!TP_LOCALLAB_BUTTON_DUPL;Duplicate +!TP_LOCALLAB_BUTTON_REN;Rename +!TP_LOCALLAB_BUTTON_VIS;Show/Hide +!TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev +!TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) +!TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. +!TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments +!TP_LOCALLAB_CAMMODE;CAM model +!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz +!TP_LOCALLAB_CAMMODE_CAM16;CAM 16 +!TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz +!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only +!TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 +!TP_LOCALLAB_CBDL;Contrast by Detail Levels +!TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. +!TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Same as wavelets.\nThe first level (0) acts on 2x2 pixel details.\nThe last level (5) acts on 64x64 pixel details. +!TP_LOCALLAB_CBDL_THRES_TOOLTIP;Prevents the sharpening of noise. +!TP_LOCALLAB_CBDL_TOOLNAME;Contrast by Detail Levels +!TP_LOCALLAB_CENTER_X;Center X +!TP_LOCALLAB_CENTER_Y;Center Y +!TP_LOCALLAB_CH;CL - LC +!TP_LOCALLAB_CHROMA;Chrominance +!TP_LOCALLAB_CHROMABLU;Chroma levels +!TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMACBDL;Chroma +!TP_LOCALLAB_CHROMACB_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. +!TP_LOCALLAB_CHROMALEV;Chroma levels +!TP_LOCALLAB_CHROMASKCOL;Chroma +!TP_LOCALLAB_CHROMASK_TOOLTIP;Changes the chroma of the mask if one exists (i.e. C(C) or LC(H) is activated). +!TP_LOCALLAB_CHROML;Chroma (C) +!TP_LOCALLAB_CHRRT;Chroma +!TP_LOCALLAB_CIE;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIEC;Use Ciecam environment parameters +!TP_LOCALLAB_CIECAMLOG_TOOLTIP;This module is based on the CIECAM color appearance model which was designed to better simulate how human vision perceives colors under different lighting conditions.\nThe first Ciecam process 'Scene conditions' is carried out by Log encoding, it also uses 'Absolute luminance' at the time of shooting.\nThe second Ciecam process 'Image adjustments' is simplified and uses only 3 variables (local contrast, contrast J, saturation s).\nThe third Ciecam process 'Viewing conditions' adapts the output to the intended viewing conditions (monitor, TV, projector, printer, etc.) so that the chromatic and contrast appearance is preserved across the display environment. +!TP_LOCALLAB_CIECOLORFRA;Color +!TP_LOCALLAB_CIECONTFRA;Contrast +!TP_LOCALLAB_CIELIGHTCONTFRA;Lighting & Contrast +!TP_LOCALLAB_CIELIGHTFRA;Lighting +!TP_LOCALLAB_CIEMODE;Change tool position +!TP_LOCALLAB_CIEMODE_COM;Default +!TP_LOCALLAB_CIEMODE_DR;Dynamic Range +!TP_LOCALLAB_CIEMODE_LOG;Log Encoding +!TP_LOCALLAB_CIEMODE_TM;Tone-Mapping +!TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. +!TP_LOCALLAB_CIEMODE_WAV;Wavelet +!TP_LOCALLAB_CIETOOLEXP;Curves +!TP_LOCALLAB_CIE_TOOLNAME;Color appearance (Cam16 & JzCzHz) +!TP_LOCALLAB_CIRCRADIUS;Spot size +!TP_LOCALLAB_CIRCRAD_TOOLTIP;Contains the references of the RT-spot, useful for shape detection (hue, luma, chroma, Sobel).\nLow values may be useful for processing foliage.\nHigh values may be useful for processing skin. +!TP_LOCALLAB_CLARICRES;Merge chroma +!TP_LOCALLAB_CLARIFRA;Clarity & Sharp mask/Blend & Soften Images +!TP_LOCALLAB_CLARIJZ_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled. +!TP_LOCALLAB_CLARILRES;Merge luma +!TP_LOCALLAB_CLARISOFT;Soft radius +!TP_LOCALLAB_CLARISOFTJZ_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and Local contrast wavelets Jz. +!TP_LOCALLAB_CLARISOFT_TOOLTIP;The 'Soft radius' slider (guided filter algorithm) reduces halos and irregularities for Clarity, Sharp Mask and all wavelet pyramid processes. To deactivate, set slider to zero. +!TP_LOCALLAB_CLARITYML;Clarity +!TP_LOCALLAB_CLARI_TOOLTIP;Levels 0 to 4 (included): 'Sharp mask' is enabled\nLevels 5 and above: 'Clarity' is enabled.\nUseful if you use 'Wavelet level tone mapping'. +!TP_LOCALLAB_CLIPTM;Clip restored data (gain) +!TP_LOCALLAB_COFR;Color & Light +!TP_LOCALLAB_COLORDE;ΔE preview color - intensity +!TP_LOCALLAB_COLORDEPREV_TOOLTIP;Preview ΔE button will only work if you have activated one (and only one) of the tools in 'Add tool to current spot' menu.\nTo be able to preview ΔE with several tools enabled, use Mask and modifications - Preview ΔE. +!TP_LOCALLAB_COLORDE_TOOLTIP;Show a blue color preview for ΔE selection if negative and green if positive.\n\nMask and modifications (show modified areas without mask): show actual modifications if positive, show enhanced modifications (luminance only) with blue and yellow if negative. +!TP_LOCALLAB_COLORSCOPE;Scope (color tools) +!TP_LOCALLAB_COLORSCOPE_TOOLTIP;Common Scope slider for Color and Light, Shadows/Highlights, Vibrance.\nOther tools have their own scope controls. +!TP_LOCALLAB_COLOR_CIE;Color curve +!TP_LOCALLAB_COLOR_TOOLNAME;Color & Light +!TP_LOCALLAB_COL_NAME;Name +!TP_LOCALLAB_COL_VIS;Status +!TP_LOCALLAB_COMPFRA;Directional contrast +!TP_LOCALLAB_COMPREFRA;Wavelet level tone mapping +!TP_LOCALLAB_CONTCOL;Contrast threshold +!TP_LOCALLAB_CONTFRA;Contrast by level +!TP_LOCALLAB_CONTRAST;Contrast +!TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts).May create artifacts. +!TP_LOCALLAB_CONTRESID;Contrast +!TP_LOCALLAB_CONTTHMASK_TOOLTIP;Allows you to determine which parts of the image will be impacted based on the texture. +!TP_LOCALLAB_CONTTHR;Contrast Threshold +!TP_LOCALLAB_CONTWFRA;Local contrast +!TP_LOCALLAB_CSTHRESHOLD;Wavelet levels +!TP_LOCALLAB_CSTHRESHOLDBLUR;Wavelet level selection +!TP_LOCALLAB_CURV;Lightness - Contrast - Chrominance 'Super' +!TP_LOCALLAB_CURVCURR;Normal +!TP_LOCALLAB_CURVEEDITORM_CC_TOOLTIP;If the curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_CC_TOOLTIP;If curves are at the top, the mask is completely black and no changes are made to the image.\nAs you lower the curve, the mask gradually becomes more colorful and bright, progressively changing the image.\n\nIt is recommended (but not mandatory) to position the top of the curves on the gray boundary line which represents the reference values of chroma, luma, hue for the RT-spot. +!TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;To activate the curves, set the 'Curve type' combobox to 'Normal'. +!TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Tone curve +!TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), can be used with L(H) in Color and Light. +!TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', the curve L=f(L) uses the same algorithm as the lightness slider. +!TP_LOCALLAB_CURVES_CIE;Tone curve +!TP_LOCALLAB_CURVNONE;Disable curves +!TP_LOCALLAB_DARKRETI;Darkness +!TP_LOCALLAB_DEHAFRA;Dehaze +!TP_LOCALLAB_DEHAZ;Strength +!TP_LOCALLAB_DEHAZFRAME_TOOLTIP;Removes atmospheric haze. Increases overall saturation and detail.\nCan remove color casts, but may also introduce a blue cast which can be corrected with other tools. +!TP_LOCALLAB_DEHAZ_TOOLTIP;Negative values add haze. +!TP_LOCALLAB_DELTAD;Delta balance +!TP_LOCALLAB_DELTAEC;ΔE Image mask +!TP_LOCALLAB_DENOI1_EXP;Denoise based on luminance mask +!TP_LOCALLAB_DENOI2_EXP;Recovery based on luminance mask +!TP_LOCALLAB_DENOIBILAT_TOOLTIP;Allows you to reduce impulse or 'salt & pepper' noise. +!TP_LOCALLAB_DENOICHROC_TOOLTIP;Allows you to deal with blotches and packets of noise. +!TP_LOCALLAB_DENOICHRODET_TOOLTIP;Allows you to recover chrominance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOICHROF_TOOLTIP;Allows you to adjust fine-detail chrominance noise. +!TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Allows you to direct the chroma noise reduction towards either the blue-yellow or red-green colors. +!TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Allows you to carry out more or less noise reduction in either the shadows or the highlights. +!TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Allows you to recover luminance detail by progressively applying a Fourier transform (DCT). +!TP_LOCALLAB_DENOIMASK;Denoise chroma mask +!TP_LOCALLAB_DENOIMASK_TOOLTIP;For all tools, allows you to control the chromatic noise level of the mask.\nUseful for better control of chrominance and to avoid artifacts when using the LC(h) curve. +!TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservative mode preserves low frequency detail. Aggressive mode removes low frequency detail.\nConservative and Aggressive modes use wavelets and DCT and can be used in conjunction with 'Non-local Means – Luminance'. +!TP_LOCALLAB_DENOITHR_TOOLTIP;Adjusts edge detection to help reduce noise in uniform, low-contrast areas. +!TP_LOCALLAB_DENOI_EXP;Denoise +!TP_LOCALLAB_DENOI_TOOLTIP;This module can be used for noise reduction either on its own (at the end of the processing pipeline) or in addition to the Noise Reduction module in the Detail tab (which works at the beginning of the pipeline).\n Scope allows you to differentiate the action based on color (ΔE).\nMinimum RT-spot size: 128x128. +!TP_LOCALLAB_DEPTH;Depth +!TP_LOCALLAB_DETAIL;Local contrast +!TP_LOCALLAB_DETAILFRA;Edge detection - DCT +!TP_LOCALLAB_DETAILSH;Details +!TP_LOCALLAB_DETAILTHR;Luma-chro detail threshold +!TP_LOCALLAB_DIVGR;Gamma +!TP_LOCALLAB_DUPLSPOTNAME;Copy +!TP_LOCALLAB_EDGFRA;Edge sharpness +!TP_LOCALLAB_EDGSHOW;Show all tools +!TP_LOCALLAB_ELI;Ellipse +!TP_LOCALLAB_ENABLE_AFTER_MASK;Use Tone Mapping +!TP_LOCALLAB_ENABLE_MASK;Enable mask +!TP_LOCALLAB_ENABLE_MASKAFT;Use all algorithms Exposure +!TP_LOCALLAB_ENARETIMASKTMAP_TOOLTIP;If enabled the Mask uses Restored Data after Transmission Map instead of Original data. +!TP_LOCALLAB_ENH;Enhanced +!TP_LOCALLAB_ENHDEN;Enhanced + chroma denoise +!TP_LOCALLAB_EPSBL;Detail +!TP_LOCALLAB_EQUIL;Normalize luminance +!TP_LOCALLAB_EQUILTM_TOOLTIP;Reconstruct luminance so that the mean and variance of the output image are identical to those of the original. +!TP_LOCALLAB_ESTOP;Edge stopping +!TP_LOCALLAB_EV_DUPL;Copy of +!TP_LOCALLAB_EV_NVIS;Hide +!TP_LOCALLAB_EV_NVIS_ALL;Hide all +!TP_LOCALLAB_EV_VIS;Show +!TP_LOCALLAB_EV_VIS_ALL;Show all +!TP_LOCALLAB_EXCLUF;Excluding +!TP_LOCALLAB_EXCLUF_TOOLTIP;'Excluding' mode prevents adjacent spots from influencing certain parts of the image. Adjusting 'Scope' will extend the range of colors.\n You can also add tools to an Excluding spot and use them in the same way as for a normal spot. +!TP_LOCALLAB_EXCLUTYPE;Spot method +!TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Normal spot uses recursive data.\n\nExcluding spot reinitializes all local adjustment data.\nCan be used to totally or partially cancel a previous action or to carry out operations in Inverse mode.\n\n'Full image' allows you to use the local adjustment tools on the whole image.\n The RT Spot delimiters are set beyond the image preview boundaries.\n The transition is set to 100.\nNote, you may have to reposition the RT Spot slightly and adjust the Spot size to get the desired effect.\nPlease note: using Denoise or Wavelet or FFTW in full-image mode uses large amounts of memory and may cause the application to crash on lower capacity systems. +!TP_LOCALLAB_EXECLU;Excluding spot +!TP_LOCALLAB_EXFULL;Full image +!TP_LOCALLAB_EXNORM;Normal spot +!TP_LOCALLAB_EXPCBDL_TOOLTIP;Can be used to remove marks on the sensor or lens by reducing the contrast on the appropriate detail level(s). +!TP_LOCALLAB_EXPCHROMA;Chroma compensation +!TP_LOCALLAB_EXPCHROMA_TOOLTIP;Use in association with 'Exposure compensation f' and 'Contrast Attenuator f' to avoid desaturating colors. +!TP_LOCALLAB_EXPCOLOR_TOOLTIP;Adjust color, lightness, contrast and correct small defects such as red-eye, sensor dust etc. +!TP_LOCALLAB_EXPCOMP;Exposure compensation ƒ +!TP_LOCALLAB_EXPCOMPINV;Exposure compensation +!TP_LOCALLAB_EXPCOMP_TOOLTIP;For portraits or images with a low color gradient. You can change 'Shape detection' in 'Settings':\n\nIncrease 'ΔE scope threshold'\nReduce 'ΔE decay'\nIncrease 'ab-L balance (ΔE)' +!TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;See the documentation for Wavelet Levels.\nThere are some differences in the Local Adjustments version, which has more tools and more possibilities for working on individual detail levels.\nE.g. wavelet-level tone mapping. +!TP_LOCALLAB_EXPCONTRAST_TOOLTIP;Avoid spots that are too small ( < 32x32 pixels).\nUse low 'Transition value' and high 'Transition decay' and 'Scope' to simulate small RT-spots and deal with defects.\nUse 'Clarity and Sharp mask and Blend and Soften Images' if necessary by adjusting 'Soft radius' to reduce artifacts. +!TP_LOCALLAB_EXPCURV;Curves +!TP_LOCALLAB_EXPGRAD;Graduated Filter +!TP_LOCALLAB_EXPGRADCOL_TOOLTIP;A graduated filter is available in Color and Light (luminance, chrominance & hue gradients, and 'Merge file'), Exposure (luminance grad.), Exposure Mask (luminance grad.), Shadows/Highlights (luminance grad.), Vibrance (luminance, chrominance & hue gradients), Local contrast & wavelet pyramid (local contrast grad.).\nFeather is located in Settings. +!TP_LOCALLAB_EXPLAPBAL_TOOLTIP;Changes the transformed/original image blend. +!TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. +!TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. +!TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. +!TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). +!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. +!TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. +!TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure +!TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. +!TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools +!TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUse low transition values and high 'Transition decay' and 'Scope' values to simulate smaller RT-Spots. +!TP_LOCALLAB_EXPTOOL;Exposure Tools +!TP_LOCALLAB_EXP_TOOLNAME;Dynamic Range & Exposure +!TP_LOCALLAB_FATAMOUNT;Amount +!TP_LOCALLAB_FATANCHOR;Anchor +!TP_LOCALLAB_FATDETAIL;Detail +!TP_LOCALLAB_FATFRA;Dynamic Range Compression ƒ +!TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – uses the Fattal Tone-mapping algorithm. +!TP_LOCALLAB_FATLEVEL;Sigma +!TP_LOCALLAB_FATSHFRA;Dynamic Range Compression Mask ƒ +!TP_LOCALLAB_FEATH_TOOLTIP;Gradient width as a percentage of the Spot diagonal\nUsed by all graduated filters in all tools.\nNo action if a graduated filter hasn't been activated. +!TP_LOCALLAB_FEATVALUE;Feather gradient (Grad. Filters) +!TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ +!TP_LOCALLAB_FFTMASK_TOOLTIP;Use a Fourier transform for better quality (increased processing time and memory requirements). +!TP_LOCALLAB_FFTW;ƒ - Use Fast Fourier Transform +!TP_LOCALLAB_FFTWBLUR;ƒ - Always Use Fast Fourier Transform +!TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image +!TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calculates the Ev levels for the whole image. +!TP_LOCALLAB_GAM;Gamma +!TP_LOCALLAB_GAMC;Gamma +!TP_LOCALLAB_GAMCOL_TOOLTIP;Apply a gamma on Luminance L*a*b* datas.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMC_TOOLTIP;Apply a gamma on Luminance L*a*b* datas before and after treatment Pyramid 1 and Pyramid 2.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_GAMFRA;Tone response curve (TRC) +!TP_LOCALLAB_GAMM;Gamma +!TP_LOCALLAB_GAMMASKCOL;Gamma +!TP_LOCALLAB_GAMMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_GAMSH;Gamma +!TP_LOCALLAB_GAMW;Gamma (wavelet pyramids) +!TP_LOCALLAB_GRADANG;Gradient angle +!TP_LOCALLAB_GRADANG_TOOLTIP;Rotation angle in degrees: -180 0 +180. +!TP_LOCALLAB_GRADFRA;Graduated Filter Mask +!TP_LOCALLAB_GRADGEN_TOOLTIP;Adjusts luminance gradient strength. +!TP_LOCALLAB_GRADLOGFRA;Graduated Filter Luminance +!TP_LOCALLAB_GRADSTR;Gradient strength +!TP_LOCALLAB_GRADSTRAB_TOOLTIP;Adjusts chroma gradient strength. +!TP_LOCALLAB_GRADSTRCHRO;Chroma gradient strength +!TP_LOCALLAB_GRADSTRHUE;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE2;Hue gradient strength +!TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Adjusts hue gradient strength. +!TP_LOCALLAB_GRADSTRLUM;Luma gradient strength +!TP_LOCALLAB_GRAINFRA;Film Grain 1:1 +!TP_LOCALLAB_GRAINFRA2;Coarseness +!TP_LOCALLAB_GRAIN_TOOLTIP;Adds film-like grain to the image. +!TP_LOCALLAB_GRALWFRA;Graduated filter (local contrast) +!TP_LOCALLAB_GRIDFRAME_TOOLTIP;You can use this tool as a brush. Use a small spot and adapt the 'Transition value' and 'Transition decay'\nOnly 'Normal' mode and possibly Hue, Saturation, Color, Luminosity are concerned by Merge background (ΔE). +!TP_LOCALLAB_GRIDMETH_TOOLTIP;Color toning: the luminance is taken into account when varying chroma. Equivalent to H=f(H) if the 'white dot' on the grid remains at zero and you only vary the 'black dot'. Equivalent to 'Color toning' if you vary the 2 dots.\n\nDirect: acts directly on the chroma. +!TP_LOCALLAB_GRIDONE;Color Toning +!TP_LOCALLAB_GRIDTWO;Direct +!TP_LOCALLAB_GUIDBL;Soft radius +!TP_LOCALLAB_GUIDBL_TOOLTIP;Applies a guided filter with adjustable radius. Allows you to reduce artifacts or blur the image. +!TP_LOCALLAB_GUIDEPSBL_TOOLTIP;Changes the distribution function of the guided filter. Negative values simulate a Gaussian blur. +!TP_LOCALLAB_GUIDFILTER;Guided filter radius +!TP_LOCALLAB_GUIDFILTER_TOOLTIP;Can reduce or increase artifacts. +!TP_LOCALLAB_GUIDSTRBL_TOOLTIP;Intensity of the guided filter. +!TP_LOCALLAB_HHMASK_TOOLTIP;Fine hue adjustments for example for the skin. +!TP_LOCALLAB_HIGHMASKCOL;Highlights +!TP_LOCALLAB_HLH;H +!TP_LOCALLAB_HUECIE;Hue +!TP_LOCALLAB_IND;Independent (mouse) +!TP_LOCALLAB_INDSL;Independent (mouse + sliders) +!TP_LOCALLAB_INVBL;Inverse +!TP_LOCALLAB_INVBL_TOOLTIP;Alternative to 'Inverse' mode: use two spots\nFirst Spot:\n Full Image\n\nSecond spot: Excluding spot. +!TP_LOCALLAB_INVERS;Inverse +!TP_LOCALLAB_INVERS_TOOLTIP;Fewer possibilities if selected (Inverse).\n\nAlternative: use two spots\nFirst Spot:\n Full Image\n \nSecond spot: Excluding spot\n\n Inverse will enable this tool for the area outside the spot, while the area within the spot will remain unaffected by the tool. +!TP_LOCALLAB_INVMASK;Inverse algorithm +!TP_LOCALLAB_ISOGR;Distribution (ISO) +!TP_LOCALLAB_JAB;Uses Black Ev & White Ev +!TP_LOCALLAB_JABADAP_TOOLTIP;Perceptual Uniform adaptation.\nAutomatically adjusts the relationship between Jz and saturation taking into account 'Absolute luminance'. +!TP_LOCALLAB_JZ100;Jz reference 100cd/m2 +!TP_LOCALLAB_JZ100_TOOLTIP;Automatically adjusts the reference Jz 100 cd/m2 level (image signal).\nChanges the saturation level and action of 'PU adaptation' (Perceptual Uniform adaptation). +!TP_LOCALLAB_JZADAP;PU adaptation +!TP_LOCALLAB_JZCH;Chroma +!TP_LOCALLAB_JZCHROM;Chroma +!TP_LOCALLAB_JZCLARICRES;Merge chroma Cz +!TP_LOCALLAB_JZCLARILRES;Merge Jz +!TP_LOCALLAB_JZCONT;Contrast +!TP_LOCALLAB_JZFORCE;Force max Jz to 1 +!TP_LOCALLAB_JZFORCE_TOOLTIP;Allows you to force the maximum Jz value to 1 for better slider and curve response. +!TP_LOCALLAB_JZFRA;Jz Cz Hz Image Adjustments +!TP_LOCALLAB_JZHFRA;Curves Hz +!TP_LOCALLAB_JZHJZFRA;Curve Jz(Hz) +!TP_LOCALLAB_JZHUECIE;Hue Rotation +!TP_LOCALLAB_JZLIGHT;Brightness +!TP_LOCALLAB_JZLOG;Log encoding Jz +!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. +!TP_LOCALLAB_JZLOGWB_TOOLTIP;If Auto is enabled, it will calculate and adjust the Ev levels and the 'Mean luminance Yb%' for the spot area. The resulting values will be used by all Jz operations including 'Log Encoding Jz'.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed as a percentage of gray. 18% gray corresponds to a background luminance of 50% when expressed in CIE L.\nThe data is based on the mean luminance of the image.\nWhen used with Log Encoding, the mean luminance is used to determine the amount of gain that needs to be applied to the signal prior to the log encoding. Lower values of mean luminance will result in increased gain. +!TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (only in 'Advanced' mode). Only operational if the output device (monitor) is HDR (peak luminance higher than 100 cd/m2 - ideally between 4000 and 10000 cd/m2. Black point luminance inferior to 0.005 cd/m2). This supposes a) the ICC-PCS for the screen uses Jzazbz (or XYZ), b) works in real precision, c) that the monitor is calibrated (if possible with a DCI-P3 or Rec-2020 gamut), d) that the usual gamma (sRGB or BT709) is replaced by a Perceptual Quantiser (PQ) function. +!TP_LOCALLAB_JZPQFRA;Jz remapping +!TP_LOCALLAB_JZPQFRA_TOOLTIP;Allows you to adapt the Jz algorithm to an SDR environment or to the characteristics (performance) of an HDR environment as follows:\n a) for luminance values between 0 and 100 cd/m2, the system behaves as if it were in an SDR environment.\n b) for luminance values between 100 and 10000 cd/m2, you can adapt the algorithm to the HDR characteristics of the image and the monitor.\n\nIf 'PQ - Peak luminance' is set to 10000, 'Jz remappping' behaves in the same way as the original Jzazbz algorithm. +!TP_LOCALLAB_JZPQREMAP;PQ - Peak luminance +!TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (Perceptual Quantizer) - allows you to change the internal PQ function (usually 10000 cd/m2 - default 120 cd/m2).\nCan be used to adapt to different images, processes and devices. +!TP_LOCALLAB_JZQTOJ;Relative luminance +!TP_LOCALLAB_JZQTOJ_TOOLTIP;Allows you to use 'Relative luminance' instead of 'Absolute luminance' - Brightness becomes Lightness.\nThe changes affect: the Brightness slider, the Contrast slider and the Jz(Jz) curve. +!TP_LOCALLAB_JZSAT;Saturation +!TP_LOCALLAB_JZSHFRA;Shadows/Highlights Jz +!TP_LOCALLAB_JZSOFTCIE;Soft radius (GuidedFilter) +!TP_LOCALLAB_JZSTRSOFTCIE;Strength GuidedFilter +!TP_LOCALLAB_JZTARGET_EV;Viewing Mean luminance (Yb%) +!TP_LOCALLAB_JZTHRHCIE;Threshold Chroma for Jz(Hz) +!TP_LOCALLAB_JZWAVEXP;Wavelet Jz +!TP_LOCALLAB_LABBLURM;Blur Mask +!TP_LOCALLAB_LABEL;Local Adjustments +!TP_LOCALLAB_LABGRID;Color correction grid +!TP_LOCALLAB_LABGRIDMERG;Background +!TP_LOCALLAB_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_LOCALLAB_LABSTRUM;Structure Mask +!TP_LOCALLAB_LAPLACC;ΔØ Mask Laplacian solve PDE +!TP_LOCALLAB_LAPLACE;Laplacian threshold ΔE +!TP_LOCALLAB_LAPLACEXP;Laplacian threshold +!TP_LOCALLAB_LAPMASKCOL;Laplacian threshold +!TP_LOCALLAB_LAPRAD1_TOOLTIP;Increases the contrast of the mask by increasing the luminance values of the lighter areas. Can be used in conjunction with the L(L) and LC(H) curves. +!TP_LOCALLAB_LAPRAD2_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAPRAD_TOOLTIP;Smooth radius uses a guided filter to decrease artifacts and smooth out the transition. +!TP_LOCALLAB_LAP_MASK_TOOLTIP;Solves PDEs for all Laplacian masks.\nIf enabled the Laplacian threshold mask reduces artifacts and smooths the result.\nIf disabled the response is linear. +!TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT improves quality and allows the use of large radii, but increases processing time (depends on the area to be processed). Preferable to use only for large radii. The size of the area can be reduced by a few pixels to optimize the FFTW. This can reduce the processing time by a factor of 1.5 to 10. +!TP_LOCALLAB_LC_TOOLNAME;Local Contrast & Wavelets +!TP_LOCALLAB_LEVELBLUR;Maximum blur levels +!TP_LOCALLAB_LEVELWAV;Wavelet levels +!TP_LOCALLAB_LEVELWAV_TOOLTIP;The Level is automatically adapted to the size of the spot and the preview.\nFrom level 9 size max 512 to level 1 size max = 4. +!TP_LOCALLAB_LEVFRA;Levels +!TP_LOCALLAB_LIGHTNESS;Lightness +!TP_LOCALLAB_LIGHTN_TOOLTIP;In inverse mode: selection = -100 forces luminance to zero. +!TP_LOCALLAB_LIGHTRETI;Lightness +!TP_LOCALLAB_LINEAR;Linearity +!TP_LOCALLAB_LIST_NAME;Add tool to current spot... +!TP_LOCALLAB_LIST_TOOLTIP;You can select 3 levels of complexity for each tool: Basic, Standard and Advanced.\nThe default setting for all tools is Basic but this can be changed in the Preferences window.\nYou can also change the level of complexity on a per-tool basis while you are editing. +!TP_LOCALLAB_LMASK_LEVEL_TOOLTIP;Allows you to decrease or increase the effect on particular levels of detail in the mask by targeting certain luminance zones (in general the lightest). +!TP_LOCALLAB_LMASK_LL_TOOLTIP;Allows you to freely change the contrast of the mask.\n Has a similar function to the Gamma and Slope sliders.\n It allows you to target certain parts of the image (usually the lightest parts of the mask by using the curve to exclude the darker parts). May create artifacts. +!TP_LOCALLAB_LOCCONT;Unsharp Mask +!TP_LOCALLAB_LOC_CONTRAST;Local Contrast & Wavelets +!TP_LOCALLAB_LOC_CONTRASTPYR;Pyramid 1: +!TP_LOCALLAB_LOC_CONTRASTPYR2;Pyramid 2: +!TP_LOCALLAB_LOC_CONTRASTPYR2LAB; Contrast by level/TM/Directional contrast +!TP_LOCALLAB_LOC_CONTRASTPYRLAB; Graduated Filter/Edge Sharpness/Blur +!TP_LOCALLAB_LOC_RESIDPYR;Residual image (Main) +!TP_LOCALLAB_LOG;Log Encoding +!TP_LOCALLAB_LOG1FRA;CAM16 Image Adjustments +!TP_LOCALLAB_LOG2FRA;Viewing Conditions +!TP_LOCALLAB_LOGAUTO;Automatic +!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. +!TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. +!TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. +!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. +!TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. +!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid +!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. +!TP_LOCALLAB_LOGCOLORFL;Colorfulness (M) +!TP_LOCALLAB_LOGCOLORF_TOOLTIP;Perceived amount of hue in relation to gray.\nIndicator that a stimulus appears more or less colored. +!TP_LOCALLAB_LOGCONQL;Contrast (Q) +!TP_LOCALLAB_LOGCONTHRES;Contrast threshold (J & Q) +!TP_LOCALLAB_LOGCONTL;Contrast (J) +!TP_LOCALLAB_LOGCONTL_TOOLTIP;Contrast (J) in CIECAM16 takes into account the increase in perceived coloration with luminance. +!TP_LOCALLAB_LOGCONTQ_TOOLTIP;Contrast (Q) in CIECAM16 takes into account the increase in perceived coloration with brightness. +!TP_LOCALLAB_LOGCONTTHRES_TOOLTIP;Adjusts the mid-tone contrast range (J & Q).\nPositive values progressively reduce the effect of the Contrast sliders (J & Q). Negative values progressively increase the effect of the Contrast sliders. +!TP_LOCALLAB_LOGDETAIL_TOOLTIP;Acts mainly on high frequencies. +!TP_LOCALLAB_LOGENCOD_TOOLTIP;Tone Mapping with Logarithmic encoding (ACES).\nUseful for underexposed images or images with high dynamic range.\n\nTwo-step process: 1) Dynamic Range calculation 2) Manual adjustment. +!TP_LOCALLAB_LOGEXP;All tools +!TP_LOCALLAB_LOGFRA;Scene Conditions +!TP_LOCALLAB_LOGFRAME_TOOLTIP;Allows you to calculate and adjust the Ev levels and the 'Mean luminance Yb%' (source gray point) for the spot area. The resulting values will be used by all Lab operations and most RGB operations in the pipeline.\nAlso calculates the absolute luminance at the time of shooting. +!TP_LOCALLAB_LOGIMAGE_TOOLTIP;Takes into account corresponding Ciecam variables: i.e. Contrast (J) and Saturation (s), as well as Contrast (Q), Brightness (Q), Lightness (J) and Colorfulness (M) (in Advanced mode). +!TP_LOCALLAB_LOGLIGHTL;Lightness (J) +!TP_LOCALLAB_LOGLIGHTL_TOOLTIP;Close to lightness (L*a*b*). Takes into account the increase in perceived coloration. +!TP_LOCALLAB_LOGLIGHTQ;Brightness (Q) +!TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;Perceived amount of light emanating from a stimulus.\nIndicator that a stimulus appears to be more or less bright, clear. +!TP_LOCALLAB_LOGLIN;Logarithm mode +!TP_LOCALLAB_LOGPFRA;Relative Exposure Levels +!TP_LOCALLAB_LOGREPART;Overall strength +!TP_LOCALLAB_LOGREPART_TOOLTIP;Allows you to adjust the relative strength of the log-encoded image with respect to the original image.\nDoes not affect the Ciecam component. +!TP_LOCALLAB_LOGSATURL_TOOLTIP;Saturation (s) in CIECAM16 corresponds to the color of a stimulus in relation to its own brightness.\nActs mainly on medium tones and on the highlights. +!TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponds to the shooting conditions. +!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. +!TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponds to the medium on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as the surrounding conditions. +!TP_LOCALLAB_LOG_TOOLNAME;Log Encoding +!TP_LOCALLAB_LUM;LL - CC +!TP_LOCALLAB_LUMADARKEST;Darkest +!TP_LOCALLAB_LUMASK;Background color/luma mask +!TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). +!TP_LOCALLAB_LUMAWHITESEST;Lightest +!TP_LOCALLAB_LUMFRA;L*a*b* standard +!TP_LOCALLAB_MASFRAME;Mask and Merge +!TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. +!TP_LOCALLAB_MASK;Curves +!TP_LOCALLAB_MASK2;Contrast curve +!TP_LOCALLAB_MASKCOL; +!TP_LOCALLAB_MASKCOM;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask +!TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. +!TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. +!TP_LOCALLAB_MASKDDECAY;Decay strength +!TP_LOCALLAB_MASKDECAY_TOOLTIP;Manages the rate of decay for the gray levels in the mask.\n Decay = 1 linear, Decay > 1 sharper parabolic transitions, Decay < 1 more gradual transitions. +!TP_LOCALLAB_MASKDEINV_TOOLTIP;Reverses the way the algorithm interprets the mask.\nIf checked black and very light areas will be decreased. +!TP_LOCALLAB_MASKDE_TOOLTIP;Used to target the denoise as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the Denoise will be applied progressively.\n iIf the mask is above the 'light' threshold, then the Denoise will be applied progressively.\n Between the two, the image settings without the Denoise will be maintained, unless you adjust the sliders 'Gray area luminance denoise' or 'Gray area chrominance denoise'. +!TP_LOCALLAB_MASKGF_TOOLTIP;Used to target the Guided Filter as a function of the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n If the mask is below the 'dark' threshold, then the GF will be applied progressively.\n If the mask is above the 'light' threshold, then the GF will be applied progressively.\n Between the two, the image settings without the GF will be maintained. +!TP_LOCALLAB_MASKH;Hue curve +!TP_LOCALLAB_MASKHIGTHRESCB_TOOLTIP;Lighter-tone limit above which CBDL (Luminance only) parameters will be restored progressively to their original values prior to being modified by the CBDL settings .\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\nUse a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESC_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESD_TOOLTIP; The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESE_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable colorpicker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESL_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESRETI_TOOLTIP;Lighter-tone limit above which Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESS_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESTM_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESVIB_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRESWAV_TOOLTIP;Lighter-tone limit above which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKHIGTHRES_TOOLTIP; The Guided Filter is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'structure mask', 'Smooth radius', 'Gamma and slope', 'Contrast curve', 'Local contrast wavelet'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLCTHR;Light area luminance threshold +!TP_LOCALLAB_MASKLCTHR2;Light area luma threshold +!TP_LOCALLAB_MASKLCTHRLOW;Dark area luminance threshold +!TP_LOCALLAB_MASKLCTHRLOW2;Dark area luma threshold +!TP_LOCALLAB_MASKLCTHRMID;Gray area luma denoise +!TP_LOCALLAB_MASKLCTHRMIDCH;Gray area chroma denoise +!TP_LOCALLAB_MASKLC_TOOLTIP;This allows you to target the denoise based on the image luminance information contained in the L(L) or LC(H) mask (Mask and Modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n 'Dark area luminance threshold'. If 'Reinforce denoise in dark and light areas' > 1 the denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (determined by mask).\n 'Light area luminance threshold'. The denoise is progressively decreased from 100% at the threshold setting to 0% at the maximum white value (determined by mask).\n In the area between the two thresholds, the denoise settings are not affected by the mask. +!TP_LOCALLAB_MASKLNOISELOW;Reinforce dark/light areas +!TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dark-tone limit below which the CBDL parameters (Luminance only) will be restored progressively to their original values prior to being modified by the CBDL settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Color and Light settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'blur mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;The denoise is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Log encoding settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels:'Smooth radius', 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dark-tone limit below which the Retinex (Luminance only) parameters will be restored progressively to their original values prior to being modified by the Retinex settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Shadows Highlights settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Tone Mapping settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dark-tone limit below which the parameters will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings.\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Smooth radius', Gamma and Slope, 'Contrast curve'.\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKLOWTHRES_TOOLTIP;The Guided Filter is progressively increased from 0% at the threshold setting to 100% at the maximum black value (as determined by the mask).\n You can use certain tools in 'Mask and modifications' to change the gray levels: 'Structure mask', 'Smooth radius', Gamma and Slope, 'Contrast curve', 'Local contrast' (wavelets).\n Use a 'lockable color picker' on the mask to see which areas will be affected. Make sure you set 'Background color mask' = 0 in Settings. +!TP_LOCALLAB_MASKRECOL_TOOLTIP;Used to modulate the effect of the Color and Light settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Color and Light settings \n In between these two areas, the full value of the Color and Light settings will be applied. +!TP_LOCALLAB_MASKRECOTHRES;Recovery threshold +!TP_LOCALLAB_MASKREEXP_TOOLTIP;Used to modulate the effect of the 'Dynamic range and Exposure' settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the 'Dynamic range and Exposure' settings \n In between these two areas, the full value of the 'Dynamic range and Exposure' settings will be applied. +!TP_LOCALLAB_MASKRELOG_TOOLTIP;Used to modulate the effect of the Log encoding settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Log encoding settings - can be used to restore highlights reconstructed by Color propagation \n In between these two areas, the full value of the Log encoding settings will be applied. +!TP_LOCALLAB_MASKRESCB_TOOLTIP;Used to modulate the effect of the CBDL (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the CBDL settings \n In between these two areas, the full value of the CBDL settings will be applied. +!TP_LOCALLAB_MASKRESH_TOOLTIP;Used to modulate the effect of the Shadows Highlights settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Shadows Highlights settings \n In between these two areas, the full value of the Shadows Highlights settings will be applied. +!TP_LOCALLAB_MASKRESRETI_TOOLTIP;Used to modulate the effect of the Retinex (Luminance only) settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Retinex settings \n In between these two areas, the full value of the Retinex settings will be applied. +!TP_LOCALLAB_MASKRESTM_TOOLTIP;Used to modulate the effect of the Tone Mapping settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Tone Mapping settings \n In between these two areas, the full value of the Tone Mapping settings will be applied. +!TP_LOCALLAB_MASKRESVIB_TOOLTIP;Used to modulate the effect of the Vibrance and Warm Cool settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Vibrance and Warm Cool settings \n In between these two areas, the full value of the Vibrance and Warm Cool settings will be applied. +!TP_LOCALLAB_MASKRESWAV_TOOLTIP;Used to modulate the effect of the Local contrast and Wavelet settings based on the image luminance information contained in the L(L) or LC(H) masks (Mask and modifications).\n The L(L) mask or the LC(H) mask must be enabled to use this function.\n The 'dark' and 'light' areas below the dark threshold and above the light threshold will be restored progressively to their original values prior to being modified by the Local contrast and Wavelet settings \n In between these two areas, the full value of the Local contrast and Wavelet settings will be applied. +!TP_LOCALLAB_MASKUNUSABLE;Mask disabled (Mask & modifications) +!TP_LOCALLAB_MASKUSABLE;Mask enabled (Mask & modifications) +!TP_LOCALLAB_MASK_TOOLTIP;You can enable multiple masks for a tool by activating another tool and using only the mask (set the tool sliders to 0 ).\n\nYou can also duplicate the RT-spot and place it close to the first spot. The small variations in the spot references allow you to make fine adjustments. +!TP_LOCALLAB_MEDIAN;Median Low +!TP_LOCALLAB_MEDIANITER_TOOLTIP;The number of successive iterations carried out by the median filter. +!TP_LOCALLAB_MEDIAN_TOOLTIP;You can choose a median value in the range 3x3 to 9x9 pixels. Higher values increase noise reduction and blur. +!TP_LOCALLAB_MEDNONE;None +!TP_LOCALLAB_MERCOL;Color +!TP_LOCALLAB_MERDCOL;Merge background (ΔE) +!TP_LOCALLAB_MERELE;Lighten only +!TP_LOCALLAB_MERFIV;Addition +!TP_LOCALLAB_MERFOR;Color Dodge +!TP_LOCALLAB_MERFOU;Multiply +!TP_LOCALLAB_MERGE1COLFRA;Merge with Original/Previous/Background +!TP_LOCALLAB_MERGECOLFRA;Mask: LCh & Structure +!TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Allows you to create masks based on the 3 LCh curves and/or a structure-detection algorithm. +!TP_LOCALLAB_MERGEMER_TOOLTIP;Takes ΔE into account when merging files (equivalent of scope in this case). +!TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacity = % of current spot to be merged with original or previous Spot.\nContrast threshold : adjusts result as a function of contrast in original image. +!TP_LOCALLAB_MERHEI;Overlay +!TP_LOCALLAB_MERHUE;Hue +!TP_LOCALLAB_MERLUCOL;Luminance +!TP_LOCALLAB_MERLUM;Luminosity +!TP_LOCALLAB_MERNIN;Screen +!TP_LOCALLAB_MERONE;Normal +!TP_LOCALLAB_MERSAT;Saturation +!TP_LOCALLAB_MERSEV;Soft Light (legacy) +!TP_LOCALLAB_MERSEV0;Soft Light Illusion +!TP_LOCALLAB_MERSEV1;Soft Light W3C +!TP_LOCALLAB_MERSEV2;Hard Light +!TP_LOCALLAB_MERSIX;Divide +!TP_LOCALLAB_MERTEN;Darken only +!TP_LOCALLAB_MERTHI;Color Burn +!TP_LOCALLAB_MERTHR;Difference +!TP_LOCALLAB_MERTWE;Exclusion +!TP_LOCALLAB_MERTWO;Subtract +!TP_LOCALLAB_METHOD_TOOLTIP;'Enhanced + chroma denoise' significantly increases processing times.\nBut reduce artifacts. +!TP_LOCALLAB_MLABEL;Restored data Min=%1 Max=%2 +!TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. +!TP_LOCALLAB_MODE_EXPERT;Advanced +!TP_LOCALLAB_MODE_NORMAL;Standard +!TP_LOCALLAB_MODE_SIMPLE;Basic +!TP_LOCALLAB_MRFIV;Background +!TP_LOCALLAB_MRFOU;Previous Spot +!TP_LOCALLAB_MRONE;None +!TP_LOCALLAB_MRTHR;Original Image +!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask +!TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. +!TP_LOCALLAB_NEIGH;Radius +!TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. +!TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. +!TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Higher values increase denoise at the expense of processing time. +!TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detail recovery' acts on a Laplacian transform to target uniform areas rather than areas with detail. +!TP_LOCALLAB_NLDET;Detail recovery +!TP_LOCALLAB_NLFRA;Non-local Means - Luminance +!TP_LOCALLAB_NLFRAME_TOOLTIP;Non-local means denoising takes a mean of all pixels in the image, weighted by how similar they are to the target pixel.\nReduces loss of detail compared with local mean algorithms.\nOnly luminance noise is taken into account. Chrominance noise is best processed using wavelets and Fourier transforms (DCT).\nCan be used in conjunction with 'Luminance denoise by level' or on its own. +!TP_LOCALLAB_NLGAM;Gamma +!TP_LOCALLAB_NLLUM;Strength +!TP_LOCALLAB_NLPAT;Maximum patch size +!TP_LOCALLAB_NLRAD;Maximum radius size +!TP_LOCALLAB_NOISECHROCOARSE;Coarse chroma (Wav) +!TP_LOCALLAB_NOISECHROC_TOOLTIP;If superior to zero, high quality algorithm is enabled.\nCoarse is for slider >=0.02. +!TP_LOCALLAB_NOISECHRODETAIL;Chroma detail recovery +!TP_LOCALLAB_NOISECHROFINE;Fine chroma (Wav) +!TP_LOCALLAB_NOISEGAM;Gamma +!TP_LOCALLAB_NOISEGAM_TOOLTIP;If gamma = 1 Luminance 'Lab' is used. If gamma = 3.0 Luminance 'linear' is used.\nLower values preserve details and texture, higher values increase denoise. +!TP_LOCALLAB_NOISELEQUAL;Equalizer white-black +!TP_LOCALLAB_NOISELUMCOARSE;Luminance coarse (Wav) +!TP_LOCALLAB_NOISELUMDETAIL;Luma detail recovery +!TP_LOCALLAB_NOISELUMFINE;Luminance fine 1 (Wav) +!TP_LOCALLAB_NOISELUMFINETWO;Luminance fine 2 (Wav) +!TP_LOCALLAB_NOISELUMFINEZERO;Luminance fine 0 (Wav) +!TP_LOCALLAB_NOISEMETH;Denoise +!TP_LOCALLAB_NOISE_TOOLTIP;Adds luminance noise. +!TP_LOCALLAB_NONENOISE;None +!TP_LOCALLAB_NUL_TOOLTIP;. +!TP_LOCALLAB_OFFS;Offset +!TP_LOCALLAB_OFFSETWAV;Offset +!TP_LOCALLAB_OPACOL;Opacity +!TP_LOCALLAB_ORIGLC;Merge only with original image +!TP_LOCALLAB_ORRETILAP_TOOLTIP;Modifies ΔE prior to any changes made by 'Scope'. This allows you to differentiate the action for different parts of the image (with respect to the background for example). +!TP_LOCALLAB_ORRETISTREN_TOOLTIP;Acts on the Laplacian threshold, the greater the action, the more the differences in contrast will be reduced. +!TP_LOCALLAB_PASTELS2;Vibrance +!TP_LOCALLAB_PDE;Contrast Attenuator - Dynamic Range compression +!TP_LOCALLAB_PDEFRA;Contrast Attenuator ƒ +!TP_LOCALLAB_PDEFRAME_TOOLTIP;PDE IPOL algorithm adapted for Rawtherapee : gives different results and requires different settings compared to main-menu 'Exposure'.\nMay be useful for under-exposed or high dynamic range images. +!TP_LOCALLAB_PREVHIDE;Hide additional settings +!TP_LOCALLAB_PREVIEW;Preview ΔE +!TP_LOCALLAB_PREVSHOW;Show additional settings +!TP_LOCALLAB_PROXI;ΔE decay +!TP_LOCALLAB_QUAAGRES;Aggressive +!TP_LOCALLAB_QUACONSER;Conservative +!TP_LOCALLAB_QUALCURV_METHOD;Curve type +!TP_LOCALLAB_QUAL_METHOD;Global quality +!TP_LOCALLAB_QUANONEALL;Off +!TP_LOCALLAB_QUANONEWAV;Non-local means only +!TP_LOCALLAB_RADIUS;Radius +!TP_LOCALLAB_RADIUS_TOOLTIP;Uses a Fast Fourier Transform for radius > 30. +!TP_LOCALLAB_RADMASKCOL;Smooth radius +!TP_LOCALLAB_RECOTHRES02_TOOLTIP;If the 'Recovery threshold' value is greater than 1, the mask in Mask and Modifications takes into account any previous modifications made to the image but not those made with the current tool (e.g. Color and Light, Wavelet, Cam16, etc.)\nIf the value of the 'Recovery threshold' is less than 1, the mask in Mask and Modifications does not take into account any previous modifications to the image.\n\nIn both cases, the 'Recovery threshold' acts on the masked image as modified by the current tool (Color and Light, Wavelet, Cam16, etc.). +!TP_LOCALLAB_RECT;Rectangle +!TP_LOCALLAB_RECURS;Recursive references +!TP_LOCALLAB_RECURS_TOOLTIP;Forces the algorithm to recalculate the references after each tool is applied.\nAlso useful for working with masks. +!TP_LOCALLAB_REN_DIALOG_LAB;Enter the new Control Spot name +!TP_LOCALLAB_REN_DIALOG_NAME;Renaming Control Spot +!TP_LOCALLAB_REPARCOL_TOOLTIP;Allows you to adjust the relative strength of the Color and Light image with respect to the original image. +!TP_LOCALLAB_REPARDEN_TOOLTIP;Allows you to adjust the relative strength of the Denoise image with respect to the original image. +!TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the Dynamic Range and Exposure image with respect to the original image. +!TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. +!TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. +!TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. +!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications +!TP_LOCALLAB_RESID;Residual Image +!TP_LOCALLAB_RESIDBLUR;Blur residual image +!TP_LOCALLAB_RESIDCHRO;Residual image Chroma +!TP_LOCALLAB_RESIDCOMP;Compress residual image +!TP_LOCALLAB_RESIDCONT;Residual image Contrast +!TP_LOCALLAB_RESIDHI;Highlights +!TP_LOCALLAB_RESIDHITHR;Highlights threshold +!TP_LOCALLAB_RESIDSHA;Shadows +!TP_LOCALLAB_RESIDSHATHR;Shadows threshold +!TP_LOCALLAB_RETI;Dehaze & Retinex +!TP_LOCALLAB_RETIFRA;Retinex +!TP_LOCALLAB_RETIFRAME_TOOLTIP;Retinex can be useful for processing images: \nthat are blurred, foggy or hazy (in addition to Dehaze).\nthat contain large differences in luminance.\nIt can also be used for special effects (tone mapping). +!TP_LOCALLAB_RETIM;Original Retinex +!TP_LOCALLAB_RETITOOLFRA;Retinex Tools +!TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Has no effect when the value of 'Lightness = 1' or 'Darkness =2'.\nFor other values, the last step of a 'Multiple scale Retinex' algorithm (similar to 'local contrast') is applied. These 2 cursors, associated with 'Strength' allow you to make adjustments upstream of local contrast. +!TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Adjusts the internal parameters to optimize the response.\nPreferable to keep the 'Restored data' values close to Min=0 and Max=32768 (log mode), but other values are possible. +!TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm mode introduces more contrast but will also generate more halos. +!TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;The radius and variance sliders allow you adjust haze and target either the foreground or the background. +!TP_LOCALLAB_RETI_SCALE_TOOLTIP;If Scale=1, Retinex behaves like local contrast with additional possibilities.\nIncreasing the value of Scale increases the intensity of the recursive action at the expense of processing time. +!TP_LOCALLAB_RET_TOOLNAME;Dehaze & Retinex +!TP_LOCALLAB_REWEI;Reweighting iterates +!TP_LOCALLAB_RGB;RGB Tone Curve +!TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. +!TP_LOCALLAB_ROW_NVIS;Not visible +!TP_LOCALLAB_ROW_VIS;Visible +!TP_LOCALLAB_RSTPROTECT_TOOLTIP;Red and skin-tone protection affects the Saturation, Chroma and Colorfulness sliders. +!TP_LOCALLAB_SATUR;Saturation +!TP_LOCALLAB_SATURV;Saturation (s) +!TP_LOCALLAB_SCALEGR;Scale +!TP_LOCALLAB_SCALERETI;Scale +!TP_LOCALLAB_SCALTM;Scale +!TP_LOCALLAB_SCOPEMASK;Scope (ΔE image mask) +!TP_LOCALLAB_SCOPEMASK_TOOLTIP;Enabled if ΔE Image Mask is enabled.\nLow values avoid retouching selected area. +!TP_LOCALLAB_SENSI;Scope +!TP_LOCALLAB_SENSIEXCLU;Scope +!TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Adjust the colors to be excluded. +!TP_LOCALLAB_SENSIMASK_TOOLTIP;Scope adjustment specific to common mask tool.\nActs on the difference between the original image and the mask.\nUses the luma, chroma and hue references from the center of the RT-spot\n\nYou can also adjust the ΔE of the mask itself by using 'Scope (ΔE image mask)' in 'Settings' > 'Mask and Merge'. +!TP_LOCALLAB_SENSI_TOOLTIP;Adjusts the scope of the action:\nSmall values limit the action to colors similar to those in the center of the spot.\nHigh values let the tool act on a wider range of colors. +!TP_LOCALLAB_SETTINGS;Settings +!TP_LOCALLAB_SH1;Shadows Highlights +!TP_LOCALLAB_SH2;Equalizer +!TP_LOCALLAB_SHADEX;Shadows +!TP_LOCALLAB_SHADEXCOMP;Shadow compression +!TP_LOCALLAB_SHADHIGH;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SHADHMASK_TOOLTIP;Lowers the highlights of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADMASK_TOOLTIP;Lifts the shadows of the mask in the same way as the shadows/highlights algorithm. +!TP_LOCALLAB_SHADOWHIGHLIGHT_TOOLTIP;Adjust shadows and highlights either with shadows & highlights sliders or with a tone equalizer.\nCan be used instead of, or in conjunction with the Exposure module.\nCan also be used as a graduated filter. +!TP_LOCALLAB_SHAMASKCOL;Shadows +!TP_LOCALLAB_SHAPETYPE;RT-spot shape +!TP_LOCALLAB_SHAPE_TOOLTIP;'Ellipse' is the normal mode.\n 'Rectangle' can be used in certain cases, for example to work in full-image mode by placing the delimiters outside the preview area. In this case, set transition = 100.\n\nFuture developments will include polygon shapes and Bezier curves. +!TP_LOCALLAB_SHARAMOUNT;Amount +!TP_LOCALLAB_SHARBLUR;Blur radius +!TP_LOCALLAB_SHARDAMPING;Damping +!TP_LOCALLAB_SHARFRAME;Modifications +!TP_LOCALLAB_SHARITER;Iterations +!TP_LOCALLAB_SHARP;Sharpening +!TP_LOCALLAB_SHARP_TOOLNAME;Sharpening +!TP_LOCALLAB_SHARRADIUS;Radius +!TP_LOCALLAB_SHORTC;Short Curves 'L' Mask +!TP_LOCALLAB_SHORTCMASK_TOOLTIP;Short circuit the 2 curves L(L) and L(H).\nAllows you to mix the current image with the original image modified by the mask job.\nUsable with masks 2, 3, 4, 6, 7. +!TP_LOCALLAB_SHOWC;Mask and modifications +!TP_LOCALLAB_SHOWC1;Merge file +!TP_LOCALLAB_SHOWCB;Mask and modifications +!TP_LOCALLAB_SHOWDCT;Show Fourier (ƒ) process +!TP_LOCALLAB_SHOWE;Mask and modifications +!TP_LOCALLAB_SHOWFOURIER;Fourier ƒ(dct) +!TP_LOCALLAB_SHOWLAPLACE;∆ Laplacian (first) +!TP_LOCALLAB_SHOWLC;Mask and modifications +!TP_LOCALLAB_SHOWMASK;Show mask +!TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;Displays masks and modifications.\nBeware, you can only view one tool mask at a time.\nShow modified image: shows the modified image including the effect of any adjustments and masks.\nShow modified areas without mask: shows the modifications before any masks are applied.\nShow modified areas with mask: shows the modifications after a mask has been applied.\nShow mask: shows the aspect of the mask including the effect of any curves and filters.\nShow spot structure: allows you to see the structure-detection mask when the 'Spot structure' cursor is activated (when available).\nNote: The mask is applied before the shape detection algorithm. +!TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Allows you to visualize the different stages of the Fourier process.\n Laplace - calculates the second derivative of the Laplace transform as a function of the threshold.\nFourier - shows the Laplacian transform with DCT.\nPoisson - shows the solution of the Poisson DCE.\nNo luminance normalization - shows result without any luminance normalization. +!TP_LOCALLAB_SHOWMASKTYP1;Blur & Noise +!TP_LOCALLAB_SHOWMASKTYP2;Denoise +!TP_LOCALLAB_SHOWMASKTYP3;Blur & Noise + Denoise +!TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Can be used with 'Mask and modifications'.\nIf 'Blur and noise' is selected, the mask cannot be used for Denoise.\nIf Denoise is selected, the mask cannot be used for 'Blur and noise'.\nIf 'Blur and noise + Denoise' is selected, the mask is shared. Note that in this case, the Scope sliders for both 'Blur and noise' and Denoise will be active so it is advisable to use the option 'Show modifications with mask' when making any adjustments. +!TP_LOCALLAB_SHOWMNONE;Show modified image +!TP_LOCALLAB_SHOWMODIF;Show modified areas without mask +!TP_LOCALLAB_SHOWMODIF2;Show modified areas +!TP_LOCALLAB_SHOWMODIFMASK;Show modified areas with mask +!TP_LOCALLAB_SHOWNORMAL;No luminance normalization +!TP_LOCALLAB_SHOWPLUS;Mask and modifications (Blur & Denoise) +!TP_LOCALLAB_SHOWPOISSON;Poisson (pde ƒ) +!TP_LOCALLAB_SHOWR;Mask and modifications +!TP_LOCALLAB_SHOWREF;Preview ΔE +!TP_LOCALLAB_SHOWS;Mask and modifications +!TP_LOCALLAB_SHOWSTRUC;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWSTRUCEX;Show spot structure(Advanced) +!TP_LOCALLAB_SHOWT;Mask and modifications +!TP_LOCALLAB_SHOWVI;Mask and modifications +!TP_LOCALLAB_SHRESFRA;Shadows/Highlights & TRC +!TP_LOCALLAB_SHTRC_TOOLTIP;Based on 'working profile' (only those provided), modifies the tones of the image by acting on a TRC (Tone Response Curve).\nGamma acts mainly on light tones.\nSlope acts mainly on dark tones.\nIt is recommended that the TRC of both devices (monitor and output profile) be sRGB (default). +!TP_LOCALLAB_SH_TOOLNAME;Shadows/Highlights & Tone Equalizer +!TP_LOCALLAB_SIGFRA;Sigmoid Q & Log encoding Q +!TP_LOCALLAB_SIGJZFRA;Sigmoid Jz +!TP_LOCALLAB_SIGMAWAV;Attenuation response +!TP_LOCALLAB_SIGMOIDBL;Blend +!TP_LOCALLAB_SIGMOIDLAMBDA;Contrast +!TP_LOCALLAB_SIGMOIDQJ;Uses Black Ev & White Ev +!TP_LOCALLAB_SIGMOIDTH;Threshold (Gray point) +!TP_LOCALLAB_SIGMOID_TOOLTIP;Allows you to simulate a Tone-mapping appearance using both the'Ciecam' (or 'Jz') and 'Sigmoid' function.\nThree sliders: a) Contrast acts on the shape of the sigmoid curve and consequently on the strength; b) Threshold (Gray point) distributes the action according to the luminance; c)Blend acts on the final aspect of the image, contrast and luminance. +!TP_LOCALLAB_SLOMASKCOL;Slope +!TP_LOCALLAB_SLOMASK_TOOLTIP;Adjusting Gamma and Slope can provide a soft and artifact-free transformation of the mask by progressively modifying 'L' to avoid any discontinuities. +!TP_LOCALLAB_SLOSH;Slope +!TP_LOCALLAB_SOFT;Soft Light & Original Retinex +!TP_LOCALLAB_SOFTM;Soft Light +!TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Apply a Soft-light blend (identical to the global adjustment). Carry out dodge and burn using the original Retinex algorithm. +!TP_LOCALLAB_SOFTRADIUSCOL;Soft radius +!TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applies a guided filter to the output image to reduce possible artifacts. +!TP_LOCALLAB_SOFTRETI;Reduce ΔE artifacts +!TP_LOCALLAB_SOFT_TOOLNAME;Soft Light & Original Retinex +!TP_LOCALLAB_SOURCE_ABS;Absolute luminance +!TP_LOCALLAB_SOURCE_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_SPECCASE;Specific cases +!TP_LOCALLAB_SPECIAL;Special use of RGB curves +!TP_LOCALLAB_SPECIAL_TOOLTIP;The checkbox allows you to remove all other actions i.e. 'Scope', masks, sliders etc., (except for transitions) and use just the effect of the RGB tone-curve. +!TP_LOCALLAB_SPOTNAME;New Spot +!TP_LOCALLAB_STD;Standard +!TP_LOCALLAB_STR;Strength +!TP_LOCALLAB_STRBL;Strength +!TP_LOCALLAB_STREN;Compression strength +!TP_LOCALLAB_STRENG;Strength +!TP_LOCALLAB_STRENGR;Strength +!TP_LOCALLAB_STRENGRID_TOOLTIP;You can adjust the desired effect with 'strength', but you can also use the 'scope' function which allows you to delimit the action (e.g. to isolate a particular color). +!TP_LOCALLAB_STRENGTH;Noise +!TP_LOCALLAB_STRGRID;Strength +!TP_LOCALLAB_STRUC;Structure +!TP_LOCALLAB_STRUCCOL;Spot structure +!TP_LOCALLAB_STRUCCOL1;Spot structure +!TP_LOCALLAB_STRUCT_TOOLTIP;Uses the Sobel algorithm to take into account structure for shape detection.\nActivate 'Mask and modifications' > 'Show spot structure' (Advanced mode) to see a preview of the mask (without modifications).\n\nCan be used in conjunction with the Structure Mask, Blur Mask and 'Local contrast' (by wavelet level) to improve edge detection.\n\nEffects of adjustments using Lightness, Contrast, Chrominance, Exposure or other non-mask-related tools visible using either 'Show modified image' or 'Show modified areas with mask'. +!TP_LOCALLAB_STRUMASKCOL;Structure mask strength +!TP_LOCALLAB_STRUMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' unchecked: In this case a mask showing the structure will be generated even if none of the 3 curves is activated. Structure masks are available for mask (Blur and denoise') and mask(Color & Light). +!TP_LOCALLAB_STRUSTRMASK_TOOLTIP;Moderate use of this slider is recommended! +!TP_LOCALLAB_STYPE;Shape method +!TP_LOCALLAB_STYPE_TOOLTIP;You can choose between:\nSymmetrical - left handle linked to right, top handle linked to bottom.\nIndependent - all handles are independent. +!TP_LOCALLAB_SYM;Symmetrical (mouse) +!TP_LOCALLAB_SYMSL;Symmetrical (mouse + sliders) +!TP_LOCALLAB_TARGET_GRAY;Mean luminance (Yb%) +!TP_LOCALLAB_THRES;Threshold structure +!TP_LOCALLAB_THRESDELTAE;ΔE scope threshold +!TP_LOCALLAB_THRESRETI;Threshold +!TP_LOCALLAB_THRESWAV;Balance threshold +!TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mean=%3 Sig=%4 +!TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. +!TP_LOCALLAB_TM;Tone Mapping +!TP_LOCALLAB_TM_MASK;Use transmission map +!TP_LOCALLAB_TONEMAPESTOP_TOOLTIP;This slider affects edge sensitivity.\n The greater the value, the more likely a change in contrast will be interpreted as an 'edge'.\n If set to zero the tone mapping will have an effect similar to unsharp masking. +!TP_LOCALLAB_TONEMAPGAM_TOOLTIP;The Gamma slider shifts the tone-mapping effect towards either the shadows or the highlights. +!TP_LOCALLAB_TONEMAPREWEI_TOOLTIP;In some cases tone mapping may result in a cartoonish appearance, and in some rare cases soft but wide halos may appear.\n Increasing the number of reweighting iterates will help fight some of these problems. +!TP_LOCALLAB_TONEMAP_TOOLTIP;Same as the tone mapping tool in the main menu.\nThe main-menu tool must be deactivated if this tool is used. +!TP_LOCALLAB_TONEMASCALE_TOOLTIP;This slider allows you to adjust the transition between 'local' and 'global' contrast.\nThe greater the value, the larger a detail needs to be for it to be boosted. +!TP_LOCALLAB_TONE_TOOLNAME;Tone Mapping +!TP_LOCALLAB_TOOLCOL;Structure mask as tool +!TP_LOCALLAB_TOOLCOLFRMASK_TOOLTIP;Allows you to modify the mask, if one exists. +!TP_LOCALLAB_TOOLMASK;Mask Tools +!TP_LOCALLAB_TOOLMASK_2;Wavelets +!TP_LOCALLAB_TOOLMASK_TOOLTIP;Structure mask (slider) with the checkbox 'Structure mask as tool' checked: in this case a mask showing the structure will be generated after one or more of the 2 curves L(L) or LC(H) has been modified.\n Here, the 'Structure mask' behaves like the other Mask tools : Gamma, Slope, etc.\n It allows you to vary the action on the mask according to the structure of the image. +!TP_LOCALLAB_TRANSIT;Transition Gradient +!TP_LOCALLAB_TRANSITGRAD;Transition differentiation XY +!TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Allows you to vary the y-axis transition. +!TP_LOCALLAB_TRANSITVALUE;Transition value +!TP_LOCALLAB_TRANSITWEAK;Transition decay (linear-log) +!TP_LOCALLAB_TRANSITWEAK_TOOLTIP;Adjust transition decay function: 1 linear , 2 parabolic, 3 cubic up to ^25.\nCan be used in conjunction with very low transition values to reduce defects (CBDL, Wavelets, Color & Light). +!TP_LOCALLAB_TRANSIT_TOOLTIP;Adjust smoothness of transition between affected and unaffected areas as a percentage of the 'radius'. +!TP_LOCALLAB_TRANSMISSIONGAIN;Transmission gain +!TP_LOCALLAB_TRANSMISSIONMAP;Transmission map +!TP_LOCALLAB_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positive values (max).\nOrdinate: amplification or reduction.\nYou can adjust this curve to change the Transmission and reduce artifacts. +!TP_LOCALLAB_USEMASK;Laplacian +!TP_LOCALLAB_VART;Variance (contrast) +!TP_LOCALLAB_VIBRANCE;Vibrance & Warm/Cool +!TP_LOCALLAB_VIBRA_TOOLTIP;Adjusts vibrance (essentially the same as the global adjustment).\nCarries out the equivalent of a white-balance adjustment using a CIECAM algorithm. +!TP_LOCALLAB_VIB_TOOLNAME;Vibrance & Warm/Cool +!TP_LOCALLAB_VIS_TOOLTIP;Click to show/hide selected Control Spot.\nCtrl+click to show/hide all Control Spot. +!TP_LOCALLAB_WARM;Warm/Cool & Color artifacts +!TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a White Balance control to make the color temperature of the selected area warmer or cooler.\nIt can also reduce color artifacts in some cases. +!TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). +!TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. +!TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. +!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. +!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. +!TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. +!TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. +!TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. +!TP_LOCALLAB_WAT_DELTABAL_TOOLTIP;By moving the slider to the left, the lower levels are accentuated. To the right, the lower levels are reduced and the higher levels accentuated. +!TP_LOCALLAB_WAT_EXPRESID_TOOLTIP;The residual image behaves in the same way as the main image when making adjustments to contrast, chroma etc. +!TP_LOCALLAB_WAT_GRADW_TOOLTIP;The more you move the slider to the right, the more effective the detection algorithm will be and the less noticeable the effects of local contrast. +!TP_LOCALLAB_WAT_LEVELLOCCONTRAST_TOOLTIP;Low to high local contrast from left to right on the x-axis.\nIncreases or decreases local contrast on the y-axis. +!TP_LOCALLAB_WAT_LOCCONTRASTEDG_TOOLTIP;You can adjust the distribution of local contrast by wavelet level based on the initial intensity of the contrast. This will modify the effects of perspective and relief in the image, and/or reduce the contrast values for very low initial contrast levels. +!TP_LOCALLAB_WAT_ORIGLC_TOOLTIP;'Merge only with original image', prevents the 'Wavelet Pyramid' settings from interfering with 'Clarity' and 'Sharp mask'. +!TP_LOCALLAB_WAT_RESIDBLUR_TOOLTIP;Blurs the residual image, independent of the levels. +!TP_LOCALLAB_WAT_RESIDCOMP_TOOLTIP;Compresses the residual image to increase or reduce contrast. +!TP_LOCALLAB_WAT_SIGMALC_TOOLTIP;The effect of the local contrast adjustment is stronger for medium-contrast details and weaker for high and low-contrast details.\n This slider controls how quickly the effect dampens towards the extreme contrasts.\nThe higher the value of the slider, the wider the range of contrasts that will receive the full effect of the local contrast adjustment and the higher the risk of generating artifacts.\nThe lower the value, the more the effect will be pinpointed towards a narrow range of contrast values. +!TP_LOCALLAB_WAT_STRENGTHW_TOOLTIP;Intensity of edge-effect detection. +!TP_LOCALLAB_WAT_STRWAV_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAT_THRESHOLDWAV_TOOLTIP;Range of wavelet levels used throughout the Wavelets module. +!TP_LOCALLAB_WAT_WAVBLURCURV_TOOLTIP;Allows you to blur each level of decomposition.\nThe finest to coarsest levels of decomposition are from left to right. +!TP_LOCALLAB_WAT_WAVCBDL_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAT_WAVDELTABAL_TOOLTIP;Acts on the balance of the three directions (horizontal, vertical and diagonal) based on the luminance of the image.\nBy default the shadows or highlights are reduced to avoid artifacts. +!TP_LOCALLAB_WAT_WAVESHOW_TOOLTIP;Shows all of the 'Edge sharpness' tools. It is advisable to read the Wavelet Levels documentation. +!TP_LOCALLAB_WAT_WAVLEVELBLUR_TOOLTIP;Allows you to adjust the maximum effect of blurring on the levels. +!TP_LOCALLAB_WAT_WAVSHAPE_TOOLTIP;Low to high local contrast from left to right on the x-axis\nIncrease or decrease local contrast on the y-axis. +!TP_LOCALLAB_WAT_WAVTM_TOOLTIP;The lower (negative) part compresses each level of decomposition creating a tone mapping effect.\nThe upper (positive) part attenuates the contrast by level.\nThe finest to coarsest levels of decomposition are from left to right on the x-axis. +!TP_LOCALLAB_WAV;Local contrast +!TP_LOCALLAB_WAVBLUR_TOOLTIP;Allows you to blur each level of the decomposition, as well as the residual image. +!TP_LOCALLAB_WAVCOMP;Compression by level +!TP_LOCALLAB_WAVCOMPRE;Compression by level +!TP_LOCALLAB_WAVCOMPRE_TOOLTIP;Allows you to apply tone mapping or reduce local contrast on individual levels.\nFine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVCOMP_TOOLTIP;Allows you to apply local contrast based on the direction of the wavelet decomposition : horizontal, vertical, diagonal. +!TP_LOCALLAB_WAVCON;Contrast by level +!TP_LOCALLAB_WAVCONTF_TOOLTIP;Similar to Contrast By Detail Levels. Fine to coarse detail levels from left to right on the x-axis. +!TP_LOCALLAB_WAVDEN;Luminance denoise +!TP_LOCALLAB_WAVE;Wavelets +!TP_LOCALLAB_WAVEDG;Local contrast +!TP_LOCALLAB_WAVEEDG_TOOLTIP;Improves sharpness by targeting the action of local contrast on the edges. It has the same functions as the corresponding module in Wavelet Levels and uses the same settings. +!TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Range of wavelet levels used in 'Local contrast' (by wavelet level). +!TP_LOCALLAB_WAVGRAD_TOOLTIP;Allows the local contrast to be varied according to a chosen gradient and angle. The variation of the luminance signal is taken into account and not the luminance. +!TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. +!TP_LOCALLAB_WAVLEV;Blur by level +!TP_LOCALLAB_WAVMASK;Local contrast +!TP_LOCALLAB_WAVMASK_TOOLTIP;Uses wavelets to modify the local contrast of the mask and reinforce or reduce the structure (skin, buildings, etc.). +!TP_LOCALLAB_WEDIANHI;Median Hi +!TP_LOCALLAB_WHITE_EV;White Ev +!TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments +!TP_LOCALLAB_ZCAMTHRES;Retrieve high datas +!TP_LOCAL_HEIGHT;Bottom +!TP_LOCAL_HEIGHT_T;Top +!TP_LOCAL_WIDTH;Right +!TP_LOCAL_WIDTH_L;Left +!TP_LOCRETI_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Evenly distributed.\nHigh = Reinforce strong light. !TP_METADATA_EDIT;Apply modifications !TP_METADATA_MODE;Metadata copy mode !TP_METADATA_STRIP;Strip all metadata !TP_METADATA_TUNNEL;Copy unchanged !TP_PDSHARPENING_LABEL;Capture Sharpening +!TP_PERSPECTIVE_CAMERA_CROP_FACTOR;Crop factor +!TP_PERSPECTIVE_CAMERA_FOCAL_LENGTH;Focal length +!TP_PERSPECTIVE_CAMERA_FRAME;Correction +!TP_PERSPECTIVE_CAMERA_PITCH;Vertical +!TP_PERSPECTIVE_CAMERA_ROLL;Rotation +!TP_PERSPECTIVE_CAMERA_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_CAMERA_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_CAMERA_YAW;Horizontal +!TP_PERSPECTIVE_CONTROL_LINES;Control lines +!TP_PERSPECTIVE_CONTROL_LINES_TOOLTIP;Ctrl+drag: Draw new line\nRight-click: Delete line +!TP_PERSPECTIVE_CONTROL_LINE_APPLY_INVALID_TOOLTIP;At least two horizontal or two vertical control lines required. +!TP_PERSPECTIVE_METHOD;Method +!TP_PERSPECTIVE_METHOD_CAMERA_BASED;Camera-based +!TP_PERSPECTIVE_METHOD_SIMPLE;Simple +!TP_PERSPECTIVE_POST_CORRECTION_ADJUSTMENT_FRAME;Post-correction adjustment +!TP_PERSPECTIVE_PROJECTION_PITCH;Vertical +!TP_PERSPECTIVE_PROJECTION_ROTATE;Rotation +!TP_PERSPECTIVE_PROJECTION_SHIFT_HORIZONTAL;Horizontal shift +!TP_PERSPECTIVE_PROJECTION_SHIFT_VERTICAL;Vertical shift +!TP_PERSPECTIVE_PROJECTION_YAW;Horizontal +!TP_PERSPECTIVE_RECOVERY_FRAME;Recovery !TP_PREPROCESS_LINEDENOISE_DIRECTION;Direction !TP_PREPROCESS_LINEDENOISE_DIRECTION_BOTH;Both !TP_PREPROCESS_LINEDENOISE_DIRECTION_HORIZONTAL;Horizontal !TP_PREPROCESS_LINEDENOISE_DIRECTION_PDAF_LINES;Horizontal only on PDAF rows !TP_PREPROCESS_LINEDENOISE_DIRECTION_VERTICAL;Vertical !TP_PREPROCESS_PDAFLINESFILTER;PDAF lines filter +!TP_PREPROCWB_LABEL;Preprocess White Balance +!TP_PREPROCWB_MODE;Mode +!TP_PREPROCWB_MODE_AUTO;Auto +!TP_PREPROCWB_MODE_CAMERA;Camera !TP_RAWCACORR_AUTOIT;Iterations -!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if "Auto-correction" is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. +!TP_RAWCACORR_AUTOIT_TOOLTIP;This setting is available if 'Auto-correction' is checked.\nAuto-correction is conservative, meaning that it often does not correct all chromatic aberration.\nTo correct the remaining chromatic aberration, you can use up to five iterations of automatic chromatic aberration correction.\nEach iteration will reduce the remaining chromatic aberration from the last iteration at the cost of additional processing time. !TP_RAWCACORR_AVOIDCOLORSHIFT;Avoid color shift !TP_RAW_1PASSMEDIUM;1-pass (Markesteijn) !TP_RAW_2PASS;1-pass+fast @@ -2185,9 +3880,11 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_RAW_4PASS;3-pass+fast !TP_RAW_AHD;AHD !TP_RAW_AMAZE;AMaZE +!TP_RAW_AMAZEBILINEAR;AMaZE+Bilinear !TP_RAW_AMAZEVNG4;AMaZE+VNG4 !TP_RAW_BORDER;Border !TP_RAW_DCB;DCB +!TP_RAW_DCBBILINEAR;DCB+Bilinear !TP_RAW_DCBVNG4;DCB+VNG4 !TP_RAW_DUALDEMOSAICAUTOCONTRAST;Auto threshold !TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;If the checkbox is checked (recommended), RawTherapee calculates an optimum value based on flat regions in the image.\nIf there is no flat region in the image or the image is too noisy, the value will be set to 0.\nTo set the value manually, uncheck the checkbox first (reasonable values depend on the image). @@ -2203,6 +3900,8 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_RAW_MONO;Mono !TP_RAW_NONE;None (Shows sensor pattern) !TP_RAW_PIXELSHIFT;Pixel Shift +!TP_RAW_PIXELSHIFTAVERAGE;Use average for moving parts +!TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;Use average of all frames instead of selected frame for regions with motion.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTBLUR;Blur motion mask !TP_RAW_PIXELSHIFTDMETHOD;Demosaic method for motion !TP_RAW_PIXELSHIFTEPERISO;Sensitivity @@ -2213,7 +3912,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;Equalize the brightness of the frames to the brightness of the selected frame.\nIf there are overexposed areas in the frames select the brightest frame to avoid magenta color cast in overexposed areas or enable motion correction. !TP_RAW_PIXELSHIFTGREEN;Check green channel for motion !TP_RAW_PIXELSHIFTHOLEFILL;Fill holes in motion mask -!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask +!TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;Fill holes in motion mask. !TP_RAW_PIXELSHIFTMEDIAN;Use median for moving parts !TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;Use median of all frames instead of selected frame for regions with motion.\nRemoves objects which are at different places in all frames.\nGives motion effect on slow moving (overlapping) objects. !TP_RAW_PIXELSHIFTMM_AUTO;Automatic @@ -2228,19 +3927,24 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_RAW_PIXELSHIFTSIGMA;Blur radius !TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;The default radius of 1.0 usually fits well for base ISO.\nIncrease the value for high ISO shots, 5.0 is a good starting point.\nWatch the motion mask while changing the value. !TP_RAW_PIXELSHIFTSMOOTH;Smooth transitions -!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether "Use LMMSE" is selected), or the median of all four frames if "Use median" is selected. +!TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;Smooth transitions between areas with motion and areas without.\nSet to 0 to disable transition smoothing.\nSet to 1 to either get the AMaZE/LMMSE result of the selected frame (depending on whether 'Use LMMSE' is selected), or the median of all four frames if 'Use median' is selected. !TP_RAW_RCD;RCD +!TP_RAW_RCDBILINEAR;RCD+Bilinear !TP_RAW_RCDVNG4;RCD+VNG4 !TP_RAW_VNG4;VNG4 !TP_RAW_XTRANS;X-Trans !TP_RAW_XTRANSFAST;Fast X-Trans !TP_RESIZE_ALLOW_UPSCALING;Allow Upscaling +!TP_RESIZE_LE;Long Edge: +!TP_RESIZE_LONG;Long Edge +!TP_RESIZE_SE;Short Edge: +!TP_RESIZE_SHORT;Short Edge !TP_RETINEX_CONTEDIT_MAP;Equalizer !TP_RETINEX_CURVEEDITOR_CD_TOOLTIP;Luminance according to luminance L=f(L)\nCorrect raw data to reduce halos and artifacts. !TP_RETINEX_CURVEEDITOR_MAP_TOOLTIP;This curve can be applied alone or with a Gaussian mask or wavelet mask.\nBeware of artifacts! -!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplify or reduce the transmission map to achieve the desired luminance.\nThe x-axis is the transmission.\nThe y-axis is the gain. +!TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Increase or reduce the transmission map to achieve the desired luminance. The x-axis is the transmission. The y-axis is the gain. !TP_RETINEX_GAMMA_TOOLTIP;Restore tones by applying gamma before and after Retinex. Different from Retinex curves or others curves (Lab, Exposure, etc.). -!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust "Neighboring pixels" and to increase the "White-point correction" in the Raw tab -> Raw White Points tool. +!TP_RETINEX_HIGHLIGHT_TOOLTIP;Increase action of High algorithm.\nMay require you to re-adjust 'Neighboring pixels' and to increase the 'White-point correction' in the Raw tab -> Raw White Points tool. !TP_RETINEX_LABEL_MASK;Mask !TP_RETINEX_MAP;Method !TP_RETINEX_MAP_GAUS;Gaussian mask @@ -2249,14 +3953,14 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_RETINEX_MAP_METHOD_TOOLTIP;Use the mask generated by the Gaussian function above (Radius, Method) to reduce halos and artifacts.\n\nCurve only: apply a diagonal contrast curve on the mask.\nBeware of artifacts!\n\nGaussian mask: generate and use a Gaussian blur of the original mask.\nQuick.\n\nSharp mask: generate and use a wavelet on the original mask.\nSlow. !TP_RETINEX_MEDIAN;Transmission median filter !TP_RETINEX_METHOD_TOOLTIP;Low = Reinforce low light.\nUniform = Equalize action.\nHigh = Reinforce high light.\nHighlights = Remove magenta in highlights. -!TP_RETINEX_MLABEL;Restored haze-free Min=%1 Max=%2 -!TP_RETINEX_MLABEL_TOOLTIP;Should be near min=0 max=32768\nRestored image with no mixture. +!TP_RETINEX_MLABEL;Restored data Min=%1 Max=%2 +!TP_RETINEX_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_RETINEX_THRESHOLD_TOOLTIP;Limits in/out.\nIn = image source,\nOut = image gauss. -!TP_RETINEX_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nMean and Sigma.\nTm=Min TM=Max of transmission map. +!TP_RETINEX_TLABEL_TOOLTIP;ransmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can normalize the results with the threshold slider. !TP_RETINEX_TRANSMISSION;Transmission map !TP_RETINEX_TRANSMISSION_TOOLTIP;Transmission according to transmission.\nAbscissa: transmission from negative values (min), mean, and positives values (max).\nOrdinate: amplification or reduction. !TP_RETINEX_VIEW_MASK;Mask -!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. +!TP_RETINEX_VIEW_METHOD_TOOLTIP;Standard - Normal display.\nMask - Displays the mask.\nUnsharp mask - Displays the image with a high radius unsharp mask.\nTransmission - Auto/Fixed - Displays the file transmission-map, before any action on contrast and brightness.\n\nAttention: the mask does not correspond to reality, but is amplified to make it more visible. !TP_SHARPENING_BLUR;Blur radius !TP_SHARPENING_CONTRAST;Contrast threshold !TP_SHARPENING_ITERCHECK;Auto limit iterations @@ -2264,48 +3968,146 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_SHARPENMICRO_CONTRAST;Contrast threshold !TP_SOFTLIGHT_LABEL;Soft Light !TP_SOFTLIGHT_STRENGTH;Strength +!TP_SPOT_COUNTLABEL;%1 point(s) +!TP_SPOT_DEFAULT_SIZE;Default spot size +!TP_SPOT_ENTRYCHANGED;Point changed +!TP_SPOT_HINT;Click on this button to be able to operate on the preview area.\n\nTo edit a spot, hover the white mark locating an edited area, making the editing geometry appear.\n\nTo add a spot, press Ctrl and left mouse button, drag the circle (Ctrl key can be released) to a source location, then release the mouse button.\n\nTo move the source or destination spot, hover its center then drag it.\n\nThe inner circle (maximum effect area) and the 'feather' circle can be resized by hovering them (the circle becomes orange) and dragging it (the circle becomes red).\n\nWhen the changes are done, right click outside any spot to end the Spot editing mode, or click on this button again. +!TP_SPOT_LABEL;Spot Removal !TP_TM_FATTAL_AMOUNT;Amount !TP_TM_FATTAL_ANCHOR;Anchor !TP_TM_FATTAL_LABEL;Dynamic Range Compression !TP_TM_FATTAL_THRESHOLD;Detail -!TP_WAVELET_CBENAB;Toning and Color Balance -!TP_WAVELET_CB_TOOLTIP;For strong values product color-toning by combining it or not with levels decomposition 'toning'\nFor low values you can change the white balance of the background (sky, ...) without changing that of the front plane, generally more contrasted +!TP_WAVELET_BALCHROM;Equalizer Color +!TP_WAVELET_BALLUM;Denoise equalizer White-Black +!TP_WAVELET_BL;Blur levels +!TP_WAVELET_BLCURVE;Blur by levels +!TP_WAVELET_BLURFRAME;Blur +!TP_WAVELET_BLUWAV;Attenuation response +!TP_WAVELET_CBENAB;Toning and Color balance +!TP_WAVELET_CB_TOOLTIP;With high values you can create special effects, similar to those achieved with the Chroma Module, but focused on the residual image\nWith moderate values you can manually correct the white balance. +!TP_WAVELET_CHROFRAME;Denoise chrominance +!TP_WAVELET_CHROMAFRAME;Chroma +!TP_WAVELET_CHROMCO;Chrominance Coarse +!TP_WAVELET_CHROMFI;Chrominance Fine !TP_WAVELET_CHRO_TOOLTIP;Sets the wavelet level which will be the threshold between saturated and pastel colors.\n1-x: saturated\nx-9: pastel\n\nIf the value exceeds the amount of wavelet levels you are using then it will be ignored. -!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of "contrast levels" and "chroma-contrast link strength" +!TP_WAVELET_CHRWAV;Blur chroma +!TP_WAVELET_CHR_TOOLTIP;Adjusts chroma as a function of 'contrast levels' and 'chroma-contrast link strength'. +!TP_WAVELET_CLA;Clarity +!TP_WAVELET_CLARI;Sharp-mask and Clarity +!TP_WAVELET_COMPEXPERT;Advanced +!TP_WAVELET_COMPLEXLAB;Complexity +!TP_WAVELET_COMPLEX_TOOLTIP;Standard: shows a reduced set of tools suitable for most processing operations.\nAdvanced: shows the complete set of tools for advanced processing operations. +!TP_WAVELET_COMPNORMAL;Standard +!TP_WAVELET_CONTFRAME;Contrast - Compression +!TP_WAVELET_CURVEEDITOR_BL_TOOLTIP;Disabled if zoom > about 300%. !TP_WAVELET_CURVEEDITOR_CC_TOOLTIP;Modifies local contrast as a function of the original local contrast (abscissa).\nLow abscissa values represent small local contrast (real values about 10..20).\n50% abscissa represents average local contrast (real value about 100..300).\n66% abscissa represents standard deviation of local contrast (real value about 300..800).\n100% abscissa represents maximum local contrast (real value about 3000..8000). !TP_WAVELET_CURVEEDITOR_CH_TOOLTIP;Modifies each level's contrast as a function of hue.\nTake care not to overwrite changes made with the Gamut sub-tool's hue controls.\nThe curve will only have an effect when wavelet contrast level sliders are non-zero. -!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the firsts levels. However the quality is not strictly related to this coefficient and can vary with images and uses. -!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+stdev and maxima. +!TP_WAVELET_DAUBLOCAL;Wavelet Edge performance +!TP_WAVELET_DAUB_TOOLTIP;Changes Daubechies coefficients:\nD4 = Standard,\nD14 = Often best performance, 10% more time-intensive.\n\nAffects edge detection as well as the general quality of the first levels. However the quality is not strictly related to this coefficient and can vary depending on image and use. +!TP_WAVELET_DEN5THR;Guided threshold +!TP_WAVELET_DENCURV;Curve +!TP_WAVELET_DENL;Correction structure +!TP_WAVELET_DENLH;Guided threshold levels 1-4 +!TP_WAVELET_DENLOCAL_TOOLTIP;Use a curve in order to guide the denoising according to the local contrast.\nThe areas are denoised, the structures are maintained. +!TP_WAVELET_DENMIX_TOOLTIP;The local-contrast reference value used by the guided filter.\nDepending on the image, results can vary depending on whether the noise is measured before or after the noise reduction. These four choices allow you to take into account various combinations of the original and modified (denoised) images to find the best compromise. +!TP_WAVELET_DENOISE;Guide curve based on Local contrast +!TP_WAVELET_DENOISEGUID;Guided threshold based on hue +!TP_WAVELET_DENOISEH;High levels Curve Local contrast +!TP_WAVELET_DENOISEHUE;Denoise hue equalizer +!TP_WAVELET_DENQUA;Mode +!TP_WAVELET_DENSIGMA_TOOLTIP;Adapts the shape of the guide. +!TP_WAVELET_DENSLI;Slider +!TP_WAVELET_DENSLILAB;Method +!TP_WAVELET_DENWAVGUID_TOOLTIP;Uses hue to reduce or increase the action of the guided filter. +!TP_WAVELET_DENWAVHUE_TOOLTIP;Amplify or reduce denoising depending on the color. +!TP_WAVELET_DETEND;Details +!TP_WAVELET_DIRFRAME;Directional contrast +!TP_WAVELET_EDEFFECT;Attenuation response +!TP_WAVELET_EDEFFECT_TOOLTIP;This slider selects the range of contrast values that will receive the full effect of any adjustment. +!TP_WAVELET_EDGCONT_TOOLTIP;Adjusting the points to the left decreases contrast, and to the right increases it.\nBottom-left, top-left, top-right and bottom-right represent respectively local contrast for low values, mean, mean+std. dev. and maxima. !TP_WAVELET_EDGEDETECTTHR;Threshold low (noise) -!TP_WAVELET_EDGEDETECTTHR2;Threshold high (detection) +!TP_WAVELET_EDGEDETECTTHR2;Edge enhancement !TP_WAVELET_EDGREINF_TOOLTIP;Reinforce or reduce the action of the first level, do the opposite to the second level, and leave the rest unchanged. !TP_WAVELET_EDGTHRESH_TOOLTIP;Change the repartition between the first levels and the others. The higher the threshold the more the action is centered on the first levels. Be careful with negative values, they increase the action of high levels and can introduce artifacts. -!TP_WAVELET_EDRAD_TOOLTIP;This radius adjustment is very different from those in other sharpening tools. Its value is compared to each level through a complex function. In this sense, a value of zero still has an effect. -!TP_WAVELET_HIGHLIGHT;Highlight luminance range +!TP_WAVELET_EDRAD_TOOLTIP;This adjustment controls the local enhancement. A value of zero still has an effect. +!TP_WAVELET_FINCFRAME;Final local contrast +!TP_WAVELET_FINTHR_TOOLTIP;Uses local contrast to reduce or increase the action of the guided filter. +!TP_WAVELET_GUIDFRAME;Final smoothing (guided filter) +!TP_WAVELET_HIGHLIGHT;Finer levels luminance range !TP_WAVELET_HS1;Whole luminance range !TP_WAVELET_HUESKIN_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_HUESKY_TOOLTIP;The bottom points set the beginning of the transition zone, and the upper points the end of it, where the effect is at its maximum.\n\nIf you need to move the area significantly, or if there are artifacts, then the white balance is incorrect. !TP_WAVELET_ITER;Delta balance levels !TP_WAVELET_ITER_TOOLTIP;Left: increase low levels and reduce high levels,\nRight: reduce low levels and increase high levels. -!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of detail levels the image is to be decomposed into. More levels require more RAM and require a longer processing time. +!TP_WAVELET_LABGRID_VALUES;High(a)=%1 High(b)=%2\nLow(a)=%3 Low(b)=%4 +!TP_WAVELET_LEVDEN;Level 5-6 denoise +!TP_WAVELET_LEVELHIGH;Radius 5-6 +!TP_WAVELET_LEVELLOW;Radius 1-4 +!TP_WAVELET_LEVELSIGM;Radius +!TP_WAVELET_LEVELS_TOOLTIP;Choose the number of wavelet decomposition levels for the image.\nMore levels require more RAM and require a longer processing time. +!TP_WAVELET_LEVFOUR;Level 5-6 denoise and guided threshold !TP_WAVELET_LEVLABEL;Preview maximum possible levels = %1 -!TP_WAVELET_LINKEDG;Link with Edge Sharpness' Strength -!TP_WAVELET_LOWLIGHT;Shadow luminance range +!TP_WAVELET_LIMDEN;Interaction levels 5-6 on levels 1-4 +!TP_WAVELET_LINKEDG;Link to Edge Sharpness Strength +!TP_WAVELET_LOWLIGHT;Coarser levels luminance range +!TP_WAVELET_LOWTHR_TOOLTIP;Prevents amplification of fine textures and noise. !TP_WAVELET_MEDILEV_TOOLTIP;When you enable Edge Detection, it is recommanded:\n- to disabled low contrast levels to avoid artifacts,\n- to use high values of gradient sensitivity.\n\nYou can modulate the strength with 'refine' from Denoise and Refine. +!TP_WAVELET_MERGEC;Merge chroma +!TP_WAVELET_MERGEL;Merge luma +!TP_WAVELET_MIXCONTRAST;Reference +!TP_WAVELET_MIXDENOISE;Denoise +!TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise +!TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise +!TP_WAVELET_MIXNOISE;Noise +!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. -!TP_WAVELET_OPACITY;Opacity Blue-Yellow +!TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. +!TP_WAVELET_OLDSH;Algorithm using negatives values +!TP_WAVELET_OPACITY;Opacity blue-yellow !TP_WAVELET_OPACITYW;Contrast balance d/v-h curve !TP_WAVELET_OPACITYWL_TOOLTIP;Modify the final local contrast at the end of the wavelet treatment.\n\nThe left side represents the smallest local contrast, progressing to the largest local contrast on the right. !TP_WAVELET_PASTEL;Pastel chroma +!TP_WAVELET_PROTAB;Protection +!TP_WAVELET_QUAAGRES;Aggressive +!TP_WAVELET_QUACONSER;Conservative +!TP_WAVELET_RADIUS;Radius shadows - highlight +!TP_WAVELET_RANGEAB;Range a and b % +!TP_WAVELET_RESBLUR;Blur luminance +!TP_WAVELET_RESBLURC;Blur chroma +!TP_WAVELET_RESBLUR_TOOLTIP;Disabled if zoom > about 500%. +!TP_WAVELET_SHA;Sharp mask +!TP_WAVELET_SHFRAME;Shadows/Highlights +!TP_WAVELET_SHOWMASK;Show wavelet 'mask' +!TP_WAVELET_SIGM;Radius +!TP_WAVELET_SIGMA;Attenuation response +!TP_WAVELET_SIGMAFIN;Attenuation response +!TP_WAVELET_SIGMA_TOOLTIP;The effect of the contrast sliders is stronger in medium contrast details, and weaker in high and low contrast details.\n With this slider you can control how quickly the effect dampens towards the extreme contrasts.\n The higher the slider is set, the wider the range of contrasts which will get a strong change, and the higher the risk to generate artifacts.\n .The lower it is, the more the effect will be pinpointed towards a narrow range of contrast values. !TP_WAVELET_SKIN;Skin targetting/protection !TP_WAVELET_SKIN_TOOLTIP;At -100 skin-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 skin-tones are protected while all other tones are affected. -!TP_WAVELET_SKY;Sky targetting/protection -!TP_WAVELET_SKY_TOOLTIP;At -100 sky-tones are targetted.\nAt 0 all tones are treated equally.\nAt +100 sky-tones are protected while all other tones are affected. -!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels between 9 and 9 minus the value will be affected by the shadow luminance range. Other levels will be fully treated. The highest level possible is limited by the highlight level value (9 minus highlight level value). -!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels beyond the chosen value will be affected by the highlight luminance range. Other levels will be fully treated. The chosen value here limits the highest possible value of the shadow levels. +!TP_WAVELET_SKY;Hue targetting/protection +!TP_WAVELET_SKY_TOOLTIP;Allows you to target or protect a range of hues.\nAt -100 selected hues are targetted.\nAt 0 all hues are treated equally.\nAt +100 selected hues are protected while all other hues are targetted. +!TP_WAVELET_SOFTRAD;Soft radius +!TP_WAVELET_STREND;Strength +!TP_WAVELET_THRDEN_TOOLTIP;Generates a stepped curve used to guide the noise reduction as a function of local contrast. The denoise will be applied to uniform low local-contrast areas. Areas with detail (higher local contrast) will be preserved. +!TP_WAVELET_THREND;Local contrast threshold +!TP_WAVELET_THRESHOLD2_TOOLTIP;Only levels from the chosen value to the selected number of 'wavelet levels' will be affected by the Shadow luminance range. +!TP_WAVELET_THRESHOLD_TOOLTIP;Only levels below and including the chosen value will be affected by the Highlight luminance range. !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. -!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. When the value is different from 0, the Strength and Gamma sliders of the Tone Mapping tool in the Exposure tab will become grayed out. +!TP_WAVELET_TMEDGS;Edge stopping +!TP_WAVELET_TMSCALE;Scale +!TP_WAVELET_TMSTRENGTH_TOOLTIP;Control the strength of tone mapping or contrast compression of the residual image. !TP_WAVELET_TON;Toning +!TP_WAVELET_TONFRAME;Excluded colors +!TP_WAVELET_USH;None +!TP_WAVELET_USHARP;Clarity method +!TP_WAVELET_USH_TOOLTIP;If you select Sharp-mask, you can choose any level (in Settings) from 1 to 4 for processing.\nIf you select Clarity, you can choose any level (in Settings) between 5 and Extra. +!TP_WAVELET_WAVLOWTHR;Low contrast threshold +!TP_WAVELET_WAVOFFSET;Offset +!TP_WBALANCE_AUTOITCGREEN;Temperature correlation +!TP_WBALANCE_AUTOOLD;RGB grey +!TP_WBALANCE_AUTO_HEADER;Automatic !TP_WBALANCE_PICKER;Pick +!TP_WBALANCE_STUDLABEL;Correlation factor: %1 +!TP_WBALANCE_STUDLABEL_TOOLTIP;Display calculated Student correlation.\nLower values are better, where <0.005 is excellent,\n<0.01 is good, and >0.5 is poor.\nLow values do not mean that the white balance is good:\nif the illuminant is non-standard the results can be erratic.\nA value of 1000 means previous calculations are used and\nthe resultsare probably good. !TP_WBALANCE_TEMPBIAS;AWB temperature bias -!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the "auto white balance"\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by "computedTemp + computedTemp * bias". +!TP_WBALANCE_TEMPBIAS_TOOLTIP;Allows to alter the computation of the 'auto white balance'\nby biasing it towards warmer or cooler temperatures. The bias\nis expressed as a percentage of the computed temperature,\nso that the result is given by 'computedTemp + computedTemp * bias'. diff --git a/rtdata/languages/default b/rtdata/languages/default index 1b8b79450..21cb43b65 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -2,7 +2,6 @@ #01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. #02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: #03 2525-12-24 Zager and Evans - ABOUT_TAB_BUILD;Version ABOUT_TAB_CREDITS;Credits ABOUT_TAB_LICENSE;License @@ -4081,4 +4080,3 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Fit crop to screen\nShortcut: f ZOOMPANEL_ZOOMFITSCREEN;Fit whole image to screen\nShortcut: Alt-f ZOOMPANEL_ZOOMIN;Zoom In\nShortcut: + ZOOMPANEL_ZOOMOUT;Zoom Out\nShortcut: - - From c113cffdf98a45ea0acb548bb4b5456555c3f4c9 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Thu, 29 Sep 2022 00:47:59 +0200 Subject: [PATCH 119/170] generateUnusedKeys --- rtdata/languages/Catala | 20 ---- rtdata/languages/Chinese (Simplified) | 30 ------ rtdata/languages/Czech | 36 -------- rtdata/languages/Dansk | 29 ------ rtdata/languages/Deutsch | 29 ------ rtdata/languages/English (UK) | 14 --- rtdata/languages/English (US) | 14 --- rtdata/languages/Espanol (Castellano) | 39 -------- rtdata/languages/Espanol (Latin America) | 26 ------ rtdata/languages/Francais | 75 --------------- rtdata/languages/Italiano | 21 ----- rtdata/languages/Japanese | 92 ------------------- rtdata/languages/Magyar | 20 ---- rtdata/languages/Nederlands | 28 ------ rtdata/languages/Polish | 27 ------ rtdata/languages/Portugues | 26 ------ rtdata/languages/Portugues (Brasil) | 26 ------ rtdata/languages/Russian | 22 ----- rtdata/languages/Serbian (Cyrilic Characters) | 21 ----- rtdata/languages/Slovenian | 34 ------- rtdata/languages/Swedish | 25 ----- rtdata/languages/default | 14 --- 22 files changed, 668 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index ba7c2c04c..2ecdd1d6c 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -291,12 +291,6 @@ HISTORY_MSG_127;Auto-sel. camp pla HISTORY_MSG_128;Camp pla borrós - radi HISTORY_MSG_129;Camp pla borrós - tipus HISTORY_MSG_130;Auto-distorsió -HISTORY_MSG_131;Dessoroll de luminància -HISTORY_MSG_132;Dessoroll de crominància -HISTORY_MSG_133;Gama -HISTORY_MSG_134;Posició Gama -HISTORY_MSG_135;Gama lliure -HISTORY_MSG_136;Pendent de Gama HISTORY_MSG_137;Negre nivell verd 1 HISTORY_MSG_138;Negre nivell roig HISTORY_MSG_139;Negre nivell blau @@ -2533,7 +2527,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2815,7 +2808,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2865,10 +2857,8 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2898,7 +2888,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3019,7 +3008,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3168,7 +3156,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3209,7 +3196,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3305,7 +3291,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3370,7 +3355,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3548,9 +3532,7 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4015,7 +3997,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4073,7 +4054,6 @@ ZOOMPANEL_ZOOMOUT;Allunya\nDrecera: - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index 6d20ca9d3..bd82dfea9 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -397,8 +397,6 @@ HISTORY_MSG_127;平场-自动选择 HISTORY_MSG_128;平场-模糊半径 HISTORY_MSG_129;平场-模糊类型 HISTORY_MSG_130;自动畸变矫正 -HISTORY_MSG_131;降噪-亮度 -HISTORY_MSG_132;降噪-色度 HISTORY_MSG_142;边缘锐化-迭代 HISTORY_MSG_143;边缘锐化-数量 HISTORY_MSG_144;微反差-数量 @@ -644,7 +642,6 @@ HISTORY_MSG_468;像素偏移-填洞 HISTORY_MSG_469;像素偏移-中值 HISTORY_MSG_471;像素偏移-动体补正 HISTORY_MSG_472;像素偏移-顺滑过渡 -HISTORY_MSG_473;像素偏移-使用LMMSE HISTORY_MSG_474;像素偏移-亮度均等 HISTORY_MSG_475;像素偏移-均等各通道 HISTORY_MSG_476;CAM02/16-输出色温 @@ -798,7 +795,6 @@ HISTORY_MSG_COLORTONING_LABREGION_SLOPE;色调分离-区域斜率 HISTORY_MSG_COMPLEX;小波复杂度 HISTORY_MSG_DEHAZE_DEPTH;去雾-纵深 HISTORY_MSG_DEHAZE_ENABLED;去雾 -HISTORY_MSG_DEHAZE_LUMINANCE;去雾-仅亮度 HISTORY_MSG_DEHAZE_SATURATION;去雾-饱和度 HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;去雾-显示纵深蒙版 HISTORY_MSG_DEHAZE_STRENGTH;去雾-力度 @@ -1010,7 +1006,6 @@ PARTIALPASTE_LENSPROFILE;镜片修正档案 PARTIALPASTE_LOCALCONTRAST;局部反差 PARTIALPASTE_LOCALLAB;局部调整 PARTIALPASTE_LOCALLABGROUP;局部调整设置 -PARTIALPASTE_LOCGROUP;局部 PARTIALPASTE_METADATA;元数据模式 PARTIALPASTE_METAGROUP;元数据 PARTIALPASTE_PCVIGNETTE;暗角滤镜 @@ -1523,7 +1518,6 @@ TP_DEFRINGE_RADIUS;半径 TP_DEFRINGE_THRESHOLD;阈值 TP_DEHAZE_DEPTH;纵深 TP_DEHAZE_LABEL;去雾 -TP_DEHAZE_LUMINANCE;仅亮度 TP_DEHAZE_SATURATION;饱和度 TP_DEHAZE_SHOW_DEPTH_MAP;显示纵深蒙版 TP_DEHAZE_STRENGTH;力度 @@ -1798,7 +1792,6 @@ TP_LOCALLAB_CIECONTFRA;对比度 TP_LOCALLAB_CIEMODE;改变工具位置 TP_LOCALLAB_CIEMODE_COM;默认 TP_LOCALLAB_CIEMODE_DR;动态范围 -TP_LOCALLAB_CIEMODE_LOG;Log编码 TP_LOCALLAB_CIEMODE_TM;色调映射 TP_LOCALLAB_CIEMODE_WAV;小波 TP_LOCALLAB_CIETOOLEXP;曲线 @@ -1812,7 +1805,6 @@ TP_LOCALLAB_COLOR_CIE;色彩曲线 TP_LOCALLAB_COLOR_TOOLNAME;色彩 & 亮度 TP_LOCALLAB_COL_NAME;名称 TP_LOCALLAB_COL_VIS;状态 -TP_LOCALLAB_CONTL;对比度 (J) TP_LOCALLAB_CONTRAST;对比度 TP_LOCALLAB_CONTTHR;反差阈值 TP_LOCALLAB_CONTWFRA;局部反差 @@ -1823,7 +1815,6 @@ TP_LOCALLAB_DEHAFRA;去雾 TP_LOCALLAB_DEHAZ;力度 TP_LOCALLAB_DEHAZFRAME_TOOLTIP;移除环境雾,提升总体饱和度与细节\n可以移除偏色倾向,但也可能导致图片整体偏蓝,此现象可以用其他工具进行修正 TP_LOCALLAB_DEHAZ_TOOLTIP;负值会增加雾 -TP_LOCALLAB_DENOIS;去噪 TP_LOCALLAB_DENOI_EXP;去噪 TP_LOCALLAB_DEPTH;纵深 TP_LOCALLAB_DETAIL;局部反差 @@ -1853,17 +1844,14 @@ TP_LOCALLAB_EXPCURV;曲线 TP_LOCALLAB_EXPGRAD;渐变滤镜 TP_LOCALLAB_EXPOSE;动态范围 & 曝光 TP_LOCALLAB_EXPTOOL;曝光工具 -TP_LOCALLAB_EXPTRC;色调响应曲线(TRC) TP_LOCALLAB_EXP_TOOLNAME;动态范围 & 曝光 TP_LOCALLAB_FATAMOUNT;数量 TP_LOCALLAB_FATANCHOR;锚点 -TP_LOCALLAB_FATANCHORA;偏移量 TP_LOCALLAB_FATDETAIL;细节 TP_LOCALLAB_FATFRA;动态范围压缩ƒ TP_LOCALLAB_FATSHFRA;动态范围压缩蒙版 ƒ TP_LOCALLAB_FFTMASK_TOOLTIP;使用傅立叶变换以得到更高的质量(处理用时与内存占用会上升) TP_LOCALLAB_FFTW;ƒ - 使用快速傅立叶变换 -TP_LOCALLAB_FFTW2;ƒ - 使用快速傅立叶变换(TIF, JPG,..) TP_LOCALLAB_FFTWBLUR;ƒ - 永远使用快速傅立叶变换 TP_LOCALLAB_FULLIMAGE;Black-Ev and White-Ev for whole image TP_LOCALLAB_GAM;伽马 @@ -1918,7 +1906,6 @@ TP_LOCALLAB_LOG_TOOLNAME;Log编码 TP_LOCALLAB_LUMADARKEST;最暗 TP_LOCALLAB_LUMAWHITESEST;最亮 TP_LOCALLAB_LUMFRA;L*a*b*标准 -TP_LOCALLAB_LUMONLY;仅亮度 TP_LOCALLAB_MASK;曲线 TP_LOCALLAB_MASK2;对比度曲线 TP_LOCALLAB_MASKDDECAY;衰减力度 @@ -1992,7 +1979,6 @@ TP_LOCALLAB_SHRESFRA;阴影/高光 & 色调响应曲线 TP_LOCALLAB_SH_TOOLNAME;阴影/高光 & 色调均衡器 TP_LOCALLAB_SIGMAWAV;衰减响应 TP_LOCALLAB_SIGMOIDLAMBDA;对比度 -TP_LOCALLAB_SIM;简单 TP_LOCALLAB_SOFTM;柔光 TP_LOCALLAB_SOFTRETI;减少ΔE杂点 TP_LOCALLAB_SOURCE_ABS;绝对亮度 @@ -2315,8 +2301,6 @@ TP_WAVELET_DAUB6;D6-标准增强 TP_WAVELET_DAUB10;D10-中等 TP_WAVELET_DAUB14;D14-高 TP_WAVELET_DAUB_TOOLTIP;改变多贝西系数:\nD4 = 标准\nD14 = 一般而言表现最好,但会增加10%的处理耗时\n\n影响边缘检测以及较低层级的质量。但是质量不完全和该系数有关,可能会随具体的图像和处理方式而变化 -TP_WAVELET_DENCONTRAST;局部反差均衡器 -TP_WAVELET_DENH;阈值 TP_WAVELET_DENOISEHUE;去噪色相均衡器 TP_WAVELET_DENQUA;模式 TP_WAVELET_DENSLI;滑条 @@ -2385,7 +2369,6 @@ TP_WAVELET_PASTEL;欠饱和色 TP_WAVELET_PROC;处理 TP_WAVELET_QUAAGRES;激进 TP_WAVELET_QUACONSER;保守 -TP_WAVELET_QUANONE;关闭 TP_WAVELET_RE1;增强 TP_WAVELET_RE2;不变 TP_WAVELET_RE3;减弱 @@ -2413,7 +2396,6 @@ TP_WAVELET_THRH;高光阈值 TP_WAVELET_TILESBIG;大切片 TP_WAVELET_TILESFULL;整张图片 TP_WAVELET_TILESIZE;切片缓存方法 -TP_WAVELET_TILESLIT;小切片 TP_WAVELET_TILES_TOOLTIP;处理整张图片可以让图像质量更好,所以推荐使用该选项,切片缓存是给小内存用户的备用方法。阅读RawPedia的文章以了解具体的内存需求 TP_WAVELET_TMSTRENGTH;压缩力度 TP_WAVELET_TMSTRENGTH_TOOLTIP;控制对于残差图的色调映射/对比度压缩力度 @@ -3290,7 +3272,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_COLORAPP_MOD16;CAM16 !TP_COLORAPP_SOURCEF_TOOLTIP;Corresponds to the shooting conditions and how to bring the conditions and data back to a 'normal' area. Normal means average or standard conditions and data, i.e. without taking into account CIECAM corrections. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3390,7 +3371,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_ACTIV;Luminance only !TP_LOCALLAB_ADJ;Equalizer Color !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only !TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. @@ -3418,10 +3398,8 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_BWFORCE;Uses Black Ev & White Ev !TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CH;CL - LC !TP_LOCALLAB_CHROMABLU;Chroma levels !TP_LOCALLAB_CHROMABLU_TOOLTIP;Increases or reduces the effect depending on the luma settings.\nValues under 1 reduce the effect. Values greater than 1 increase the effect. @@ -3502,7 +3480,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. !TP_LOCALLAB_EXPRETITOOLS;Advanced Retinex Tools @@ -3598,7 +3575,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3626,7 +3602,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_LUMASK_TOOLTIP;Adjusts the shade of gray or color of the mask background in Show Mask (Mask and modifications). !TP_LOCALLAB_MASFRAME;Mask and Merge !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3715,7 +3690,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_MLABEL_TOOLTIP;The values should be close to Min=0 Max=32768 (log mode) but other values are possible.You can adjust 'Clip restored data (gain)' and 'Offset' to normalize.\nRecovers image data without blending. !TP_LOCALLAB_MRFIV;Background !TP_LOCALLAB_MRFOU;Previous Spot -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. !TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Use this slider to adapt the amount of denoise to the size of the objects to be processed. @@ -3756,7 +3730,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma !TP_LOCALLAB_RESIDCOMP;Compress residual image @@ -3868,9 +3841,7 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4076,7 +4047,6 @@ ZOOMPANEL_ZOOMOUT;缩放拉远\n快捷键:- !TP_WAVELET_MIXCONTRAST;Reference !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index aec0b262a..07877ce98 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -425,12 +425,6 @@ HISTORY_MSG_127;Flat Field - Automatický výběr HISTORY_MSG_128;Flat Field - Poloměr rozostření HISTORY_MSG_129;Flat Field - Typ rozostření HISTORY_MSG_130;Automatická korekce zkreslení -HISTORY_MSG_131;Redukce šumu - Jas -HISTORY_MSG_132;Redukce šumu - Barevnost -HISTORY_MSG_133;Výstupní gama -HISTORY_MSG_134;Volná gama -HISTORY_MSG_135;Volná gama -HISTORY_MSG_136;Sklon volné gamy HISTORY_MSG_137;Úroveň černé - Zelená 1 HISTORY_MSG_138;Úroveň černé - Červená HISTORY_MSG_139;Úroveň černé - Modrá @@ -543,7 +537,6 @@ HISTORY_MSG_246;L*a*b* - CL křivka HISTORY_MSG_247;L*a*b* - LH Křivka HISTORY_MSG_248;L*a*b* - HH Křivka HISTORY_MSG_249;KdDÚ - Práh -HISTORY_MSG_250;Redukce šumu - Vylepšení HISTORY_MSG_251;ČB - Algoritmus HISTORY_MSG_252;KdDÚ - Ochrana tónů pleti HISTORY_MSG_253;KdDÚ - Omezení vzniku artefaktů @@ -567,8 +560,6 @@ HISTORY_MSG_270;Barevné tónování - Světla - zelená HISTORY_MSG_271;Barevné tónování - Světla - modrá HISTORY_MSG_272;Barevné tónování - Vyvážení HISTORY_MSG_273;Barevné tónování - Vyvážení barev SMH -HISTORY_MSG_274;Barevné tónování - Nasycení stínů -HISTORY_MSG_275;Barevné tónování - Nasycení světel HISTORY_MSG_276;Barevné tónování - Neprůhlednost HISTORY_MSG_277;--nepoužito-- HISTORY_MSG_278;Barevné tónování - Zachování jasu @@ -593,7 +584,6 @@ HISTORY_MSG_296;Redukce šumu - Křivka jasů HISTORY_MSG_297;Redukce šumu - Mód HISTORY_MSG_298;Filtr mrtvých pixelů HISTORY_MSG_299;Redukce šumu - Křivka barevnosti -HISTORY_MSG_300;- HISTORY_MSG_301;Redukce šumu - Nastavení jasu HISTORY_MSG_302;Redukce šumu - Metoda barevnosti HISTORY_MSG_303;Redukce šumu - Metoda barevnosti @@ -702,7 +692,6 @@ HISTORY_MSG_405;Vlnka - Odšumění - Úroveň 4 HISTORY_MSG_406;Vlnka - DH - Sousední pixely HISTORY_MSG_407;Retinex - Metoda HISTORY_MSG_408;Retinex - Poloměr -HISTORY_MSG_409;Retinex - Kontrast HISTORY_MSG_410;Retinex - Posun HISTORY_MSG_411;Retinex - Síla HISTORY_MSG_412;Retinex - Gaussův gradient @@ -750,7 +739,6 @@ HISTORY_MSG_468;PS - Vyplnit díry HISTORY_MSG_469;PS - Medián HISTORY_MSG_471;PS - korekce pohybu HISTORY_MSG_472;PS - plynulé přechody -HISTORY_MSG_473;PS - Použít LMMSE HISTORY_MSG_474;PS - korekce HISTORY_MSG_475;PS - korekce kanálu HISTORY_MSG_476;CAM02 - Teplota (výstup) @@ -793,14 +781,12 @@ HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;BT - oblast zobrazené masky HISTORY_MSG_COLORTONING_LABREGION_SLOPE;BT - oblast sklonu HISTORY_MSG_DEHAZE_DEPTH;Závoj - Hloubka HISTORY_MSG_DEHAZE_ENABLED;Odstranění závoje -HISTORY_MSG_DEHAZE_LUMINANCE;Závoj - Pouze jas HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Závoj - Ukázat hloubkovou mapu HISTORY_MSG_DEHAZE_STRENGTH;Závoj - Síla HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dvojité demozajkování - automatický práh HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dvojité demozajkování - Práh kontrastu HISTORY_MSG_EDGEFFECT;Útlum hrany HISTORY_MSG_FILMNEGATIVE_ENABLED;Negativní film -HISTORY_MSG_FILMNEGATIVE_FILMBASE;Barva podkladu filmu HISTORY_MSG_FILMNEGATIVE_VALUES;Film negativní hodnoty HISTORY_MSG_HISTMATCHING;Automaticky nalezená tónová křivka HISTORY_MSG_ICM_OUTPUT_PRIMARIES;Výstup - Základní barvy @@ -1542,7 +1528,6 @@ TP_COLORAPP_TCMODE_LABEL3;Mód barevné křivky TP_COLORAPP_TCMODE_LIGHTNESS;Světlost TP_COLORAPP_TCMODE_SATUR;Nasycení TP_COLORAPP_TEMP2_TOOLTIP;Buď symetrický režim teploty = Nastavení bílé,\nNebo vyberte osvětlení, vždy nastavte Odstín=1.\n\nA barva=2856\nD50 barva=5003\nD55 barva=5503\nD65 barva=6504\nD75 barva=7504 -TP_COLORAPP_TEMPOUT_TOOLTIP;Zakažte pro změnu teploty a nádechu TP_COLORAPP_TEMP_TOOLTIP;Pro výběr osvětlení vždy nastavte Odstín=1.\n\nA barva=2856\nD41 temp=4100\nD50 barva=5003\nD55 barva=5503\nD60 temp=6000\nD65 barva=6504\nD75 barva=7504 TP_COLORAPP_TONECIE;Mapování tónů pomocí CIECAM02 TP_COLORAPP_TONECIE_TOOLTIP;Pokud je volba zakázána, probíhá mapování tónů v prostoru L*a*b*.\nPokud je volba povolena. probíhá mapování tónů pomocí CIECAM02.\nAby měla tato volba efekt, musí být povolen nástroj Mapování tónů. @@ -1632,7 +1617,6 @@ TP_DEFRINGE_RADIUS;Poloměr TP_DEFRINGE_THRESHOLD;Práh TP_DEHAZE_DEPTH;Hloubka TP_DEHAZE_LABEL;Odstranění závoje -TP_DEHAZE_LUMINANCE;Pouze jas TP_DEHAZE_SHOW_DEPTH_MAP;Ukázat hloubkovou mapu TP_DEHAZE_STRENGTH;Síla TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Více zónová automatika @@ -1742,9 +1726,6 @@ TP_EXPOSURE_TCMODE_WEIGHTEDSTD;Běžný vážený TP_EXPOS_BLACKPOINT_LABEL;Raw černé body TP_EXPOS_WHITEPOINT_LABEL;Raw bílé body TP_FILMNEGATIVE_BLUE;Poměr modré -TP_FILMNEGATIVE_FILMBASE_PICK;Výběr barvy podkladu filmu -TP_FILMNEGATIVE_FILMBASE_TOOLTIP;Vyberte místo neexponovaného filmu (například okraj mezi snímky) pro získání aktuální barvy podkladu a uložte jej do profilu zpracování.\nTo umožňuje jednoduchou kontrolu konzistence vyvážení barev během dávkového zpracování více obrázků ze stejného filmu.\nTaké použijte pokud jsou převáděné snímky moc tmavé, přesvícené nebo barevně nevyvážené. -TP_FILMNEGATIVE_FILMBASE_VALUES;Barva podkladu filmu: TP_FILMNEGATIVE_GREEN;Referenční exponent (kontrast) TP_FILMNEGATIVE_GUESS_TOOLTIP;Automaticky nastaví poměr červené a modré výběrem dvou vzorků s neutrálním odstínem (bez barvy) v původní scéně. Vzorky by se měly lišit jasem. Následně je nastaveno vyvážení bílé. TP_FILMNEGATIVE_LABEL;Negativní film @@ -2240,7 +2221,6 @@ TP_WAVELET_CONTEDIT;Křivka kontrastu 'Po' TP_WAVELET_CONTFRAME;Kontrast - komprese TP_WAVELET_CONTR;Gamut TP_WAVELET_CONTRA;Kontrast -TP_WAVELET_CONTRASTEDIT;Jemnější - Hrubší úrovně TP_WAVELET_CONTRAST_MINUS;Kontrast - TP_WAVELET_CONTRAST_PLUS;Kontrast + TP_WAVELET_CONTRA_TOOLTIP;Změní kontrast zůstatku obrazu. @@ -2288,7 +2268,6 @@ TP_WAVELET_EDTYPE;Metoda místního kontrastu TP_WAVELET_EDVAL;Síla TP_WAVELET_FINAL;Finální doladění TP_WAVELET_FINCFRAME;Finální místní kontrast -TP_WAVELET_FINCOAR_TOOLTIP;Levá (pozitivní) část křivky působí na jemnější úrovně (navýšení).\nDva body na úsečce představují příslušné akční limity jemnějšía hrubší úrovně 5 a 6 (výchozí). Pravá (negativní) část křivky působí na hrubší úrovně (navýšení).\nVyvarujte se posouvání levé části křivky se zápornými hodnotami. Vyvarujte se posouvání pravé části křivky s kladnými hodnotami. TP_WAVELET_FINEST;Nejjemnější TP_WAVELET_HIGHLIGHT;Jemnější úrovně rozsahu jasu TP_WAVELET_HS1;Celý rozsah jasů @@ -2327,7 +2306,6 @@ TP_WAVELET_MERGEL;Sloučení jasu TP_WAVELET_NEUTRAL;Neutrální TP_WAVELET_NOIS;Odšumění TP_WAVELET_NOISE;Odšumění a vylepšení -TP_WAVELET_NOISE_TOOLTIP;Pokud je čtvrtá úroveň jasu odšumění lepší než 20, použije se Agresivní režim.\nPokud je hrubší barevnost lepší než 20, použije se Agresívní režim. TP_WAVELET_NPHIGH;Vysoká TP_WAVELET_NPLOW;Nízká TP_WAVELET_NPNONE;Nic @@ -2375,12 +2353,10 @@ TP_WAVELET_THRESHOLD;Jemnější úrovně TP_WAVELET_THRESHOLD2;Hrubší úrovně TP_WAVELET_THRESHOLD2_TOOLTIP;Pouze úrovně mezi 9 a 9 mínus hodnota budou ovlivněny rozsahem jasu stínů. Ostatní úrovně budou upraveny celé. Nejvyšší možná úroveň je omezena hodnotou zvýrazněné úrovně (9 mínus hodnota zvýrazněné úrovně). Pouze úrovně mezi vybranou hodnotou a úrovní 9/Extra budou ovlivněny Hrubým rozsahem úrovní.\nVšechny ostatní úrovně budou ovlivněny v celém rozsahu jasu, pokud nebudou omezeny nastavením Jemnými úrovněmi.\nNejnižší možná úroveň, kterou bude algoritmus zvažovat, je omezená hodnotou Jemných úrovní. TP_WAVELET_THRESHOLD_TOOLTIP;Pouze úrovně mimo vybranou hodnotu budou ovlivněny rozsahem jasu stínů. Ostatní úrovně budou upraveny celé. Zde vybraná hodnota omezuje nejvyšší možnou hodnotu úrovní stínů. Všechny úrovně od úrovně jedna až po vybranou úroveň ovlivněny Jemným rozsahem úrovní.\nVšechny ostatní úrovně budou ovlivněny v celém rozsahu jasu, pokud nebudou omezeny nastavením Hrubými úrovněmi.\nZde vybraná hodnota, se stane nejnižší možnou úrovní Hrubých úrovní. -TP_WAVELET_THRESWAV;Práh vyvážení TP_WAVELET_THRH;Práh světel TP_WAVELET_TILESBIG;Dlaždice TP_WAVELET_TILESFULL;Celý obrázek TP_WAVELET_TILESIZE;Metoda dlaždicování -TP_WAVELET_TILESLIT;Malé dlaždice TP_WAVELET_TILES_TOOLTIP;Zpracování celého obrázku vede k lepší kvalitě a je doporučováno. Naproti tomu dlaždice jsou náhradní řešení pro uživatele s nedostatkem paměti. Paměťové nároky najdete na RawPedii. TP_WAVELET_TMEDGS;Zachování hran TP_WAVELET_TMSCALE;Měřítko @@ -2391,7 +2367,6 @@ TP_WAVELET_TON;Tónování TP_WAVELET_TONFRAME;Vyloučené barvy TP_WAVELET_USH;Nic TP_WAVELET_USHARP;Metoda čirosti -TP_WAVELET_USHARP_TOOLTIP;Původní : zdrojovým souborem je soubor před Vlnkou.\nVlnka : zdrojovým souborem je soubor s aplikovanou Vlnkou. TP_WAVELET_USH_TOOLTIP;Pokud vyberete Ostrou masku, bude nastavení vlnky automaticky změněno na:\nPozadí=černá, zpracování=pod, úroveň=3 — ta může být změněna v rozmezí 1 až 4.\n\nPokud vyberete Čirost, bude nastavení vlnky automaticky změněno na:\nPozadí=zůstatek, zpracování=nad, úroveň=7 — ta může být změněna v rozmezí 5 až 10 úrovní vlnky. TP_WAVELET_WAVLOWTHR;Práh nízkého kontrastu TP_WAVELET_WAVOFFSET;Posun @@ -3302,7 +3277,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3352,10 +3326,8 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3385,7 +3357,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3506,7 +3477,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3655,7 +3625,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3696,7 +3665,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3792,7 +3760,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3857,7 +3824,6 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -4035,9 +4001,7 @@ ZOOMPANEL_ZOOMOUT;Oddálit\nZkratka: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk index b5dfccc00..387e67464 100644 --- a/rtdata/languages/Dansk +++ b/rtdata/languages/Dansk @@ -245,7 +245,6 @@ HISTOGRAM_TOOLTIP_G;Vis/Skjul grøn histogram. HISTOGRAM_TOOLTIP_L;Vis/Skjul CIELab luminans histogram. HISTOGRAM_TOOLTIP_MODE;Skift mellem lineær, log-lineær og log-log-skalering af histogrammet. HISTOGRAM_TOOLTIP_R;Vis/Skjul rødt histogram. -HISTOGRAM_TOOLTIP_RAW;Vis/Skjul raw histogram. HISTORY_CHANGED;Ændret HISTORY_CUSTOMCURVE;Standardkurve HISTORY_FROMCLIPBOARD;Fra udklipsholder @@ -379,12 +378,6 @@ HISTORY_MSG_127;Fladt-Felt - Automatisk valg HISTORY_MSG_128;Fladt-Felt - Sløringsradius HISTORY_MSG_129;Fladt-Felt - Sløringstype HISTORY_MSG_130;Automatisk forvrængningskorrektion -HISTORY_MSG_131;Støjreduktion - Luma -HISTORY_MSG_132;Støjreduktion - Kroma -HISTORY_MSG_133;Output gamma -HISTORY_MSG_134;Fri gamma -HISTORY_MSG_135;Fri gamma -HISTORY_MSG_136;Fri gamma hældning HISTORY_MSG_137;Sort niveau - Grøn 1 HISTORY_MSG_138;Sort niveau - Rød HISTORY_MSG_139;Sort niveau - Blå @@ -497,7 +490,6 @@ HISTORY_MSG_246;L*a*b* - CL kurve HISTORY_MSG_247;L*a*b* - LH kurve HISTORY_MSG_248;L*a*b* - HH kurve HISTORY_MSG_249;KeDN - Tærskel -HISTORY_MSG_250;Støjreduktion - Forbedret HISTORY_MSG_251;S/H - Algoritme HISTORY_MSG_252;KeDN – Beskyt hudfarvetoner HISTORY_MSG_253;KeDN - Reducér artefakter @@ -521,8 +513,6 @@ HISTORY_MSG_270;Farvetoning - Høj - Grøn HISTORY_MSG_271;Farvetoning - Høj - Blå HISTORY_MSG_272;Farvetoning - Balance HISTORY_MSG_273;Farvetoning - Farvebalance SMH -HISTORY_MSG_274;Farvetoning - Mættet Skygger -HISTORY_MSG_275;Farvetoning - Mættet Højlys HISTORY_MSG_276;Farvetoning - Opacitet HISTORY_MSG_277;--unused-- HISTORY_MSG_278;Farvetoning - Bevar luminans @@ -547,7 +537,6 @@ HISTORY_MSG_296;Støjreduktion – Luminanskurve HISTORY_MSG_297;Støjreduktion - Tilstand HISTORY_MSG_298;Død-pixel filter HISTORY_MSG_299;Støjreduktion - Krominans kurve -HISTORY_MSG_300;- HISTORY_MSG_301;Støjreduktion - Luma kontrol HISTORY_MSG_302;Støjreduktion - Kroma metode HISTORY_MSG_303;Støjreduktion - Kroma metode @@ -656,7 +645,6 @@ HISTORY_MSG_405;Wavelet - Støjfjernelse - Niveau 4 HISTORY_MSG_406;Wavelet - ES - Nabo pixels HISTORY_MSG_407;Retinex - Metode HISTORY_MSG_408;Retinex - Radius -HISTORY_MSG_409;Retinex - Kontrast HISTORY_MSG_410;Retinex - Offset HISTORY_MSG_411;Retinex - Styrke HISTORY_MSG_412;Retinex - Gaussisk gradient @@ -704,7 +692,6 @@ HISTORY_MSG_468;PS – Udfyld huller HISTORY_MSG_469;PS - Median HISTORY_MSG_471;PS - Bevægelseskorrektion HISTORY_MSG_472;PS - Bløde overgange -HISTORY_MSG_473;PS - Brug LMMSE HISTORY_MSG_474;PS - Equalize HISTORY_MSG_475;PS - Equalize kanal HISTORY_MSG_476;CIEFM02 - Temp ud @@ -743,7 +730,6 @@ HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;Farvetoning - område vis maske HISTORY_MSG_COLORTONING_LABREGION_SLOPE;Farvetoning – område hældning HISTORY_MSG_DEHAZE_DEPTH;Fjern dis - Dybde HISTORY_MSG_DEHAZE_ENABLED;Fjern dis -HISTORY_MSG_DEHAZE_LUMINANCE;Fjern dis – Kun luminans HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Fjern dis - Vis dybde kort HISTORY_MSG_DEHAZE_STRENGTH;Fjern dis - Styrke HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dobbelt demosaik - Auto tærskel @@ -1538,7 +1524,6 @@ TP_DEFRINGE_RADIUS;Radius TP_DEFRINGE_THRESHOLD;Tærskel TP_DEHAZE_DEPTH;Dybde TP_DEHAZE_LABEL;Fjernelse af dis -TP_DEHAZE_LUMINANCE;Kun luminans TP_DEHAZE_SHOW_DEPTH_MAP;Vis dybdekort TP_DEHAZE_STRENGTH;Styrke TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zoner @@ -2237,7 +2222,6 @@ TP_WAVELET_THRH;Højlys tærskel TP_WAVELET_TILESBIG;Store fliser TP_WAVELET_TILESFULL;Fuldt billede TP_WAVELET_TILESIZE;Fliseopdelingsmetode -TP_WAVELET_TILESLIT;Små fliser TP_WAVELET_TILES_TOOLTIP;Redigering af det fulde billede fører til bedre kvalitet og er den anbefalede metode, mens brug af fliser er en nødløsning for brugere med lidt RAM. Se RawPedia for hukommelseskrav. TP_WAVELET_TMSTRENGTH;Kompressionsstyrke TP_WAVELET_TMSTRENGTH_TOOLTIP;Kontrolér styrken af tonemapping eller kontrastkomprimering af det resterende billede. Når værdien er forskellig fra 0, bliver skyderne Styrke og Gamma i Tone Mapping-værktøjet på fanen Eksponering grået-ud. @@ -3122,7 +3106,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3195,7 +3178,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3245,10 +3227,8 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3278,7 +3258,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3399,7 +3378,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3548,7 +3526,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3589,7 +3566,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3685,7 +3661,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3750,7 +3725,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3928,9 +3902,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4077,7 +4049,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Ud\nGenvej: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index b447fd075..4e2b8623c 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1576,7 +1576,6 @@ HISTORY_MSG_WAVCHROMCO;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz grob HISTORY_MSG_WAVCHROMFI;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz fein HISTORY_MSG_WAVCLARI;(Erweitert - Wavelet)\nSchärfemaske und Klarheit HISTORY_MSG_WAVDENLH;(Erweitert - Wavelet)\nRauschreduzierung\nEbenen 5-6 -HISTORY_MSG_WAVDENMET;(Erweitert - Wavelet)\nLokaler Equalizer HISTORY_MSG_WAVDENOISE;(Erweitert - Wavelet)\nRauschreduzierung\nKurve Lokaler Kontrast HISTORY_MSG_WAVDENOISEH;(Erweitert - Wavelet)\nLokaler Kontrast der oberen Ebenen HISTORY_MSG_WAVDETEND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nDetails @@ -2329,7 +2328,6 @@ TP_COLORAPP_TCMODE_LABEL3;Farbkurve Modus TP_COLORAPP_TCMODE_LIGHTNESS;Helligkeit (J) TP_COLORAPP_TCMODE_SATUR;Sättigung (S) TP_COLORAPP_TEMP2_TOOLTIP;Symmetrischer Modus Temp = Weißabgleich.\nBei Auswahl einer Beleuchtung setze Tönung=1.\n\nA Temp=2856\nD41 Temp=4100\nD50 Temp=5003\nD55 Temp=5503\nD60 Temp=6000\nD65 Temp=6504\nD75 Temp=7504 -TP_COLORAPP_TEMPOUT_TOOLTIP;Deaktivieren um Temperatur und Tönung zu ändern. TP_COLORAPP_TEMP_TOOLTIP;Um eine Beleuchtungsart auszuwählen, setzen Sie die Tönung immer auf '1'.\nA Temp=2856\nD50 Temp=5003\nD55 Temp=5503\nD65 Temp=6504\nD75 Temp=7504 TP_COLORAPP_TONECIE;Tonwertkorrektur mittels CIECAM02/16 TP_COLORAPP_TONECIE_TOOLTIP;Wenn diese Option ausgeschaltet ist, wird die Tonwertkorrektur im L*a*b*-Farbraum durchgeführt.\nWenn die Option eingeschaltet ist, wird CIECAM02 für die Tonwertkorrektur verwendet. Das Werkzeug Tonwertkorrektur muss aktiviert sein, damit diese Option berücksichtigt wird. @@ -2736,13 +2734,11 @@ TP_LOCALCONTRAST_RADIUS;Radius TP_LOCALLAB_ACTIV;Nur Luminanz TP_LOCALLAB_ACTIVSPOT;Spot aktivieren TP_LOCALLAB_ADJ;Equalizer Blau/Gelb-Rot/Grün -TP_LOCALLAB_ALL;Alle Rubriken TP_LOCALLAB_AMOUNT;Intensität TP_LOCALLAB_ARTIF;Kantenerkennung TP_LOCALLAB_ARTIF_TOOLTIP;Schwellenwert Bereich ΔE erhöht den Anwendungsbereich des ΔE. Hohe Werte sind für große Gamutbereiche.\nErhöhung der ΔE-Zerfallrate kann die Kantenerkennung erhöhen, aber auch den Bereich verringern. TP_LOCALLAB_AUTOGRAY;Automatisch mittlere Luminanz (Yb%) TP_LOCALLAB_AUTOGRAYCIE;Automatisch -TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Berechnet automatisch die 'mittlere Luminanz' und 'absolute Luminanz'.\nFür Jz Cz Hz: automatische Berechnung von 'PU Anpassung', 'Schwarz-Ev' und 'Weiß-Ev'. TP_LOCALLAB_AVOID;vermeide Farbverschiebungen TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewandt wird. TP_LOCALLAB_AVOIDMUN;Nur Munsell-Korrektur @@ -2792,10 +2788,8 @@ TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Spitzenleuchtdichte) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) angepasst an CAM16. Ermöglicht die Änderung der internen PQ-Funktion (normalerweise 10000 cd/m2 - Standard 100 cd/m2 - deaktiviert für 100 cd/m2).\nKann zur Anpassung an verschiedene Geräte und Bilder verwendet werden. TP_LOCALLAB_CAM16_FRA;CAM16 Bildanpassungen TP_LOCALLAB_CAMMODE;CAM-Modell -TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -TP_LOCALLAB_CAMMODE_ZCAM;nur ZCAM TP_LOCALLAB_CATAD;Chromatische Adaptation/Cat16 TP_LOCALLAB_CBDL;Detailebenenkontrast TP_LOCALLAB_CBDLCLARI_TOOLTIP;Verstärkt den lokalen Kontrast der Mitteltöne. @@ -2825,7 +2819,6 @@ TP_LOCALLAB_CIELIGHTFRA;Beleuchtung TP_LOCALLAB_CIEMODE;Werkzeugposition ändern TP_LOCALLAB_CIEMODE_COM;Standard TP_LOCALLAB_CIEMODE_DR;Dynamikbereich -TP_LOCALLAB_CIEMODE_LOG;LOG-Kodierung TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewandt werden. TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -2854,8 +2847,6 @@ TP_LOCALLAB_COLOR_TOOLNAME;Farbe und Licht TP_LOCALLAB_COL_NAME;Name TP_LOCALLAB_COL_VIS;Status TP_LOCALLAB_COMPFRA;Direktionaler Kontrast -TP_LOCALLAB_COMPLEX_METHOD;Software Komplexität -TP_LOCALLAB_COMPLEX_TOOLTIP;Erlaubt dem Benutzer die Rubrik 'Lokale Anpassungen' auszuwählen. TP_LOCALLAB_COMPREFRA;Tonwertkorrektur TP_LOCALLAB_CONTCOL;Schwellenwert Kontrast TP_LOCALLAB_CONTFRA;Ebenenkontrast @@ -2948,7 +2939,6 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Verändert das Verhalten des Bildes mit wenig ode TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Verändert das Verhalten unterbelichteter Bilder indem eine lineare Komponente vor Anwendung der Laplace-Transformation hinzugefügt wird. TP_LOCALLAB_EXPLAP_TOOLTIP;Regler nach rechts reduziert schrittweise den Kontrast. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Ermöglicht die Verwendung von GIMP oder Photoshop(c)-Ebenen-Mischmodi wie Differenz, Multiplikation, Weiches Licht, Überlagerung etc., mit Transparenzkontrolle.\nOriginalbild: Führe aktuellen RT-Spot mit Original zusammen.\nVorheriger Spot: Führe aktuellen RT-Spot mit vorherigem zusammen - bei nur einem vorherigen = Original.\nHintergrund: Führe aktuellen RT-Spot mit einem Farb- oder Luminanzhintergrund zusammen (weniger Möglichkeiten). -TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard: Verwendet einen Algorithmus ähnlich der Hauptbelichtung, jedoch in L * a * b * und unter Berücksichtigung von ΔE.\n\nKontrastdämpfung: Verwendet einen anderen Algorithmus auch mit ΔE und mit der Poisson-Gleichung, um Laplace im Fourierraum zu lösen.\nKontrastdämpfung, Dynamikkomprimierung und Standard können kombiniert werden.\nDie Fourier-Transformation ist in der Größe optimiert, um die Verarbeitungszeit zu verkürzen.\nReduziert Artefakte und Rauschen. TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Wendet einen Median-Filter vor der Laplace-Transformation an, um (Rausch-)Artefakte zu vermeiden.\nAlternativ kann das Werkzeug zur Rauschreduzierung angewandt werden. TP_LOCALLAB_EXPOSE;Dynamik und Belichtung TP_LOCALLAB_EXPOSURE_TOOLTIP;Anpassung der Belichtung im L*a*b-Raum mittels Laplace PDE-Algorithmus um ΔE zu berücksichtigen und Artefakte zu minimieren. @@ -2962,7 +2952,6 @@ TP_LOCALLAB_FATDETAIL;Detail TP_LOCALLAB_FATFRA;Dynamikkompression TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal - es wird der Fattal-Algorithmus zur Tonwertkorrektur angewandt. TP_LOCALLAB_FATLEVEL;Sigma -TP_LOCALLAB_FATRES;Betrag Restbild TP_LOCALLAB_FATSHFRA;Maske für den Bereich der Dynamikkompression TP_LOCALLAB_FEATH_TOOLTIP;Verlaufsbreite als Prozentsatz der Spot-Diagonalen.\nWird von allen Verlaufsfiltern in allen Werkzeugen verwendet.\nKeine Aktion, wenn kein Verlaufsfilter aktiviert wurde. TP_LOCALLAB_FEATVALUE;Verlaufsbreite @@ -3098,7 +3087,6 @@ TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Berechnet automatisch die 'Mittlere Luminanz' für die Szenenbedingungen, wenn die Schaltfläche 'Automatisch' in 'Relative Belichtungsebenen' gedrückt wird. TP_LOCALLAB_LOGAUTO_TOOLTIP;Mit Drücken dieser Taste werden der 'Dynamikbereich' und die 'Mittlere Luminanz' für die Szenenbedingungen berechnet, wenn die Option 'Automatische mittlere Luminanz (Yb%)' aktiviert ist.\nBerechnet auch die absolute Luminanz zum Zeitpunkt der Aufnahme.\nDrücken Sie die Taste erneut, um die automatisch berechneten Werte anzupassen. TP_LOCALLAB_LOGBASE_TOOLTIP;Standard = 2.\nWerte unter 2 reduzieren die Wirkung des Algorithmus, wodurch die Schatten dunkler und die Glanzlichter heller werden.\nMit Werten über 2 sind die Schatten grauer und die Glanzlichter werden verwaschener. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Geschätzte Werte des Dynamik-Bereiches d.h. 'Schwarz-Ev' und 'Weiß-Ev' TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatische Anpassung ermöglicht, eine Farbe entsprechend ihrer räumlich-zeitlichen Umgebung zu interpretieren.\nNützlich, wenn der Weißabgleich weit von Referenz D50 entfernt ist.\nPasst Farben an das Leuchtmittel des Ausgabegeräts an. TP_LOCALLAB_LOGCIE;LOG-Kodierung statt Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Ermöglicht die Verwendung von 'Schwarz-Ev', 'Weiß-Ev', 'Szenen-Mittlere-Leuchtdichte (Yb%)' und 'sichtbare mittlere Leuchtdichte (Yb%)' für die Tonzuordnung mit 'LOG-Kodierung Q'. @@ -3139,7 +3127,6 @@ TP_LOCALLAB_MASFRAME;Maskieren und Zusammenführen TP_LOCALLAB_MASFRAME_TOOLTIP;Für alle Masken.\nBerücksichtigt das ΔE-Bild, um zu vermeiden, dass der Auswahlbereich geändert wird, wenn die folgenden Maskenwerkzeuge verwendet werden: 'Gamma', 'Steigung', 'Chroma', 'Kontrastkurve', 'Lokaler Kontrast' (nach Wavelet-Ebene), 'Unschärfemaske' und 'Strukturmaske' (falls aktiviert).\nDeaktiviert, wenn der Inverse-Modus verwendet wird. TP_LOCALLAB_MASK;Kontrast TP_LOCALLAB_MASK2;Kontrastkurve -TP_LOCALLAB_MASKCOL;Maskenkurven TP_LOCALLAB_MASKCOM;Normale Farbmaske TP_LOCALLAB_MASKCOM_TOOLNAME;Normale Farbmaske TP_LOCALLAB_MASKCOM_TOOLTIP;Ein eigenständiges Werkzeug.\nKann verwendet werden, um das Erscheinungsbild (Chrominanz, Luminanz, Kontrast) und die Textur in Abhängigkeit des Bereiches anzupassen. @@ -3236,7 +3223,6 @@ TP_LOCALLAB_MRFIV;Hintergrund TP_LOCALLAB_MRFOU;Vorheriger Spot TP_LOCALLAB_MRONE;Keine TP_LOCALLAB_MRTHR;Original Bild -TP_LOCALLAB_MRTWO;Maske Short L-Kurve TP_LOCALLAB_MULTIPL_TOOLTIP;Weitbereichs-Toneinstellung: -18 EV bis + 4 EV. Der erste Regler wirkt auf sehr dunkle Töne zwischen -18 EV und -6 EV. Der letzte Regler wirkt auf helle Töne bis zu 4 EV. TP_LOCALLAB_NEIGH;Radius TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewandt. @@ -3301,7 +3287,6 @@ TP_LOCALLAB_REPAREXP_TOOLTIP;Ermöglicht, die relative Stärke von 'Dynamik und TP_LOCALLAB_REPARSH_TOOLTIP;Ermöglicht, die relative Stärke von 'Schatten/Lichter' und 'Tonwert' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPARTM_TOOLTIP;Ermöglicht, die relative Stärke des 'Tone-Mappings' in Bezug auf das Originalbild anzupassen. TP_LOCALLAB_REPARW_TOOLTIP;Ermöglicht, die relative Stärke des'Lokalen Kontrasts' und der 'Wavelets' in Bezug auf das Originalbild anzupassen. -TP_LOCALLAB_RESETSHOW;Alle sichtbaren Änderungen zurücksetzen TP_LOCALLAB_RESID;Restbild TP_LOCALLAB_RESIDBLUR;Unschärfe Restbild TP_LOCALLAB_RESIDCHRO;Chroma Restbild @@ -3330,7 +3315,6 @@ TP_LOCALLAB_ROW_VIS;Sichtbar TP_LOCALLAB_RSTPROTECT_TOOLTIP;'Rot- und Hauttöne schützen' beeinflusst die Schieberegler von Sättigung , Chromatizität und Buntheit. TP_LOCALLAB_SATUR;Sättigung TP_LOCALLAB_SATURV;Sättigung (s) -TP_LOCALLAB_SAVREST;Sichern - Wiederherstellen des aktuellen Bildes TP_LOCALLAB_SCALEGR;Korngröße TP_LOCALLAB_SCALERETI;Skalieren TP_LOCALLAB_SCALTM;Skalieren @@ -3403,7 +3387,6 @@ TP_LOCALLAB_SIGMOIDLAMBDA;Kontrast TP_LOCALLAB_SIGMOIDQJ;Schwarz-Ev und Weiß-Ev verwenden TP_LOCALLAB_SIGMOIDTH;Schwellenwert (Graupunkt) TP_LOCALLAB_SIGMOID_TOOLTIP;Ermöglicht, ein Tone-Mapping-Erscheinungsbild zu simulieren, indem sowohl die 'CIECAM' (oder 'Jz') als auch die 'Sigmoid'-Funktion verwendet werden. Drei Schieberegler:\na) 'Kontrast' wirkt sich auf die Form der Sigmoidkurve und folglich auf die Stärke aus;\nb) 'Schwellenwert' (Graupunkt) verteilt die Aktion entsprechend der Leuchtdichte;\nc) 'Überlagern' wirkt sich auf den endgültigen Aspekt des Bildes, Kontrast und Leuchtdichte aus. -TP_LOCALLAB_SIM;Einfach TP_LOCALLAB_SLOMASKCOL;Steigung TP_LOCALLAB_SLOMASK_TOOLTIP;Gamma und Steigung ermöglichen eine weiche und artefaktfreie Transformation der Maske, indem 'L' schrittweise geändert wird, um Diskontinuitäten zu vermeiden. TP_LOCALLAB_SLOSH;Steigung @@ -3481,9 +3464,7 @@ TP_LOCALLAB_WARM_TOOLTIP;Dieser Regler verwendet den CIECAM-Algorithmus und fung TP_LOCALLAB_WASDEN_TOOLTIP;Reduzierung des Luminanz-Rauschens: Die linke Seite der Kurve einschließlich der dunkelgrauen/hellgrauen Grenze entspricht den ersten 3 Stufen 0, 1, 2 (feines Detail). Die rechte Seite der Kurve entspricht den gröberen Details (Ebene 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Gleicht die Aktion innerhalb jeder Ebene an. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;Die Standardeinstellung für Unschärfe wirkt sich auf alle 3 L*a*b* -Komponenten (Luminanz und Farbe) aus.\nWenn diese Option aktiviert ist, wird nur die Luminanz unscharf. -TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. TP_LOCALLAB_WAT_CLARIC_TOOLTIP;Mit 'Chroma zusammenführen' wird die Intensität des gewünschten Effekts auf die Chrominanz ausgewählt. -TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt.\nEs wird nur der maximale Wert der Wavelet Ebenen (unten rechts) berücksichtigt. TP_LOCALLAB_WAT_CLARIL_TOOLTIP;Mit 'Luma zusammenführen' wird die Intensität des gewünschten Effekts auf die Luminanz ausgewählt. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma Ebenen': Passt die 'a'- und 'b'- Komponenten von L*a*b* als Anteil des Luminanzwertes an. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Durch den Versatz wird die Balance zwischen kontrastarmen und kontrastreichen Details geändert.\nHohe Werte verstärken die Kontraständerungen zu den kontrastreicheren Details, während niedrige Werte die Kontraständerungen zu kontrastarmen Details verstärken.\nMit Verwendung eines geringeren Wertes der 'Dämpfungsreaktion' kann bestimmt werden, welche Kontrastwerte verbessert werden sollen. @@ -3925,7 +3906,6 @@ TP_WAVELET_CONTEDIT;'Danach'-Kontrastkurve TP_WAVELET_CONTFRAME;Kompression TP_WAVELET_CONTR;Gamut TP_WAVELET_CONTRA;Kontrast -TP_WAVELET_CONTRASTEDIT;Feinere - Grobere Ebenen TP_WAVELET_CONTRAST_MINUS;Kontrast - TP_WAVELET_CONTRAST_PLUS;Kontrast + TP_WAVELET_CONTRA_TOOLTIP;Ändert den Kontrast des Restbildes. @@ -3948,13 +3928,7 @@ TP_WAVELET_DAUB14;D14 - Hoch TP_WAVELET_DAUBLOCAL;Wavelet Kantenperformance TP_WAVELET_DAUB_TOOLTIP;Ändert den Daubechies-Koeffizienten:\nD4 = Standard\nD14 = Häufig bestes Ergebnis auf Kosten\nvon ca. 10% längerer Verarbeitungszeit.\n\nVerbessert die Kantenerkennung sowie die Qualität\nder ersten Waveletebene. Jedoch hängt die Qualität\nnicht ausschließlich mit diesem Koeffizienten zusammen\nund kann je nach Bild und Einsatz variieren. TP_WAVELET_DEN5THR;Schwellenwert -TP_WAVELET_DEN12LOW;1 2 Niedrig -TP_WAVELET_DEN12PLUS;1 2 Hoch -TP_WAVELET_DEN14LOW;1 4 Niedrig -TP_WAVELET_DEN14PLUS;1 4 Hoch -TP_WAVELET_DENCONTRAST;Ausgleich Lokaler Kontrast TP_WAVELET_DENCURV;Kurve -TP_WAVELET_DENEQUAL;1 2 3 4 Ausgleich TP_WAVELET_DENL;Korrektur Struktur TP_WAVELET_DENLH;Schwellenwert Ebenen 1-4 TP_WAVELET_DENLOCAL_TOOLTIP;Verwenden Sie eine Kurve, um die Rauschreduzierung entsprechend dem lokalen Kontrast anzupassen.\nFlächen werden entrauscht, die Strukturen bleiben erhalten. @@ -3997,7 +3971,6 @@ TP_WAVELET_EDTYPE;Lokale Kontrastmethode TP_WAVELET_EDVAL;Intensität TP_WAVELET_FINAL;Endretusche TP_WAVELET_FINCFRAME;Endgültiger Lokaler Kontrast -TP_WAVELET_FINCOAR_TOOLTIP;Der linke (positive) Teil der Kurve wirkt auf die feineren Ebenen (Erhöhung).\nDie 2 Punkte auf der Abszisse repräsentieren die jeweiligen Aktionsgrenzen feinerer und gröberer Ebenen 5 und 6 (default).\nDer rechte (negative) Teil der Kurve wirkt auf die gröberen Ebenen (Erhöhung).\nVermeiden Sie es, den linken Teil der Kurve mit negativen Werten zu verschieben. Vermeiden Sie es, den rechten Teil der Kurve mit positiven Werten zu verschieben. TP_WAVELET_FINEST;Fein TP_WAVELET_FINTHR_TOOLTIP;Nutzt den lokalen Kontrast um die Wirkung des anpassbaren Filters zu erhöhen oder zu reduzieren. TP_WAVELET_GUIDFRAME;Finales Glätten (anpassbarer Filter) @@ -4050,7 +4023,6 @@ TP_WAVELET_MIXNOISE;Rauschen TP_WAVELET_NEUTRAL;Neutral TP_WAVELET_NOIS;Rauschreduzierung TP_WAVELET_NOISE;Rauschreduzierung -TP_WAVELET_NOISE_TOOLTIP;Wenn die Helligkeit der Ebene den Wert 50 übersteigt, wird der aggressive Modus angewandt.\nLiegt die Chrominanz grob über 20 wird der aggressive Modus angewandt. TP_WAVELET_NPHIGH;Hoch TP_WAVELET_NPLOW;Niedrig TP_WAVELET_NPNONE;Keine @@ -4108,7 +4080,6 @@ TP_WAVELET_THRH;Schwelle Lichter TP_WAVELET_TILESBIG;Große Kacheln TP_WAVELET_TILESFULL;Ganzes Bild TP_WAVELET_TILESIZE;Kachelgröße -TP_WAVELET_TILESLIT;Kleine Kacheln TP_WAVELET_TILES_TOOLTIP;'Ganzes Bild' (empfohlen) liefert eine bessere Qualität.\n'Kacheln' benötigen weniger Speicher und ist nur für Computer mit wenig RAM zu empfehlen. TP_WAVELET_TMEDGS;Kantenschutz TP_WAVELET_TMSCALE;Skalieren diff --git a/rtdata/languages/English (UK) b/rtdata/languages/English (UK) index 622ae996d..7de3a54cc 100644 --- a/rtdata/languages/English (UK) +++ b/rtdata/languages/English (UK) @@ -2382,7 +2382,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2756,7 +2755,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOIDMUN;Munsell correction only !TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDRAD;Soft radius @@ -2803,10 +2801,8 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2831,7 +2827,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -2932,7 +2927,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or too little contrast by adding a gamma curve before and after the Laplace transform. !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3077,7 +3071,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. !TP_LOCALLAB_LOGCONQL;Contrast (Q) @@ -3107,7 +3100,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. !TP_LOCALLAB_MASKCURVE_TOOLTIP;The 3 curves are set to 1 (maximum) by default:\nC=f(C) the chroma varies according to the chrominance. You can decrease the chroma to improve the selection. By setting this curve close to zero (with a low value of C to activate the curve) you can desaturate the background in Inverse mode.\nL=f(L) the luminance varies according to the luminance, so you can decrease the brightness to improve the selection.\nL and C = f(H) luminance and chroma vary with hue, so you can decrease luminance and chroma to improve selection. !TP_LOCALLAB_MASKDDECAY;Decay strength @@ -3174,7 +3166,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3237,7 +3228,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3406,9 +3396,7 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -3950,7 +3938,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4008,7 +3995,6 @@ TP_WBALANCE_EQBLUERED_TOOLTIP;Allows to deviate from the normal behaviour of 'wh !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/English (US) b/rtdata/languages/English (US) index 66c28ab5d..40ad9c57b 100644 --- a/rtdata/languages/English (US) +++ b/rtdata/languages/English (US) @@ -2242,7 +2242,6 @@ !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2654,7 +2653,6 @@ !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2704,10 +2702,8 @@ !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2737,7 +2733,6 @@ !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -2858,7 +2853,6 @@ !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3007,7 +3001,6 @@ !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3048,7 +3041,6 @@ !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3144,7 +3136,6 @@ !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3209,7 +3200,6 @@ !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3387,9 +3377,7 @@ !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -3948,7 +3936,6 @@ !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4006,7 +3993,6 @@ !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index 9ac08cad1..e18188142 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -250,7 +250,6 @@ HISTOGRAM_TOOLTIP_G;Muestra/oculta el canal verde en el histograma. HISTOGRAM_TOOLTIP_L;Muestra/oculta el histograma de luminancia CIELAB. HISTOGRAM_TOOLTIP_MODE;Cambia entre la escala lineal, la logarítmica-lineal y la escala logarítmica (o doble logarítmica) del histograma. HISTOGRAM_TOOLTIP_R;Muestra/oculta el canal rojo en el histograma. -HISTOGRAM_TOOLTIP_RAW;Muestra/oculta el histograma raw. HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Muestra/oculta opciones adicionales. HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Ajusta el brillo del vectorscopio. HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histograma @@ -1380,7 +1379,6 @@ HISTORY_MSG_COMPLEX;Complejidad ondículas HISTORY_MSG_COMPLEXRETI;Complejidad Retinex HISTORY_MSG_DEHAZE_DEPTH;Elim. neblina - Profundidad HISTORY_MSG_DEHAZE_ENABLED;Elim. neblina -HISTORY_MSG_DEHAZE_LUMINANCE;Elim. neblina - Sólo luminancia HISTORY_MSG_DEHAZE_SATURATION;Elim. neblina - Saturación HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Elim. neblina - Mostrar mapa profundidad HISTORY_MSG_DEHAZE_STRENGTH;Elim. neblina - Intensidad @@ -1472,7 +1470,6 @@ HISTORY_MSG_WAVCHROMCO;Cromaticidad grueso HISTORY_MSG_WAVCHROMFI;Cromaticidad fino HISTORY_MSG_WAVCLARI;Claridad HISTORY_MSG_WAVDENLH;Nivel 5 -HISTORY_MSG_WAVDENMET;Ecualizador local HISTORY_MSG_WAVDENOISE;Contraste local HISTORY_MSG_WAVDENOISEH;Contraste local niveles altos HISTORY_MSG_WAVDETEND;Detalles suaves @@ -1864,7 +1861,6 @@ PREFERENCES_HISTOGRAMPOSITIONLEFT;Histograma en panel izquierdo PREFERENCES_HISTOGRAM_TOOLTIP;Si se activa, se usará el perfil de trabajo para mostrar el histograma principal y el panel del Navegador. Si se desactiva, se usará el perfil de salida con corrección gamma. PREFERENCES_HLTHRESHOLD;Umbral de recorte de luces PREFERENCES_ICCDIR;Carpeta de perfiles de color -PREFERENCES_IMG_RELOAD_NEEDED;Estos cambios requieren que se vuelva a cargar la imagen (o que se abra una nueva) para que tengan efecto. PREFERENCES_IMPROCPARAMS;Perfil de revelado predeterminado PREFERENCES_INSPECTORWINDOW;Abrir inspector en su propia ventana o en pantalla completa PREFERENCES_INSPECT_LABEL;Inspeccionar @@ -1939,7 +1935,6 @@ PREFERENCES_SHOWTOOLTIP;Mostrar información emergente de herramientas de Ajuste PREFERENCES_SHTHRESHOLD;Umbral de recorte de sombras PREFERENCES_SINGLETAB;Modo de Editor de pestaña única PREFERENCES_SINGLETABVERTAB;Modo de Editor de pestaña única, pestañas verticales -PREFERENCES_SND_BATCHQUEUEDONE;Procesado de la cola terminado PREFERENCES_SND_HELP;Para configurar un sonido, se introduce aquí una ruta completa y nombre de archivo, o bien se deja en blanco si no se desea sonido.\nPara los sonidos de sistema en Windows, se usa «SystemDefault», «SystemAsterisk», etc., y en Linux se usa «complete», «window-attention», etc. PREFERENCES_SND_LNGEDITPROCDONE;Procesado del Editor terminado PREFERENCES_SND_QUEUEDONE;Procesado de la cola terminado @@ -2066,7 +2061,6 @@ TP_BWMIX_ALGO_LI;Lineal TP_BWMIX_ALGO_SP;Efectos especiales TP_BWMIX_ALGO_TOOLTIP;Lineal: producirá una respuesta lineal normal.\nEfectos especiales: se producirán efectos especiales mediante la mezcla no lineal de canales. TP_BWMIX_AUTOCH;Automático -TP_BWMIX_AUTOCH_TOOLTIP;Automático TP_BWMIX_CC_ENABLED;Ajustar color complementario TP_BWMIX_CC_TOOLTIP;Actívese para permitir el ajuste automático de los colores complementarios en modo ROYGCBPM. TP_BWMIX_CHANNEL;Ecualizador de luminancia @@ -2131,7 +2125,6 @@ TP_CHMIXER_BLUE;Canal azul TP_CHMIXER_GREEN;Canal verde TP_CHMIXER_LABEL;Mezclador de canales TP_CHMIXER_RED;Canal rojo -TP_CHROMATABERR_LABEL;Aberración cromática TP_COARSETRAF_TOOLTIP_HFLIP;Voltea horizontalmente. TP_COARSETRAF_TOOLTIP_ROTLEFT;Gira a la izquierda.\n\nAtajos de teclado:\n[ - Modo de Editor de varias pestañas,\nAlt-[ - Modo de Editor de pestaña única. TP_COARSETRAF_TOOLTIP_ROTRIGHT;Gira a la derecha.\n\nAtajos de teclado:\n] - Modo de Editor de varias pestañas,\nAlt-] - Modo de Editor de pestaña única. @@ -2227,7 +2220,6 @@ TP_COLORAPP_TCMODE_LABEL3;Modo de curva de cromaticidad TP_COLORAPP_TCMODE_LIGHTNESS;Claridad TP_COLORAPP_TCMODE_SATUR;Saturación TP_COLORAPP_TEMP2_TOOLTIP;O bien modo simétrico, Temp = balance de blancos.\nO bien, se selecciona el iluminante, poniendo siempre Tinte=1.\n\nA Temp=2856 K\nD41 Temp=4100 K\nD50 Temp=5003 K\nD55 Temp=5503 K\nD60 Temp=6000 K\nD65 Temp=6504 K\nD75 Temp=7504 K -TP_COLORAPP_TEMPOUT_TOOLTIP;Desactívese para cambiar la temperatura y el tinte. TP_COLORAPP_TEMP_TOOLTIP;Para seleccionar un iluminante, se ajusta siempre Tinte=1.\n\nTemp A=2856 K\nTemp D50=5003 K\nTemp D55=5503 K\nTemp D65=6504 K\nTemp D75=7504 K TP_COLORAPP_TONECIE;Mapeo tonal mediante CIECAM02 TP_COLORAPP_TONECIE_TOOLTIP;Si esta opción está desactivada, el mapeo tonal se realiza en el espacio L*a*b*.\nSi está activada, el mapeo tonal se realiza mediante CIECAM02.\nLa herramienta Mapeo tonal debe estar activada para que este ajuste tenga efectos. @@ -2321,7 +2313,6 @@ TP_DEFRINGE_RADIUS;Radio TP_DEFRINGE_THRESHOLD;Umbral TP_DEHAZE_DEPTH;Profundidad TP_DEHAZE_LABEL;Eliminación de neblina -TP_DEHAZE_LUMINANCE;Sólo luminancia TP_DEHAZE_SATURATION;Saturación TP_DEHAZE_SHOW_DEPTH_MAP;Mostrar mapa de profundidad TP_DEHAZE_STRENGTH;Intensidad @@ -2635,13 +2626,11 @@ TP_LOCALCONTRAST_RADIUS;Radio TP_LOCALLAB_ACTIV;Sólo luminancia TP_LOCALLAB_ACTIVSPOT;Activar punto TP_LOCALLAB_ADJ;Ecualizador Azul-Amarillo/Rojo-Verde -TP_LOCALLAB_ALL;Todas las rúbricas TP_LOCALLAB_AMOUNT;Cantidad TP_LOCALLAB_ARTIF;Detección de forma TP_LOCALLAB_ARTIF_TOOLTIP;El umbral de ámbito de ΔE aumenta el rango de ámbito de ΔE. Los valores altos son para imágenes con una gama de colores muy extensa.\nEl aumento del decaimiento de ΔE puede mejorar la detección de forma, pero también puede reducir el ámbito. TP_LOCALLAB_AUTOGRAY;Luminancia media Auto (Yb%) TP_LOCALLAB_AUTOGRAYCIE;Auto -TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Calcula automáticamente la «luminancia media» y la «luminancia absoluta».\nPara Jz Cz Hz: calcula automáticamente la «adaptación PU», «Ev Negro» y «Ev Blanco». TP_LOCALLAB_AVOID;Evitar la deriva de colores TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Encaja los colores en el rango del espacio de color de trabajo y aplica la corrección de Munsell (L*a*b* Perceptual Uniforme).\nLa corrección de Munsell siempre se desactiva cuando se usa Jz o CAM16. TP_LOCALLAB_AVOIDMUN;Sólo corrección de Munsell @@ -2691,10 +2680,8 @@ TP_LOCALLAB_CAM16PQREMAP;LP HDR (Luminancia pico) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;CP (Cuantificador perceptual) adaptado a CAM16. Permite cambiar la función CP interna (normalmente 10000 cd/m² - predeterminado 100 cd/m² - desactivada para 100 cd/m²).\nSe puede usar para adaptar a diferentes dispositivos e imágenes. TP_LOCALLAB_CAM16_FRA;Ajustes de imagen Cam16 TP_LOCALLAB_CAMMODE;Modelo CAM -TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -TP_LOCALLAB_CAMMODE_ZCAM;Sólo ZCAM TP_LOCALLAB_CATAD;Adaptación cromática - Cat16 TP_LOCALLAB_CBDL;Contraste por niveles de detalle TP_LOCALLAB_CBDLCLARI_TOOLTIP;Realza el contraste local de los tonos medios. @@ -2724,7 +2711,6 @@ TP_LOCALLAB_CIELIGHTFRA;Iluminación TP_LOCALLAB_CIEMODE;Cambiar la posición de la herramienta TP_LOCALLAB_CIEMODE_COM;Predeterminado TP_LOCALLAB_CIEMODE_DR;Rango dinámico -TP_LOCALLAB_CIEMODE_LOG;Codificación log TP_LOCALLAB_CIEMODE_TM;Mapeo tonal TP_LOCALLAB_CIEMODE_TOOLTIP;En modo Predeterminado, se añade Ciecam al final del proceso. «Máscara y modificaciones» y «Recuperación basada en la máscara de luminancia» están disponibles para «Cam16 y JzCzHz».\nTambién se puede integrar Ciecam en otras herramientas si se desea (Mapeo tonal, Ondícula, Rango dinámico, Codificación log). Los resultados para estas herramientas serán diferentes de los obtenidos sin Ciecam. En este modo, también es posible usar «Máscara y modificaciones» y «Recuperación basada en la máscara de luminancia». TP_LOCALLAB_CIEMODE_WAV;Ondícula @@ -2753,8 +2739,6 @@ TP_LOCALLAB_COLOR_TOOLNAME;Color y Luz - 11 TP_LOCALLAB_COL_NAME;Nombre TP_LOCALLAB_COL_VIS;Estado TP_LOCALLAB_COMPFRA;Contraste direccional -TP_LOCALLAB_COMPLEX_METHOD;Complejidad del software -TP_LOCALLAB_COMPLEX_TOOLTIP;Permite al usuario seleccionar rúbricas de Ajustes locales. TP_LOCALLAB_COMPREFRA;Mapeo tonal por niveles de ondículas TP_LOCALLAB_CONTCOL;Umbral de contraste TP_LOCALLAB_CONTFRA;Contraste por nivel @@ -2847,7 +2831,6 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Cambia el comportamiento en imágenes con demasia TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Cambia el comportamiento en imágenes subexpuestas, añadiendo un componente lineal antes de aplicar la transformada de Laplace. TP_LOCALLAB_EXPLAP_TOOLTIP;Si se desplaza el deslizador hacia la derecha, el contraste se reducirá progresivamente. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Permite usar los modos de fusión de capas de GIMP o Photoshop (c), como Diferencia, Multiplicar, Luz suave, Superponer, etc., con control de opacidad.\n\nImagen original: fusiona el punto RT actual con la imagen original.\n\nPunto anterior: fusiona el punto RT actual con el anterior (si existe un punto anterior). Si sólo hay un punto RT, anterior = original.\n\nFondo: fusiona el punto RT con la luminancia y el color del fondo (menos posibilidades). -TP_LOCALLAB_EXPMETHOD_TOOLTIP;Estándar: usa un algoritmo similar a la Exposición del menú principal, pero en el espacio L*a*b*, y teniendo en cuenta ΔE.\n\nAtenuador de contraste: usa otro algoritmo, también con ΔE y con una ecuación de Poisson para resolver la Laplaciana en el espacio de Fourier.\n\nAtenuador de contraste, Compresión de rango dinámico y Estándar pueden combinarse.\n\nEl tamaño de la transformada de Fourier FFTW se optimiza para reducir el tiempo de procesamiento.\n\nReduce los artefactos y el ruido. TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Aplica un filtro de mediana antes de la transformada de Laplace para evitar artefactos (ruido).\nTambién se puede usar la herramienta «Reducción de ruido». TP_LOCALLAB_EXPOSE;Rango dinámico y Exposición TP_LOCALLAB_EXPOSURE_TOOLTIP;Modifica la exposición en el espacio L*a*b, usando algoritmos PDE de Laplaciana para tener en cuenta ΔE y minimizar los artefactos. @@ -2861,7 +2844,6 @@ TP_LOCALLAB_FATDETAIL;Detalle TP_LOCALLAB_FATFRA;Compresión de rango dinámico ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal – usa el algoritmo de mapeo tonal Fattal. TP_LOCALLAB_FATLEVEL;Sigma -TP_LOCALLAB_FATRES;Cantidad de imagen residual TP_LOCALLAB_FATSHFRA;Máscara de compresión de rango dinámico ƒ TP_LOCALLAB_FEATH_TOOLTIP;Anchura del gradiente como porcentaje de la diagonal del punto.\nUsado por todos los filtros graduados en todas las herramientas.\nNo realiza ninguna acción si no se ha activado un filtro graduado. TP_LOCALLAB_FEATVALUE;Gradiente de degradado (Filtros graduados) @@ -2996,7 +2978,6 @@ TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcula automáticamente la «luminancia media TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» para las condiciones de la escena cuando está pulsado el botón «Automático» en Niveles relativos de exposición. TP_LOCALLAB_LOGAUTO_TOOLTIP;Al pulsar este botón se calculará el «rango dinámico» y la «luminancia media» para las condiciones de la escena si está activada la casilla «Luminancia media automática (Yb%)».\nTambién se calcula la luminancia absoluta en el momento de la toma.\nPara ajustar los valores calculados automáticamente hay que volver a pulsar el botón. TP_LOCALLAB_LOGBASE_TOOLTIP;Valor predeterminado = 2.\nLos valores menores que 2 reducen la acción del algoritmo, haciendo las sombras más oscuras y las luces más brillantes.\nCon valores mayores que 2, las sombras son más grises y las luces son más desteñidas. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valores estimados del Rango dinámico, por ejemplo Ev negro y Ev blanco TP_LOCALLAB_LOGCATAD_TOOLTIP;La adaptación cromática permite interpretar un color en función de su entorno espacio-temporal.\nEs útil cuando el balance de blancos está lejos de la referencia D50.\nAdapta los colores al iluminante del dispositivo de salida. TP_LOCALLAB_LOGCOLORFL;Colorido (M) TP_LOCALLAB_LOGCOLORF_TOOLTIP;Cantidad de matiz percibida en relación al gris.\nIndicador de que un estímulo parece más o menos coloreado. @@ -3034,7 +3015,6 @@ TP_LOCALLAB_MASFRAME;Enmascarar y Fusionar TP_LOCALLAB_MASFRAME_TOOLTIP;Para todas las máscaras.\n\nTiene en cuenta la ΔE de la imagen para evitar modificar el área seleccionada cuando se usan las siguientes herramientas de máscara: Gamma, Pendiente, Cromaticidad, Curva de contraste, Contraste local (por niveles de ondículas), Máscara de difuminado y Máscara de Estructura (si está activada) .\n\nDesactivada cuando se usa el modo Inverso. TP_LOCALLAB_MASK;Contraste TP_LOCALLAB_MASK2;Curva de contraste -TP_LOCALLAB_MASKCOL;Curvas de máscara TP_LOCALLAB_MASKCOM;Máscara de color común TP_LOCALLAB_MASKCOM_TOOLNAME;Máscara de color común - 13 TP_LOCALLAB_MASKCOM_TOOLTIP;Una herramienta por derecho propio.\nPuede usarse para ajustar la apariencia de la imagen (cromaticidad, luminancia, contraste) y la textura en función del Ámbito. @@ -3131,7 +3111,6 @@ TP_LOCALLAB_MRFIV;Fondo TP_LOCALLAB_MRFOU;Punto anterior TP_LOCALLAB_MRONE;Ninguno TP_LOCALLAB_MRTHR;Imagen original -TP_LOCALLAB_MRTWO;Máscara Curvas «L» corto TP_LOCALLAB_MULTIPL_TOOLTIP;Ajuste de tono de rango extenso: de -18EV a +4EV. El primer deslizador actúa sobre tonos muy oscuros, entre -18EV y -6EV. El último deslizador actúa sobre tonos claros, hasta 4EV. TP_LOCALLAB_NEIGH;Radio TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Los valores bajos preservan detalles y textura, los altos aumentan la reducción de ruido.\nSi gamma = 3.0, se usa Luminancia "lineal". @@ -3196,7 +3175,6 @@ TP_LOCALLAB_REPAREXP_TOOLTIP;Permite ajustar la intensidad relativa de la imagen TP_LOCALLAB_REPARSH_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Sombras/Luces y Ecualizador de tono respecto a la imagen original. TP_LOCALLAB_REPARTM_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Mapeo tonal respecto a la imagen original. TP_LOCALLAB_REPARW_TOOLTIP;Permite ajustar la intensidad relativa de la imagen de Contraste local y Ondículas respecto a la imagen original. -TP_LOCALLAB_RESETSHOW;Reiniciar todo Mostrar modificaciones TP_LOCALLAB_RESID;Imagen residual TP_LOCALLAB_RESIDBLUR;Difuminar imagen residual TP_LOCALLAB_RESIDCHRO;Cromaticidad Imagen residual @@ -3225,7 +3203,6 @@ TP_LOCALLAB_ROW_VIS;Visible TP_LOCALLAB_RSTPROTECT_TOOLTIP;La protección de rojo y tonos de piel afecta a los deslizadores de Saturación, Cromaticidad y Colorido. TP_LOCALLAB_SATUR;Saturación TP_LOCALLAB_SATURV;Saturación (s) -TP_LOCALLAB_SAVREST;Guardar/Restaurar la imagen actual TP_LOCALLAB_SCALEGR;Escala TP_LOCALLAB_SCALERETI;Escala TP_LOCALLAB_SCALTM;Escala @@ -3298,7 +3275,6 @@ TP_LOCALLAB_SIGMOIDLAMBDA;Contraste TP_LOCALLAB_SIGMOIDQJ;Usar Q en lugar de J TP_LOCALLAB_SIGMOIDTH;Umbral (Punto gris) TP_LOCALLAB_SIGMOID_TOOLTIP;Permite simular una apariencia de mapeo tonal mediante el uso de las dos funciones, «Ciecam» y «Sigmoide».\nSe dispone de tres deslizadores: a) Intensidad acúa en la forma de la curva sigmoide, y en consecuencia en la intensidad; b) Umbral distribute la acción en función de la luminancia; c)Fusionar actúa en el aspecto final de la imagen, el contraste y la luminancia. -TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Pendiente TP_LOCALLAB_SLOMASK_TOOLTIP;La Gamma y la Pendiente permiten una transformación de la máscara suave y libre de artefactos, modificando progresivamente «L» para evitar cualquier discontinuidad. TP_LOCALLAB_SLOSH;Pendiente @@ -3376,9 +3352,7 @@ TP_LOCALLAB_WARM_TOOLTIP;Este deslizador usa el algoritmo CIECAM y actúa como u TP_LOCALLAB_WASDEN_TOOLTIP;Reducción de ruido de luminancia: el lado izquierdo de la curva, incluyendo la frontera gris oscuro/gris claro, corresponde a los tres primeros niveles 0, 1, 2 (detalle fino). El lado derecho de la curva corresponde a los detalles más gruesos (niveles 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Equilibra la acción dentro de cada nivel. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;El ajuste predeterminado de difuminado afecta a los tres componentes de L*a*b* (luminancia y color).\nSi se activa, sólo se difuminará la luminancia. -TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;«Fusionar cromaticidad» se usa para seleccionar la intensidad del efecto deseado en la cromaticidad.\nSólo se tiene en cuenta el máximo valor de los niveles de ondícula (abajo a la derecha. TP_LOCALLAB_WAT_CLARIC_TOOLTIP;«Fusionar cromaticidad» se usa para seleccionar la intensidad del efecto deseado sobre la cromaticidad. -TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;«Fusionar luminancia» se usa para seleccionar la intensidad del efecto deseado en la luminancia.\nSólo se tiene en cuenta el máximo valor de los niveles de ondícula (abajo a la derecha. TP_LOCALLAB_WAT_CLARIL_TOOLTIP;«Fusionar luminancia» se usa para seleccionar la intensidad del efecto deseado sobre la luminancia. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;«Niveles de cromaticidad»: ajusta los componentes «a» y «b» de L*a*b* como una proporción del valor de la luminancia. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;El desplazamiento modifica el balance entre detalles de bajo y alto contraste.\n\nLos valores altos amplificarán cambios de contraste hacia detalles de mayor contraste, mientras que los valores bajos amplificarán cambios de contraste hacia detalles de bajo contraste.\n\nEl uso de “Respuesta de atenuación” permite seleccionar qué valores de contraste se intensificarán. @@ -3503,7 +3477,6 @@ TP_RAWEXPOS_BLACK_BLUE;Azul TP_RAWEXPOS_BLACK_GREEN;Verde TP_RAWEXPOS_BLACK_RED;Rojo TP_RAWEXPOS_LINEAR;Corrección de punto blanco -TP_RAWEXPOS_PRESER;Preservación de luces TP_RAWEXPOS_RGB;Rojo, Verde, Azul TP_RAWEXPOS_TWOGREEN;Vincular verdes TP_RAW_1PASSMEDIUM;1 paso (Markesteijn) @@ -3616,7 +3589,6 @@ TP_RETINEX_GAIN;Ganancia TP_RETINEX_GAINOFFS;Ganancia y desplazamiento (brillo) TP_RETINEX_GAINTRANSMISSION;Ganancia de transmisión TP_RETINEX_GAINTRANSMISSION_TOOLTIP;Amplifica o reduce el mapa de transmisión para conseguir la luminancia deseada.\nEl eje x es la transmisión.\nEl eje y es la ganancia. -TP_RETINEX_GAIN_TOOLTIP;Actúa en la imagen restaurada.\n\nEsto es muy diferente de los demás ajustes. Se usa para píxels negros o blancos, y para ayudar a equilibrar el histograma. TP_RETINEX_GAMMA;Gamma TP_RETINEX_GAMMA_FREE;Libre TP_RETINEX_GAMMA_HIGH;Alta @@ -3694,7 +3666,6 @@ TP_SAVEDIALOG_OK_TOOLTIP;Atajo de teclado: Ctrl-Intro TP_SHADOWSHLIGHTS_HIGHLIGHTS;Luces TP_SHADOWSHLIGHTS_HLTONALW;Anchura tonal de las luces TP_SHADOWSHLIGHTS_LABEL;Sombras/Luces -TP_SHADOWSHLIGHTS_LOCALCONTR;Contraste local TP_SHADOWSHLIGHTS_RADIUS;Radio TP_SHADOWSHLIGHTS_SHADOWS;Sombras TP_SHADOWSHLIGHTS_SHTONALW;Anchura tonal de las sombras @@ -3823,7 +3794,6 @@ TP_WAVELET_CONTEDIT;Curva de contraste «Después» TP_WAVELET_CONTFRAME;Contraste - Compresión TP_WAVELET_CONTR;Rango de colores TP_WAVELET_CONTRA;Contraste -TP_WAVELET_CONTRASTEDIT;Niveles más finos - más gruesos TP_WAVELET_CONTRAST_MINUS;Contraste - TP_WAVELET_CONTRAST_PLUS;Contraste + TP_WAVELET_CONTRA_TOOLTIP;Cambia el contraste de la imagen residual. @@ -3846,13 +3816,7 @@ TP_WAVELET_DAUB14;D14 - alto TP_WAVELET_DAUBLOCAL;Rendimiento de ondículas en bordes TP_WAVELET_DAUB_TOOLTIP;Cambia los coeficientes de Daubechies:\nD4 = Estándar,\nD14 = A menudo ofrece el mejor rendimiento, con un 10% más de tiempo de ejecución.\n\nAfecta a la detección de bordes, así como a la calidad general de los primeros niveles. No obstante, la calidad no está estrictamente relacionada con este coeficiente, y puede variar de unas imágenes y usos a otros/as. TP_WAVELET_DEN5THR;Umbral guiado -TP_WAVELET_DEN12LOW;1 2 Bajo -TP_WAVELET_DEN12PLUS;1 2 Alto -TP_WAVELET_DEN14LOW;1 4 Bajo -TP_WAVELET_DEN14PLUS;1 4 Alto -TP_WAVELET_DENCONTRAST;Ecualizador de contraste local TP_WAVELET_DENCURV;Curva -TP_WAVELET_DENEQUAL;1 2 3 4 Ecual TP_WAVELET_DENL;Corrección estructura TP_WAVELET_DENLH;Umbral guiado por niveles de detalle 1-4 TP_WAVELET_DENLOCAL_TOOLTIP;Usa una curva para guiar la reducción de ruido en función del contraste local.\nSe reduce el ruido de las zonas, manteniendo las estructuras. @@ -3895,7 +3859,6 @@ TP_WAVELET_EDTYPE;Método de contraste local TP_WAVELET_EDVAL;Intensidad TP_WAVELET_FINAL;Retoque final TP_WAVELET_FINCFRAME;Contraste local final -TP_WAVELET_FINCOAR_TOOLTIP;La parte izquierda (positiva) de la curva actúa en los niveles más finos (aumento).\nLos 2 puntos en la abscisa representan los respectivos límites de acción de los niveles más finos y más gruesos 5 y 6 (predeterminado).\nLa parte derecha (negativa) de la curva actúa sobre los niveles más gruesos (aumento).\nSe debe evitar mover la parte izquierda de la curva con valores negativos. Se debe evitar mover la parte derecha de la curva con valores positivos. TP_WAVELET_FINEST;El más fino TP_WAVELET_FINTHR_TOOLTIP;Usa el contraste local para reducir o aumentar la acción del filtro guiado. TP_WAVELET_GUIDFRAME;Suavizado final (filtro guiado) @@ -3948,7 +3911,6 @@ TP_WAVELET_MIXNOISE;Ruido TP_WAVELET_NEUTRAL;Neutro TP_WAVELET_NOIS;Reducción de ruido TP_WAVELET_NOISE;Reducción de ruido y refinado -TP_WAVELET_NOISE_TOOLTIP;Si la reducción de ruido de luminancia del nivel 4 es superior a 50, se usa el modo Agresivo.\nSi la cromaticidad gruesa es superior a 20, se usa el modo Agresivo. TP_WAVELET_NPHIGH;Alto TP_WAVELET_NPLOW;Bajo TP_WAVELET_NPNONE;Ninguno @@ -4006,7 +3968,6 @@ TP_WAVELET_THRH;Umbral de luces TP_WAVELET_TILESBIG;Teselas grandes TP_WAVELET_TILESFULL;Imagen entera TP_WAVELET_TILESIZE;Método de teselado -TP_WAVELET_TILESLIT;Teselas pequeñas TP_WAVELET_TILES_TOOLTIP;El procesado de la imagen entera proporciona mejor calidad y es la opción recomendada, mientras que el uso de teselas es una solución alternativa para usuarios con poca memoria RAM. Consúltese RawPedia para averiguar los requisitos de memoria. TP_WAVELET_TMEDGS;Parada en bordes TP_WAVELET_TMSCALE;Escala diff --git a/rtdata/languages/Espanol (Latin America) b/rtdata/languages/Espanol (Latin America) index ca263e53c..952909889 100644 --- a/rtdata/languages/Espanol (Latin America) +++ b/rtdata/languages/Espanol (Latin America) @@ -430,12 +430,6 @@ HISTORY_MSG_127;Auto selección archivo de campo plano HISTORY_MSG_128;Radio de difuminado de campo plano HISTORY_MSG_129;Tipo de difuminado de campo plano HISTORY_MSG_130;Corrección automática de distorsión -HISTORY_MSG_131;Reducción de ruido de luminancia -HISTORY_MSG_132;Reducción de ruido de crominancia -HISTORY_MSG_133;Gamma de salida -HISTORY_MSG_134;Gamma libre -HISTORY_MSG_135;Gamma libre -HISTORY_MSG_136;Pendiente de (la curva) gamma HISTORY_MSG_137;Nivel de negro - Verde 1 HISTORY_MSG_138;Nivel de negro - Rojo HISTORY_MSG_139;Nivel de negro - Azul @@ -548,7 +542,6 @@ HISTORY_MSG_246;Curva 'CL' HISTORY_MSG_247;Curva 'LM' HISTORY_MSG_248;Curva 'MM' HISTORY_MSG_249;CpND - Umbral -HISTORY_MSG_250;RR - Mejorado HISTORY_MSG_251;B&N - Algoritmo HISTORY_MSG_252;CbDL - Tono de piel HISTORY_MSG_253;CbDL - Reducir elementos extraños @@ -572,8 +565,6 @@ HISTORY_MSG_270;TC - Altas Luces - Verde HISTORY_MSG_271;TC - Altas Luces - Azul HISTORY_MSG_272;TC - Balance HISTORY_MSG_273;TC - Restablecer -HISTORY_MSG_274;TC - Sat. de Sombras -HISTORY_MSG_275;TC - Sat. de Altas Luces HISTORY_MSG_276;TC - Opacidad HISTORY_MSG_277;--no utilizado-- HISTORY_MSG_278;TC - Preservar luminancia @@ -598,7 +589,6 @@ HISTORY_MSG_296;RR - Modular luminancia HISTORY_MSG_297;NR - Modo HISTORY_MSG_298;Filtro Pixel Muerto HISTORY_MSG_299;NR - Curva de crominancia -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Luma control HISTORY_MSG_302;NR - Método crominancia(color) HISTORY_MSG_303;NR - Método crominancia(color) @@ -707,7 +697,6 @@ HISTORY_MSG_405;W - Quitar ruido - Nivel 4 HISTORY_MSG_406;W - ES - Píxeles vecinos HISTORY_MSG_407;Retinex - Método HISTORY_MSG_408;Retinex - Radio -HISTORY_MSG_409;Retinex - Contraste HISTORY_MSG_410;Retinex - Offset HISTORY_MSG_411;Retinex - Fuerza HISTORY_MSG_412;Retinex - Gradiente gaussiano @@ -755,7 +744,6 @@ HISTORY_MSG_468;PS - Rellenar fallos HISTORY_MSG_469;PS - Mediano/a HISTORY_MSG_471;PS - Corrección del movimiento HISTORY_MSG_472;PS - Transiciones suaves -HISTORY_MSG_473;PS - Utilizar LMMSE HISTORY_MSG_474;PS - Ecualizar (ajustar) HISTORY_MSG_475;PS - Equalizar(ajustar) el canal HISTORY_MSG_476;CAM02 - Fuera de tempera @@ -2243,7 +2231,6 @@ TP_WAVELET_THRH;Umbral de luces altas TP_WAVELET_TILESBIG;Mosaicos grandes TP_WAVELET_TILESFULL;Imagen completa TP_WAVELET_TILESIZE;Método de mosaico -TP_WAVELET_TILESLIT;Mosaicos pequeños TP_WAVELET_TILES_TOOLTIP;El procesamiento de la imagen completa conduce a una mejor calidad y es la opción recomendada, mientras que el uso de mosaicos es una solución alternativa para los usuarios con poca memoria RAM. Consulte RawPedia para los requisitos de memoria. TP_WAVELET_TMSTRENGTH;Fuerza comprensiva TP_WAVELET_TMSTRENGTH_TOOLTIP;Controle la intensidad del mapeo de tonos o la compresión de contraste de la imagen residual. Cuando el valor es diferente de 0 , los controles deslizantes Fuerza y ​​Gamma de la herramienta de asignación de tonos en la pestaña Exposición se atenuarán. @@ -3168,7 +3155,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3254,7 +3240,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3304,10 +3289,8 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3337,7 +3320,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3458,7 +3440,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3607,7 +3588,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3648,7 +3628,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3744,7 +3723,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3809,7 +3787,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3987,9 +3964,7 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4143,7 +4118,6 @@ ZOOMPANEL_ZOOMOUT;Reducir Zoom\nTecla de Atajo: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index cea68e635..abb68fdbc 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -369,12 +369,6 @@ HISTORY_MSG_127;Champ Uniforme - Sélection auto HISTORY_MSG_128;Champ Uniforme - Rayon HISTORY_MSG_129;Champ Uniforme - Type de floutage HISTORY_MSG_130;Distorsion Auto -HISTORY_MSG_131;Réd. de bruit - Luminance -HISTORY_MSG_132;Réd. de bruit - Chrominance -HISTORY_MSG_133;Gamma de Sortie -HISTORY_MSG_134;Gamma - Manuel -HISTORY_MSG_135;Gamma - Manuel -HISTORY_MSG_136;Gamma - Pente HISTORY_MSG_137;Niveau de noir - Vert 1 HISTORY_MSG_138;Niveau de noir - Rouge HISTORY_MSG_139;Niveau de noir - Bleu @@ -487,7 +481,6 @@ HISTORY_MSG_246;Courbe 'CL' HISTORY_MSG_247;Courbe 'LT' HISTORY_MSG_248;Courbe 'TT' HISTORY_MSG_249;CpND - Seuil -HISTORY_MSG_250;Réd. de bruit - Amélioré HISTORY_MSG_251;N&B - Algorithme HISTORY_MSG_252;CpND - Tons chair HISTORY_MSG_253;CpND - Réduction des artéfactes @@ -511,8 +504,6 @@ HISTORY_MSG_270;VP - HL - Vert HISTORY_MSG_271;VP - HL - Bleu HISTORY_MSG_272;VP - Balance HISTORY_MSG_273;VP - Balance Couleur O/TM/HL -HISTORY_MSG_274;VP - Saturation des ombres -HISTORY_MSG_275;VP - Saturation des HL HISTORY_MSG_276;VP - Opacité HISTORY_MSG_277;--inutilisé-- HISTORY_MSG_278;VP - Préserver luminance @@ -537,7 +528,6 @@ HISTORY_MSG_296;Réd. de bruit - Courbe de luminance HISTORY_MSG_297;Réd. de bruit - Mode HISTORY_MSG_298;Filtre de pixel mort HISTORY_MSG_299;Réd. de bruit - Courbe de chrominance -HISTORY_MSG_300;- HISTORY_MSG_301;Réd. de bruit - Contrôle luma HISTORY_MSG_302;Réd. de bruit - Méthode Chroma HISTORY_MSG_303;Réd. de bruit - Méthode Chroma @@ -646,7 +636,6 @@ HISTORY_MSG_405;O - Débruitage - Niveau 4 HISTORY_MSG_406;O - NB - Pixels voisins HISTORY_MSG_407;Retinex - Méthode HISTORY_MSG_408;Retinex - Rayon -HISTORY_MSG_409;Retinex - Contraste HISTORY_MSG_410;Retinex - Décalage HISTORY_MSG_411;Retinex - Force HISTORY_MSG_412;Retinex - Gradient Gaussien @@ -694,7 +683,6 @@ HISTORY_MSG_468;PS - Remplir les trous HISTORY_MSG_469;PS - Médiane HISTORY_MSG_471;PS - Correction de mouvement HISTORY_MSG_472;PS - Adoucir les transitions -HISTORY_MSG_473;PS - Utiliser LMMSE HISTORY_MSG_474;PS - Égaliser HISTORY_MSG_475;PS - Égaliser par canal HISTORY_MSG_476;CAM02 - Temp sortie @@ -1779,7 +1767,6 @@ TP_LOCALCONTRAST_RADIUS;Rayon TP_LOCALLAB_ACTIV;Luminosité seulement TP_LOCALLAB_ACTIVSPOT;Activer le Spot TP_LOCALLAB_ADJ;Egalisateur couleur -TP_LOCALLAB_ALL;Toutes les rubriques TP_LOCALLAB_AMOUNT;Quantité TP_LOCALLAB_ARTIF;Détection de forme TP_LOCALLAB_ARTIF_TOOLTIP;Le seuil deltaE étendue accroit la plage of étendue-deltaE - les valeurs élévées sont pour les images à gamut élévé.\nAugmenter l'affaiblissement deltaE améliore la détection de forme, mais peu réduire la capacité de détection. @@ -1806,18 +1793,15 @@ TP_LOCALLAB_BLMED;Median TP_LOCALLAB_BLMETHOD_TOOLTIP;Normal - direct floute et bruite avec tous les réglages.\nInverse floute et bruite avec tous les réglages. Soyez prudents certains resultats peuvent être curieux TP_LOCALLAB_BLNOI_EXP;Flouter & Bruit TP_LOCALLAB_BLNORM;Normal -TP_LOCALLAB_BLSYM;Symétrique TP_LOCALLAB_BLUFR;Flouter - Grain - Debruiter TP_LOCALLAB_BLUMETHOD_TOOLTIP;Pour flouter l'arrère plan et isoler le premier plan:\n*Flouter l'arrière plan avec un RT-spot couvrant totalement l'image (valeurs élevées Etendue et transition) - normal ou inverse.\n*Isoler le premier plan avec un ou plusieurs RT-spot Exclusion avec l'outils que vous voulez (accroître Etendue).\n\nCe module peut être utilisé en réduction de bruit additionnelle,incluant un "median" et un "Filtre Guidé" TP_LOCALLAB_BLUR;Flou Gaussien - Bruit - Grain -TP_LOCALLAB_BLURCBDL;Flouter niveaux 0-1-2-3-4 TP_LOCALLAB_BLURCOL;Rayon floutage TP_LOCALLAB_BLURCOLDE_TOOLTIP;L'image pour calculer dE est légèrement floutéeafin d'éviter de prendre en compte des pixels isolés. TP_LOCALLAB_BLURDE;Flouter la détection de forme TP_LOCALLAB_BLURLC;Luminance seulement TP_LOCALLAB_BLURLEVELFRA;Flouter niveaux TP_LOCALLAB_BLURMASK_TOOLTIP;Génère un masque flou, prend en compte la structure avec le curseur de seuil de contraste du Masque flou. -TP_LOCALLAB_BLURRESIDFRA;Flouter image Résiduelle TP_LOCALLAB_BLURRMASK_TOOLTIP;Vous permet de faire varier "rayon" du flou Gaussien (0 to 1000) TP_LOCALLAB_BLUR_TOOLNAME;Flouter/Grain & Réduction du Bruit - 1 TP_LOCALLAB_BLWH;Tous les changements forcés en noir et blanc @@ -1832,10 +1816,8 @@ TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Pic Luminance) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapté au CAM16. Vous permet de modifier la fonction PQ interne (généralement 10 000 cd/m2 - 100 cd/m2 par défaut - désactivée pour 100 cd/m2).\nPeut être utilisé pour s'adapter à différents appareils et images. TP_LOCALLAB_CAM16_FRA;Cam16 Adjustements Image TP_LOCALLAB_CAMMODE;CAM modèle -TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CBDL;Contr. par niveaux détail TP_LOCALLAB_CBDLCLARI_TOOLTIP;Ajuste les tons moyens et les réhausse. TP_LOCALLAB_CBDL_ADJ_TOOLTIP;Agit comme un outil ondelettes.\nLe premier niveau (0) agit sur des détails de 2x2.\nLe dernier niveau (5) agit sur des détails de 64x64. @@ -1863,7 +1845,6 @@ TP_LOCALLAB_CIELIGHTFRA;Eclaicir TP_LOCALLAB_CIEMODE;Change position outils TP_LOCALLAB_CIEMODE_COM;Défaut TP_LOCALLAB_CIEMODE_DR;Dynamic Range -TP_LOCALLAB_CIEMODE_LOG;Log Encoding TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;En Mode par défaut, Ciecam est ajouté en fin de processus. "Masque et modifications" et "Recovery based on luminance mask" sont disponibles pour "Cam16 et JzCzHz" à votre disposition.\nVous pouvez également intégrer Ciecam dans d'autres outils si vous le souhaitez (TM, Wavelet, Dynamic Range, Log Encoding). Les résultats pour ces outils seront différents de ceux sans Ciecam. Dans ce mode, vous pouvez également utiliser "Masque et modifications" et "Récupération basée sur le masque de luminance" TP_LOCALLAB_CIEMODE_WAV;Ondelettes @@ -1891,11 +1872,7 @@ TP_LOCALLAB_COLOR_TOOLNAME;Couleur & Lumière - 11 TP_LOCALLAB_COL_NAME;Nom TP_LOCALLAB_COL_VIS;Statut TP_LOCALLAB_COMPFRA;Niveaux Contraste directionnel -TP_LOCALLAB_COMPFRAME_TOOLTIP;Autorise des effets spéciaux. Vous pouvez réduire les artéfacts avec 'Clarté & Masque netteté - Fusion & Images douces".\nUtilise des ressources -TP_LOCALLAB_COMPLEX_METHOD;Complexitée logicielle -TP_LOCALLAB_COMPLEX_TOOLTIP; Autorise l'utilisateur à sélectionner des rubriques Ajustements locaux. TP_LOCALLAB_COMPREFRA;Niveaux de (de)compression dynamique -TP_LOCALLAB_COMPRESS_TOOLTIP;Utilisesi nécessaire le module 'Clarté & Masque de netteté - Fusion & Images douces' en ajustant 'Rayon doux' pour réduire les artéfacts. TP_LOCALLAB_CONTCOL;Seuil de Contraste Masque flou TP_LOCALLAB_CONTFRA;Contraste par niveau TP_LOCALLAB_CONTRAST;Contraste @@ -1914,10 +1891,6 @@ TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;Pour être actif, vous devez activer la combo TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;Courbe tonale TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), peut être utilisée avec L(H) dans Couleur et lumière TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'Normal', la courbe L=f(L) a le même algorithme que le curseur luminosité.\n'Super' the curve L=f(L) has an new improved algorithm, which can leeds in some cases to artifacts. -TP_LOCALLAB_CURVENCONTRAST;Super+Contrast threshold (experimental) -TP_LOCALLAB_CURVENH;Super -TP_LOCALLAB_CURVENHSU;Combined HueChroma (experimental) -TP_LOCALLAB_CURVENSOB2;Combined HueChroma + Contrast threshold (experimental) TP_LOCALLAB_CURVNONE;Désactive courbes TP_LOCALLAB_DARKRETI;Obscuirité TP_LOCALLAB_DEHAFRA;Elimination de la brume @@ -1936,7 +1909,6 @@ TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;Equilibre l'action de denoise chrominance ent TP_LOCALLAB_DENOIEQUAL_TOOLTIP;Equilibre l'action de denoise luminance entre les ombres et les lumières TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;Permet de récupérer les détails de luminance par mise en oeuvre progressive de la transformée de Fourier (DCT) TP_LOCALLAB_DENOIQUA_TOOLTIP;Conservatif préserve les fréquences basses, alors que agressif tend à les effacer.\nConservatif et agressif utilisent les ondelletes et DCT et peuvent être utilisées en conjonction avec "débruitage par morceaux - luminance" -TP_LOCALLAB_DENOIS;Ψ Réduction du bruit TP_LOCALLAB_DENOITHR_TOOLTIP;Règle l'effet de bord pour privilégier l'action sur les aplats TP_LOCALLAB_DENOI_EXP;Réduction du bruit TP_LOCALLAB_DENOI_TOOLTIP;Ce module peut être utilisé seul (à la fin du processus), ou en complément de Réduction du bruit (au début).\nEtendue(deltaE)permet de différencier l'action.\nVous pouvez compléter avec "median" ou "Filtre guidé" (Adoucir Flou...).\nVous pouvez compléter l'action avec "Flou niveaux" "Ondelette pyramide" @@ -1988,30 +1960,25 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Applique un gamma avant et après la transformée TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Ajoute une exposition linéaire avant l'application de la transformée de Laplace TP_LOCALLAB_EXPLAP_TOOLTIP;Plus vous agissez sur ce curseur de seuil, plus grande sera l'action de reduire le contraste. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Autorise de nombreuses possibilités de fusionner les images (comme les calques dans Photosshop) : difference, multiply, soft light, overlay...avec opacité...\nOriginale Image : fusionne le RT-spot en cours avec Originale.\nSpot Précédent : fusionne le RT-spot en cours avec le précédent - si il n'y a qu'un spot précédent = original.\nArrière plan : fusionne le RT-spot en cours avec la couleur et la luminance de l'arrière plan (moins de possibilités) -TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : utilise un algorithme similaire à Exposure principal mais en L*a*b* et en prenant en compte le deltaE.\n\nCompression dynamique et atténuateur de contraste : utilise un autre algorithme aussi avec deltaE et avec l'équation de Poisson pour résoudre le Laplacien dans l'espace de Fourier.\nAtténuateur, Compression dynamqiue et Standard peuvent être combinés.\nFFTW La transformée de Fourier est optimisée en taille pour réduire les temps de traitement.\nRéduit les artéfacts et le bruit. TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applique un median avant la transformée de Laplace pour éviter les artéfacts (bruit).\nVous pouvez aussi utiliser l'outil "Réduction du bruit". TP_LOCALLAB_EXPOSE;Plage dynamique & Exposition TP_LOCALLAB_EXPOSURE_TOOLTIP;Modifie l'exposition dans l'espace L*a*b* en utilisant un Laplacien et les algorithmes PDE en prenant en compte dE, minimise les artéfacts. TP_LOCALLAB_EXPRETITOOLS;Outils Retinex avancés TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-Spot minimum 39*39.\nUtiliser de basses valeurs de transition et de hautes valeurs de transition affaiblissement et Etendue pour simuler un petit RT-spot. TP_LOCALLAB_EXPTOOL;Outils exposition -TP_LOCALLAB_EXPTRC;Courbe de réponse Tonale - TRC TP_LOCALLAB_EXP_TOOLNAME;Plage Dynamique & Exposition- 10 TP_LOCALLAB_FATAMOUNT;Quantité TP_LOCALLAB_FATANCHOR;Ancre -TP_LOCALLAB_FATANCHORA;Décalage TP_LOCALLAB_FATDETAIL;Detail TP_LOCALLAB_FATFRA;Compression Dynamique ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal - utilise Fattal Tone mapping algorithme. TP_LOCALLAB_FATLEVEL;Sigma -TP_LOCALLAB_FATRES;Quantité de Residual Image TP_LOCALLAB_FATSHFRA;Compression Dynamique Masque TP_LOCALLAB_FEATH_TOOLTIP;Largeur du Gradient en porcentage de la diagonale du Spot\nUtilisé par tous les Filtres Gradués dans tous les outils.\nPas d'action si les filtres gradués ne sont pas utilisés. TP_LOCALLAB_FEATVALUE;Adouc. gradient(Filtres Gradués) TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ TP_LOCALLAB_FFTMASK_TOOLTIP;Utilise une transformée de Fourier pour une meilleure qualité (accroit le temps de traitement et le besoin en mémoire) TP_LOCALLAB_FFTW;ƒ - Utilise Fast Fourier Transform -TP_LOCALLAB_FFTW2;ƒ - Utilise Fast Fourier Transform (TIF, JPG,..) TP_LOCALLAB_FFTWBLUR;ƒ - Utilise toujours Fast Fourier Transform TP_LOCALLAB_FULLIMAGE;Calcule les valeurs NoirEv-blancEv - image entière TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Calcule les valeurs Ev sur l'image entière. @@ -2033,7 +2000,6 @@ TP_LOCALLAB_GRADSTRHUE;Force Gradient Teinte TP_LOCALLAB_GRADSTRHUE2;Force Gradient Teinte TP_LOCALLAB_GRADSTRHUE_TOOLTIP;Filttre Teinte force TP_LOCALLAB_GRADSTRLUM;Force Gradient Luminance -TP_LOCALLAB_GRADSTR_TOOLTIP;Force Filtre en Ev TP_LOCALLAB_GRAINFRA;Film Grain 1:1 TP_LOCALLAB_GRAIN_TOOLTIP;Ajoute du grain pour simuler un film TP_LOCALLAB_GRALWFRA;Filtre Gradué Local contraste @@ -2108,7 +2074,6 @@ TP_LOCALLAB_LAP_MASK_TOOLTIP;Résoud PDE (Equation aux dérivées partielles) po TP_LOCALLAB_LC_FFTW_TOOLTIP;FFT améliore la qualité et autorise de grands rayons, mais accroît les temps de traitement.\nCe temps dépends de la surface devant être traitée.\nA utiliser de préférences pour de grands rayons.\n\nLes Dimensions peuvent être réduites de quelques pixels pour optimiser FFTW.\nCette optimisation peut réduire le temps de traitement d'un facteur de 1.5 à 10.\n TP_LOCALLAB_LC_TOOLNAME;Constraste Local & Ondelettes - 7 TP_LOCALLAB_LEVELBLUR;Maximum Flouter -TP_LOCALLAB_LEVELLOCCONTRAST_TOOLTIP;En abscisse le contraste local (proche du concept de luminance). En ordonnée, amplification ou reduction du contraste local. TP_LOCALLAB_LEVELWAV;Ondelettes Niveaux TP_LOCALLAB_LEVELWAV_TOOLTIP;Le niveau est automatiquement adapté à la taille du spot et de la prévisualisation.\nDu niveau 9 taille max 512 jusqu'au niveau 1 taille max = 4 TP_LOCALLAB_LEVFRA;Niveaux @@ -2135,7 +2100,6 @@ TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Calcule automatiquement la « luminance moyen TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcule automatiquement la « luminance moyenne » pour les conditions de la scène lorsque le bouton « Automatique » dans les niveaux d'exposition relatifs est enfoncé. TP_LOCALLAB_LOGAUTO_TOOLTIP;Appuyez sur ce bouton pour calculer la plage dynamique et la « Luminance moyenne » pour les conditions de la scène si la « Luminance moyenne automatique (Yb %) » est cochée).\nCalcule également la luminance absolue au moment de la prise de vue.\nAppuyez à nouveau sur le bouton pour ajuster les valeurs calculées automatiquement. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Valeurs estimées du dynamic range entre Black Ev et White Ev TP_LOCALLAB_LOGCATAD_TOOLTIP;L'adaptation chromatique permet d'interpréter une couleur en fonction de son environnement spatio-temporel.\nUtile lorsque la balance des blancs s'écarte sensiblement de la référence D50.\nAdapte les couleurs à l'illuminant du périphérique de sortie. TP_LOCALLAB_LOGCIE;Log encoding au lieu de Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Vous permet d'utiliser Black Ev, White Ev, Scene Mean luminance (Yb%) et Viewing Mean luminance (Yb%) pour le mappage des tons à l'aide de l'encodage Log Q. @@ -2163,9 +2127,7 @@ TP_LOCALLAB_LOGREPART;Force Globale TP_LOCALLAB_LOGREPART_TOOLTIP;Vous permet d'ajuster la force relative de l'image encodée en journal par rapport à l'image d'origine.\nN'affecte pas le composant Ciecam. TP_LOCALLAB_LOGSATURL_TOOLTIP;La saturation(s) dans CIECAM16 correspond à la couleur d'un stimulus par rapport à sa propre luminosité.\nAgit principalement sur les tons moyens et sur les hautes lumières. TP_LOCALLAB_LOGSCENE_TOOLTIP;Correspond aux conditions de prise de vue. -TP_LOCALLAB_LOGSRCGREY_TOOLTIP;Estime la valeur du point gris de l'image, tôt dans le processus TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Modifie les tonalités et les couleurs pour prendre en compte les conditions de la scène.\n\nMoyen : conditions d'éclairage moyennes (standard). L'image ne changera pas.\n\nDim : conditions de luminosité. L'image deviendra légèrement plus lumineuse.\n\nSombre : conditions sombres. L'image deviendra plus lumineuse. -TP_LOCALLAB_LOGTARGGREY_TOOLTIP;Vous pouvez changer cette valeur pour l'adapter à votre goût. TP_LOCALLAB_LOGVIEWING_TOOLTIP;Correspond au support sur lequel sera visualisée l'image finale (moniteur, TV, projecteur, imprimante...), ainsi qu'aux conditions environnantes. TP_LOCALLAB_LOG_TOOLNAME;Log Encoding TP_LOCALLAB_LUM;LL - CC @@ -2173,12 +2135,10 @@ TP_LOCALLAB_LUMADARKEST;Plus Sombre TP_LOCALLAB_LUMASK;Masque Luminance arrière plan TP_LOCALLAB_LUMASK_TOOLTIP;Ajuste le gris de l'arrière plan du masque dans Montrer Masque (Masque et modifications) TP_LOCALLAB_LUMAWHITESEST;Plus clair -TP_LOCALLAB_LUMONLY;Luminance seulement TP_LOCALLAB_MASFRAME;Masque et Fusion TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTake into account deltaE image to avoid retouching the selection area when sliders gamma mask, slope mask, chroma mask and curves contrast , levels contrasts, and mask blur, structure(if enabled tool) are used.\nDisabled in Inverse TP_LOCALLAB_MASK;Masque TP_LOCALLAB_MASK2;Courbe de Contraste -TP_LOCALLAB_MASKCOL;Masque Courbes TP_LOCALLAB_MASKCOM;Masque couleur Commun TP_LOCALLAB_MASKCOM_TOOLNAME;Masque Commun Couleur - 12 TP_LOCALLAB_MASKCOM_TOOLTIP;Ces masques travaillent comme les autres outils, ils prennet en compte Etendue.\nIls sont différents des autres masques qui complètent un outil (Couleur et Lumière, Exposition...) @@ -2243,16 +2203,8 @@ TP_LOCALLAB_MERFOU;Multiplier TP_LOCALLAB_MERGE1COLFRA;Fusion avec Original ou Précédent ou arrière plan TP_LOCALLAB_MERGECOLFRA;Masque: LCH & Structure TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;Vous permet de créer des masques basés sur les 3 courbes LCH et/ou un algorithm de détection de structure -TP_LOCALLAB_MERGEFIV;Previous Spot(Mask 7) + Mask LCH -TP_LOCALLAB_MERGEFOU;Previous Spot(Mask 7) TP_LOCALLAB_MERGEMER_TOOLTIP;Prend en compte ΔE pour fusionner les fichiers (équivalent de Etendue pour cet usage) -TP_LOCALLAB_MERGENONE;Rien -TP_LOCALLAB_MERGEONE;Short Curves 'L' Mask TP_LOCALLAB_MERGEOPA_TOOLTIP;Opacité fusion % Spot courant avec original ou Spot précédent.\nContraste seuil : ajuste le résulat en fonction du contraste original -TP_LOCALLAB_MERGETHR;Original(Mask 7) + Mask LCH -TP_LOCALLAB_MERGETWO;Original(Mask 7) -TP_LOCALLAB_MERGETYPE;Fusion image et masque -TP_LOCALLAB_MERGETYPE_TOOLTIP;Rien, use all mask in LCH mode.\nShort curves 'L' mask, use a short circuit for mask 2, 3, 4, 6, 7.\nOriginal mask 8, blend current image with original TP_LOCALLAB_MERHEI;Overlay TP_LOCALLAB_MERHUE;Teite TP_LOCALLAB_MERLUCOL;Luminance @@ -2279,7 +2231,6 @@ TP_LOCALLAB_MRFIV;Arrière plan TP_LOCALLAB_MRFOU;Spot précédent TP_LOCALLAB_MRONE;Rien TP_LOCALLAB_MRTHR;Image Originale -TP_LOCALLAB_MRTWO;Short Curves 'L' Mask TP_LOCALLAB_MULTIPL_TOOLTIP;Autorise la retouche des tons sur une large plage : -18EV +4EV. Le remier curseur agit sur -18EV and -6EV. Le dernier curseur agit sur les tons au-dessus de 4EV TP_LOCALLAB_NEIGH;Rayon TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Agir sur ce curseur pour adapter le niveau de débruitage à la taille des objets à traiter. @@ -2295,7 +2246,6 @@ TP_LOCALLAB_NOISECHROCOARSE;Chroma gros (Ond) TP_LOCALLAB_NOISECHROC_TOOLTIP;Si supérieur à zéro, algorithme haute qualité est activé.\nGros est sélectionné si curseur >=0.2 TP_LOCALLAB_NOISECHRODETAIL;Récup. détails Chroma(DCT) TP_LOCALLAB_NOISECHROFINE;Chroma fin (Ond) -TP_LOCALLAB_NOISEDETAIL_TOOLTIP;Désactivé si curseur = 100 TP_LOCALLAB_NOISELEQUAL;Egalisateurs blanc-noir TP_LOCALLAB_NOISELUMCOARSE;Luminance gros (ond) TP_LOCALLAB_NOISELUMDETAIL;Récup. Luminance détail(DCT) @@ -2331,7 +2281,6 @@ TP_LOCALLAB_RADMASKCOL;Rayon adoucir TP_LOCALLAB_RECT;Rectangle TP_LOCALLAB_RECURS;Réferences Récursives TP_LOCALLAB_RECURS_TOOLTIP;Recalcule les références pour teinte, luma, chroma après chaque module et après chaque RT-spot.\nAussi utile pour le travail avec les masques. -TP_LOCALLAB_REFLABEL;Ref. (0..1) Chroma=%1 Luma=%2 teinte=%3 TP_LOCALLAB_REN_DIALOG_LAB;Entrer le nouveau nom de Spot TP_LOCALLAB_REN_DIALOG_NAME;Renomme le Controle Spot TP_LOCALLAB_REPARCOL_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Couleurs et lumiéres par rapport à l'image originale. @@ -2340,7 +2289,6 @@ TP_LOCALLAB_REPAREXP_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifié TP_LOCALLAB_REPARSH_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée Ombres et Lumières et Egaliseur par rapport à l'image originale.. TP_LOCALLAB_REPARTM_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Compression tonale par rapport à l'image originale.. TP_LOCALLAB_REPARW_TOOLTIP;Vous permet d'ajuster le niveau de l'image modifiée par Contraste local et Ondelettes par rapport à l'image originale. -TP_LOCALLAB_RESETSHOW;Annuler Montrer Toutes les Modifications TP_LOCALLAB_RESID;Image Résiduelle TP_LOCALLAB_RESIDBLUR;Flouter Image Résiduelle TP_LOCALLAB_RESIDCHRO;Image Résiduelle Chroma @@ -2355,7 +2303,6 @@ TP_LOCALLAB_RETIFRA;Retinex TP_LOCALLAB_RETIFRAME_TOOLTIP; L'utilisation de Retinex peut être bénéfique pour le traitement des images: \ nqui sont floues, brumeuses ou ayant un voile de brouillard (en complément de Dehaz). \ Navec d'importants écarts de luminance. \ N où l'utilisateur recherche des effets spéciaux (cartographie des tons…) TP_LOCALLAB_RETIM;Original Retinex TP_LOCALLAB_RETITOOLFRA;Retinex Outils -TP_LOCALLAB_RETI_FFTW_TOOLTIP;FFT améliore la qualité et autorise de grands rayons, mais accroît les temps de traitement.\nCe temps dépends de la surface traitée\nLe temps de traitements dépend de "scale" (échelle) (soyez prudent avec les hautes valeurs ).\nA utiliser de préférence avec de grand rayons.\n\nLes Dimensions peuvent être réduites de quelques pixels pour optimiser FFTW.\nCette optimisation peut réduire le temps de traitement d'un facteur de 1.5 à 10.\nOptimisation pas utilsée en prévisualisation TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;Have no effect when the value "Lightness = 1" or "Darkness =2" is chosen.\nIn other cases, the last step of "Multiple scale Retinex" is applied an algorithm close to "local contrast", these 2 cursors, associated with "Strength" will allow to play upstream on the local contrast. TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;Play on internal parameters to optimize response.\nLook at the "restored datas" indicators "near" min=0 and max=32768 (log mode), but others values are possible. TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;Logarithm allows differenciation for haze or normal.\nLogarithm brings more contrast but will generate more halo. @@ -2368,23 +2315,15 @@ TP_LOCALLAB_ROW_NVIS;Pas visible TP_LOCALLAB_ROW_VIS;Visible TP_LOCALLAB_RSTPROTECT_TOOLTIP;La protection des rouges et des tons chair affecte les curseurs Saturation, Chroma et Colorfulness. TP_LOCALLAB_SATUR;Saturation -TP_LOCALLAB_SAVREST;Sauve - Récupère Image Courante TP_LOCALLAB_SCALEGR;Echelle TP_LOCALLAB_SCALERETI;Echelle TP_LOCALLAB_SCALTM;Echelle TP_LOCALLAB_SCOPEMASK;Etendue Masque ΔE Image TP_LOCALLAB_SCOPEMASK_TOOLTIP;Actif si Masque DeltaE Image est activé.\nLes faibles valeurs évitent de retoucher l'aire sélectionnée TP_LOCALLAB_SENSI;Etendue -TP_LOCALLAB_SENSIBN;Etendue -TP_LOCALLAB_SENSICB;Etendue -TP_LOCALLAB_SENSIDEN;Etendue TP_LOCALLAB_SENSIEXCLU;Etendue TP_LOCALLAB_SENSIEXCLU_TOOLTIP;Ajuste les couleurs pour les inclure dans exclusion! -TP_LOCALLAB_SENSIH;Etendue -TP_LOCALLAB_SENSIH_TOOLTIP;Ajuste Etendue de l'action:\nLes petites valeurs limitent l'action aux couleurs très similaires à celles sous le centre du spot.\nHautes valeurs laissent l'outil agir sur une large plage de couleurs. -TP_LOCALLAB_SENSILOG;Etendue TP_LOCALLAB_SENSIMASK_TOOLTIP;Ajuste Etendue pour ce masque commun.\nAgit sur l'écart entre l'image originale et le masque.\nLes références (luma, chroma, teinte) sont celles du centre du RT-spot\n\nVous pouvez aussi agir sur le deltaE interne au masque avec 'Etendue Masque deltaE image' dans 'Réglages' -TP_LOCALLAB_SENSIS;Etendue TP_LOCALLAB_SENSI_TOOLTIP;Ajuste Etendue de l'action:\nLes petites valeurs limitent l'action aux couleurs très similaires à celles sous le centre du spot.\nHautes valeurs laissent l'outil agir sur une large plage de couleurs. TP_LOCALLAB_SETTINGS;Réglages TP_LOCALLAB_SH1;Ombres Lumières @@ -2448,7 +2387,6 @@ TP_LOCALLAB_SIGMOIDLAMBDA;Contraste TP_LOCALLAB_SIGMOIDQJ;Utilise Black Ev & White Ev TP_LOCALLAB_SIGMOIDTH;Seuil (Gray point) TP_LOCALLAB_SIGMOID_TOOLTIP;Permet de simuler une apparence de Tone-mapping en utilisant à la fois la fonction 'Ciecam' (ou 'Jz') et 'Sigmoïde'.\nTrois curseurs : a) Le contraste agit sur la forme de la courbe sigmoïde et par conséquent sur la force ; b) Seuil (Point gris) distribue l'action en fonction de la luminance ; c)Blend agit sur l'aspect final de l'image, le contraste et la luminance. -TP_LOCALLAB_SIM;Simple TP_LOCALLAB_SLOMASKCOL;Pente (slope) TP_LOCALLAB_SLOMASK_TOOLTIP;Gamma et Pente (Slope) autorise une transformation du masque en douceur et sans artefacts en modifiant progressivement "L" pour éviter les discontinuité. TP_LOCALLAB_SLOSH;Pente @@ -2458,7 +2396,6 @@ TP_LOCALLAB_SOFTMETHOD_TOOLTIP;Applique un mélange Lumière douce. Effectue une TP_LOCALLAB_SOFTRADIUSCOL;Rayon adoucir TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;Applique un filtre guidé à l'image de sortie pour réduire les éventuels artefacts. TP_LOCALLAB_SOFTRETI;Reduire artefact ΔE -TP_LOCALLAB_SOFTRETI_TOOLTIP;Prend en compte ΔE pour améliorer Transmission map TP_LOCALLAB_SOFT_TOOLNAME;Lumière douce & Original Retinex - 6 TP_LOCALLAB_SOURCE_ABS;Luminance absolue TP_LOCALLAB_SOURCE_GRAY;Valeur @@ -2475,7 +2412,6 @@ TP_LOCALLAB_STRENGR;Force TP_LOCALLAB_STRENGRID_TOOLTIP;Vous pouvez ajuster l'effet désiré avec "force", mais vous pouvez aussi utiliser la fonction "Etendue" qui permet de délimiter l'action (par exemple, pour isoler une couleur particulière). TP_LOCALLAB_STRENGTH;Bruit TP_LOCALLAB_STRGRID;Force -TP_LOCALLAB_STRRETI_TOOLTIP;Si force Retinex < 0.2 seul Dehaze est activé.\nSi force Retinex >= 0.1 Dehaze est en mode luminance. TP_LOCALLAB_STRUC;Structure TP_LOCALLAB_STRUCCOL;Structure TP_LOCALLAB_STRUCCOL1;Spot structure @@ -2493,7 +2429,6 @@ TP_LOCALLAB_THRESDELTAE;Seuil ΔE-Etendue TP_LOCALLAB_THRESRETI;Seuil TP_LOCALLAB_THRESWAV;Balance Seuil TP_LOCALLAB_TLABEL;TM Min=%1 Max=%2 Mea=%3 Sig=%4 -TP_LOCALLAB_TLABEL2;TM Effectif Tm=%1 TM=%2 TP_LOCALLAB_TLABEL_TOOLTIP;Transmission map result.\nMin and Max are used by Variance.\nTm=Min TM=Max of Transmission Map.\nYou can act on Threshold to normalize TP_LOCALLAB_TM;Compression tonale TP_LOCALLAB_TM_MASK;Utilise transmission map @@ -2523,7 +2458,6 @@ TP_LOCALLAB_VIBRANCE;Vibrance - Chaud & Froid TP_LOCALLAB_VIBRA_TOOLTIP;Ajuste vibrance (Globalement identique à Couleur ajustement).\nAmène l'équivalent d'une balance des blancs en utilisant l'algorithme CIECAM. TP_LOCALLAB_VIB_TOOLNAME;Vibrance - Chaud & Froid - 3 TP_LOCALLAB_VIS_TOOLTIP;Click pour montrer/cacher le Spot sélectionné.\nCtrl+click pour montrer/cacher tous les Spot. -TP_LOCALLAB_WAMASKCOL;Niveau Ondelettes TP_LOCALLAB_WARM;Chaud - Froid & Artefacts de couleur TP_LOCALLAB_WARM_TOOLTIP;Ce curseur utilise l'algorithme Ciecam et agit comme une Balance des blancs, il prut réchauffer ou refroidir cool la zone concernée.\nIl peut aussi dans certains réduire les artefacts colorés. TP_LOCALLAB_WASDEN_TOOLTIP;De-bruite luminance pour les 3 premiers niveaux (fin).\nLa limite droite de la courbe correspond à gros : niveau 3 et au delà. @@ -2566,12 +2500,9 @@ TP_LOCALLAB_WAVEDG;Contrast Local TP_LOCALLAB_WAVEEDG_TOOLTIP;Améliore la netteté prenant en compte la notion de "ondelettes bords".\nNécessite au moins que les 4 premiers niveaux sont utilisables TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;Amplitude des niveaux d'ondelettes utilisés par “Local contrast” TP_LOCALLAB_WAVGRAD_TOOLTIP;Filtre gradué pour Contraste local "luminance" -TP_LOCALLAB_WAVHIGH;Ondelette haut TP_LOCALLAB_WAVLEV;Flou par niveau -TP_LOCALLAB_WAVLOW;Ondelette bas TP_LOCALLAB_WAVMASK;Contr. local (par niveau) TP_LOCALLAB_WAVMASK_TOOLTIP;Autorise un travail fin sur les masques niveaux de contraste (structure) -TP_LOCALLAB_WAVMED;Ondelette normal TP_LOCALLAB_WEDIANHI;Median Haut TP_LOCALLAB_WHITE_EV;Blanc Ev TP_METADATA_EDIT;Appliquer les modifications @@ -3047,7 +2978,6 @@ TP_WAVELET_THRH;Seuil des hautes lumières TP_WAVELET_TILESBIG;Grandes tuiles TP_WAVELET_TILESFULL;Image entière TP_WAVELET_TILESIZE;Méthode de découpage -TP_WAVELET_TILESLIT;Petites tuiles TP_WAVELET_TILES_TOOLTIP;Traiter l'image entière donnera les meilleurs résulats et est l'option recommandé, l'usage des tuiles étant une solution alternative recommandé pour les utilisateurs disposant de peu de RAM. Cf. RawPedia pour la configuration mémoire requise. TP_WAVELET_TMSTRENGTH;Force de la compression TP_WAVELET_TMSTRENGTH_TOOLTIP;Contrôle la force de la compression tonale ou de la compression de contraste de l'image résiduelle. Lorsque la valeur est différente de 0, les curseurs Force et Gamma de l'outil Compression Tonale dans l'onglet Exposition seront grisés. @@ -3946,7 +3876,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_CROP_GTCENTEREDSQUARE;Centered square !TP_CROP_PPI;PPI @@ -4007,7 +3936,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !TP_LENSPROFILE_USE_GEOMETRIC;Geometric distortion !TP_LENSPROFILE_USE_HEADER;Correct !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only !TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell correction always disabled when Jz or CAM16 is used. @@ -4041,8 +3969,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !TP_LOCALLAB_RGBCURVE_TOOLTIP;In RGB mode you have 4 choices : Standard, Weighted standard, Luminance & Film-like. !TP_LOCALLAB_SATURV;Saturation (s) !TP_LOCALLAB_TOOLMASK_2;Wavelets -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAVHUE_TOOLTIP;Allows you to reduce or increase the denoise based on hue. !TP_LOCALLAB_ZCAMFRA;ZCAM Image Adjustments !TP_LOCALLAB_ZCAMTHRES;Retrieve high datas @@ -4124,7 +4050,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Arrière\nRaccourci: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index 185294973..dbc751e18 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -324,12 +324,6 @@ HISTORY_MSG_127;Flat Field - Automatico HISTORY_MSG_128;Flat Field - Raggio di Sfocamento HISTORY_MSG_129;Flat Field - Modalità di Sfocamento HISTORY_MSG_130;Autocorr. Distorsione -HISTORY_MSG_131;Riduzione rum. luminanza -HISTORY_MSG_132;Riduzione rum. crominanza -HISTORY_MSG_133;Gamma - Uscita -HISTORY_MSG_134;Gamma - Posizione -HISTORY_MSG_135;Gamma - Libero -HISTORY_MSG_136;Gamma - Pendenza HISTORY_MSG_137;Punto del Nero - Verde 1 HISTORY_MSG_138;Punto del Nero - Rosso HISTORY_MSG_139;Punto del Nero - Blu @@ -437,7 +431,6 @@ HISTORY_MSG_246;Curva 'CL' HISTORY_MSG_247;Curva 'LH' HISTORY_MSG_248;Curva 'HH' HISTORY_MSG_249;CbDL - Soglia -HISTORY_MSG_250;NR - Miglioramento HISTORY_MSG_251;B&W - Algoritmo HISTORY_MSG_252;CbDL Toni della Pelle HISTORY_MSG_253;CbDL Riduzione Artefatti @@ -2605,7 +2598,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -2842,7 +2834,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2892,10 +2883,8 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2925,7 +2914,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3046,7 +3034,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3195,7 +3182,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3236,7 +3222,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3332,7 +3317,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3397,7 +3381,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3575,9 +3558,7 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4025,7 +4006,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4083,7 +4063,6 @@ ZOOMPANEL_ZOOMOUT;Rimpicciolisci.\nScorciatoia: - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index efb9e14d9..0984b5a4b 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -401,12 +401,6 @@ HISTORY_MSG_127;フラットフィールド 自動選択 HISTORY_MSG_128;フラットフィールド・ぼかし半径 HISTORY_MSG_129;フラットフィールド・ぼかしタイプ HISTORY_MSG_130;自動歪曲収差補正 -HISTORY_MSG_131;ノイズ低減 輝度 -HISTORY_MSG_132;ノイズ低減 カラー -HISTORY_MSG_133;ガンマ -HISTORY_MSG_134;ガンマポジション -HISTORY_MSG_135;フリー・ガンマ -HISTORY_MSG_136;ガンマ 勾配 HISTORY_MSG_137;黒レベル グリーン 1 HISTORY_MSG_138;黒レベル レッド HISTORY_MSG_139;黒レベル ブルー @@ -519,7 +513,6 @@ HISTORY_MSG_246;L*a*b* CL カーブ HISTORY_MSG_247;L*a*b* LH カーブ HISTORY_MSG_248;L*a*b* HH カーブ HISTORY_MSG_249;詳細レベルによるコントラスト調整 - しきい値 -HISTORY_MSG_250;ノイズ低減 - 強化 HISTORY_MSG_251;白黒 - アルゴリズム HISTORY_MSG_252;CbDL 肌色の目標/保護 HISTORY_MSG_253;CbDL アーティファクトを軽減 @@ -543,8 +536,6 @@ HISTORY_MSG_270;カラートーン調整 - ハイライトのグリーン HISTORY_MSG_271;カラートーン調整 - ハイライトのブルー HISTORY_MSG_272;カラートーン調整 - バランス HISTORY_MSG_273;カラートーン調整 - SMHでカラーバランス -HISTORY_MSG_274;カラートーン調整 - シャドウの彩度 -HISTORY_MSG_275;カラートーン調整 - ハイライトの彩度 HISTORY_MSG_276;カラートーン調整 - 不透明度 HISTORY_MSG_277;カラートーン調整 - カーブをリセット HISTORY_MSG_278;カラートーン調整 - 明度を維持 @@ -569,7 +560,6 @@ HISTORY_MSG_296;輝度ノイズ低減のカーブ HISTORY_MSG_297;ノイズ低減 - 質 HISTORY_MSG_298;デッドピクセルフィルター HISTORY_MSG_299;色ノイズ低減のカーブ -HISTORY_MSG_300;- HISTORY_MSG_301;輝度ノイズの調整方法 HISTORY_MSG_302;色ノイズの調整方法 HISTORY_MSG_303;色ノイズの調整方法 @@ -678,7 +668,6 @@ HISTORY_MSG_405;W - ノイズ低減とリファイン レベル4 HISTORY_MSG_406;W - ES - 隣接するピクセルに対する効果 HISTORY_MSG_407;レティネックス - 方式 HISTORY_MSG_408;レティネックス - 半径 -HISTORY_MSG_409;レティネックス - コントラスト HISTORY_MSG_410;レティネックス - 明るさ HISTORY_MSG_411;レティネックス - 強さ HISTORY_MSG_412;レティネックス - ガウスフィルタの勾配 @@ -742,7 +731,6 @@ HISTORY_MSG_469;PS - メディアン HISTORY_MSG_470;EvPixelShiftMedian3 HISTORY_MSG_471;PS - 振れの補正 HISTORY_MSG_472;PS - 境界を滑らかにする -HISTORY_MSG_473;PS - LMMSEを使う HISTORY_MSG_474;PS - 均等化 HISTORY_MSG_475;PS - 色チャンネルの均等化 HISTORY_MSG_476;CAM02 - 観視環境の色温度 @@ -1522,7 +1510,6 @@ HISTORY_MSG_WAVCHROMCO;大きいディテールの色度 HISTORY_MSG_WAVCHROMFI;小さいディテールの色度 HISTORY_MSG_WAVCLARI;明瞭 HISTORY_MSG_WAVDENLH;レベル5 -HISTORY_MSG_WAVDENMET;ローカルイコライザ HISTORY_MSG_WAVDENOISE;ローカルコントラスト HISTORY_MSG_WAVDENOISEH;番手の高いレベルのローカルコントラスト HISTORY_MSG_WAVDETEND;ディテール ソフト @@ -1783,7 +1770,6 @@ PARTIALPASTE_LENSPROFILE;プロファイルされたレンズ補正 PARTIALPASTE_LOCALCONTRAST;ローカルコントラスト PARTIALPASTE_LOCALLAB;ローカル編集 PARTIALPASTE_LOCALLABGROUP;ローカル編集の設定 -PARTIALPASTE_LOCGROUP;ローカル PARTIALPASTE_METADATA;メタデータモード PARTIALPASTE_METAGROUP;メタデータ PARTIALPASTE_PCVIGNETTE;ビネットフィルター @@ -2270,7 +2256,6 @@ TP_COLORAPP_TCMODE_LABEL3;カーブ・色度モード TP_COLORAPP_TCMODE_LIGHTNESS;明度 TP_COLORAPP_TCMODE_SATUR;彩度 TP_COLORAPP_TEMP2_TOOLTIP;シンメトリカルモードの場合はホワイトバランスの色温度を使います\n色偏差は常に1.0\n\nA光源 色温度=2856\nD41 色温度=4100\nD50 色温度=5003\nD55 色温度=5503\nD60 色温度=6000\nD65 色温度=6504\nD75 色温度=7504 -TP_COLORAPP_TEMPOUT_TOOLTIP;色温度と色偏差を変えるために無効にします TP_COLORAPP_TEMP_TOOLTIP;選択した光源に関し色偏差は常に1が使われます\n\n色温度=2856\nD50 色温度=5003\nD55 色温度=5503\nD65 色温度=6504\nD75 色温度=7504 TP_COLORAPP_TONECIE;CIECAM02/16を使ったトーンマッピング TP_COLORAPP_TONECIE_TOOLTIP;このオプションが無効になっている場合、トーンマッピングはL*a*b*空間を使用します\nこのオプションが有効になっている場合、トーンマッピングは、CIECAM02/16を使用します\nトーンマッピング(L*a*b*/CIECAM02)ツールを有効にするには、この設定を有効にする必要があります @@ -2535,13 +2520,11 @@ TP_ICM_APPLYHUESATMAP;ベーステーブル TP_ICM_APPLYHUESATMAP_TOOLTIP;DCPに埋め込まれているベーステーブル(色相彩度マップ)を用います。但し、適用するDCPにこのタグがある場合に限ります。 TP_ICM_APPLYLOOKTABLE;ルックテーブル TP_ICM_APPLYLOOKTABLE_TOOLTIP;DCPに埋め込まれているルックテーブルを用います。但し、適用するDCPにこのタグがある場合に限ります。 -TP_ICM_BLUFRAME;ブルー 原色 TP_ICM_BPC;ブラックポイント補正 TP_ICM_DCPILLUMINANT;光源 TP_ICM_DCPILLUMINANT_INTERPOLATED;補間 TP_ICM_DCPILLUMINANT_TOOLTIP;埋め込まれているDCPの光源のどちらを使うか選択。デフォルトではホワイトバランスに基づいて二つの光源の中間に補間する。この設定は二つのDCPの光源が補間サポートされる、を選択している場合に有効。 TP_ICM_FBW;白黒 -TP_ICM_GREFRAME;グリーン 原色 TP_ICM_ILLUMPRIM_TOOLTIP;撮影条件に最も相応しい光源を選びます\n変更が行われるのは、‘変換先の原色’で‘カスタム (スライダー)’が選択された時だけです。 TP_ICM_INPUTCAMERA;カメラの標準的プロファイル TP_ICM_INPUTCAMERAICC;カメラプロファイルの自動調和 @@ -2679,13 +2662,11 @@ TP_LOCALCONTRAST_RADIUS;半径 TP_LOCALLAB_ACTIV;輝度だけ TP_LOCALLAB_ACTIVSPOT;RT-スポットを有効にする TP_LOCALLAB_ADJ;イコライザ カラー -TP_LOCALLAB_ALL;全ての種類 TP_LOCALLAB_AMOUNT;量 TP_LOCALLAB_ARTIF;形状検出 TP_LOCALLAB_ARTIF_TOOLTIP;ΔE-スコープのしきい値:スコープを適用するΔEの幅が変わります。色域の広い画像には高いしきい値を使います。\nΔEの減衰:値を増やすと形状検出の質は向上しますが、スコープの範囲が狭くなります。 TP_LOCALLAB_AUTOGRAY;自動平均輝度(Yb%) TP_LOCALLAB_AUTOGRAYCIE;自動 -TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;自動で“平均輝度”と“絶対輝度”を計算します\nJz、Cz、Hzに関しては、自動的に"均一的知覚の順応"と"ブラックEv"、"ホワイトEv"を自動的に計算します。 TP_LOCALLAB_AVOID;色ずれの回避 TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;作業色空間の色域に色を収め、マンセル補正を行います(均一的な知覚のLab)\nJz或いはCAM16が使われている場合は、マンセル補正が常に無効になります。 TP_LOCALLAB_AVOIDMUN;マンセル補正だけ @@ -2712,18 +2693,15 @@ TP_LOCALLAB_BLMED;メディアン TP_LOCALLAB_BLMETHOD_TOOLTIP;通常:全ての設定に対し、直接的なぼかしとノイズ処理\nインバース:ぼかしとノイズ処理\n注意:設定によっては予期しない結果になることがあります TP_LOCALLAB_BLNOI_EXP;ぼかし & ノイズ除去 TP_LOCALLAB_BLNORM;通常 -TP_LOCALLAB_BLSYM;シンメトリック TP_LOCALLAB_BLUFR;ぼかし/質感とノイズ除去 TP_LOCALLAB_BLUMETHOD_TOOLTIP;背景をぼかし、前景を区分けするために:\n画像全体をRT-スポットで完全に囲み(スコープと境界値は高くします)背景をぼかします-'通常’或いは’インバース’モードを選択します\n*一つ以上のRT-スポットで’除外’モードを使い、スコープ値を高くして前景を区分けします\n\nこの機能モジュール('メディアン’及び’ガイド付きフィルタ’を含む)は、メインのノイズ低減と併用できます。 TP_LOCALLAB_BLUR;ガウスぼかし - ノイズ - 質感 -TP_LOCALLAB_BLURCBDL;ぼかしのレベル 0-1-2-3-4 TP_LOCALLAB_BLURCOL;半径 TP_LOCALLAB_BLURCOLDE_TOOLTIP;孤立したピクセルが計算に入るの避けるため、ΔEを計算するために使われる画像に少しぼかしをかけます TP_LOCALLAB_BLURDE;形状検出のぼかし TP_LOCALLAB_BLURLC;輝度だけ TP_LOCALLAB_BLURLEVELFRA;レベルのぼかし TP_LOCALLAB_BLURMASK_TOOLTIP;マスクを生成するために半径の大きなぼかしを使います。これにより画像のコントラストを変えたり、画像の一部を暗く、又は明るくすることが出来ます。 -TP_LOCALLAB_BLURRESIDFRA;残差のぼかし TP_LOCALLAB_BLURRMASK_TOOLTIP;ガウスぼかしの’半径’を変えることが出来ます(0~1000) TP_LOCALLAB_BLUR_TOOLNAME;ぼかし/質感 & ノイズ除去 TP_LOCALLAB_BLWH;全ての変更を白黒画像で行う @@ -2738,10 +2716,8 @@ TP_LOCALLAB_CAM16PQREMAP;HDR PQ(最大輝度) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;CAM16に適応したPQ (知覚量子化)。これによりPQの内部関数を変えることが出来ます(通常は10000カンデラ毎平方メートル - デフォルトは100カンデラ毎平方メートルですが無効になります\n異なるデバイスや画像を扱う場合に使えます。 TP_LOCALLAB_CAM16_FRA;CAM16による画像の調整 TP_LOCALLAB_CAMMODE;CAMのモデル -TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM16 TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -TP_LOCALLAB_CAMMODE_ZCAM;ZCAMだけ TP_LOCALLAB_CATAD;色順応 - Cat16 TP_LOCALLAB_CBDL;詳細レベルによるコントラスト調整 TP_LOCALLAB_CBDLCLARI_TOOLTIP;中間トーンのローカルコントラストを強化します @@ -2771,7 +2747,6 @@ TP_LOCALLAB_CIELIGHTFRA;明度 TP_LOCALLAB_CIEMODE;処理過程の位置の変更 TP_LOCALLAB_CIEMODE_COM;デフォルト TP_LOCALLAB_CIEMODE_DR;ダイナミックレンジ -TP_LOCALLAB_CIEMODE_LOG;対数符号化 TP_LOCALLAB_CIEMODE_TM;トーンマッピング TP_LOCALLAB_CIEMODE_TOOLTIP;デフォルトではCIECAMが処理過程の最後になっています。"マスクと修正領域"と"輝度マスクをベースにした回復"は"CAM16 + JzCzHz"で使えます。\n好みに併せて他の機能(トーンマッピング、ダイナミックレンジ圧縮、対数符号化)にCIECAMを統合することも出来ます。調整結果はCIECAMを統合しなかった場合と異なります。このモードでは"マスクと修正領域"と"輝度マスクをベースにした回復"が使えます。 TP_LOCALLAB_CIEMODE_WAV;ウェーブレット @@ -2800,16 +2775,10 @@ TP_LOCALLAB_COLOR_TOOLNAME;色と明るさ TP_LOCALLAB_COL_NAME;名前 TP_LOCALLAB_COL_VIS;ステータス TP_LOCALLAB_COMPFRA;詳細レベルの方向によるコントラスト -TP_LOCALLAB_COMPFRAME_TOOLTIP;特殊な効果を付けるために使います。アーティファクトを軽減するためには'明瞭とシャープマスク/ブレンド & ソフトイメージ'を使います\n処理時間が大きく増えます -TP_LOCALLAB_COMPLEX_METHOD;機能の水準 -TP_LOCALLAB_COMPLEX_TOOLTIP;ローカル編集の機能水準を選択出来ます TP_LOCALLAB_COMPREFRA;ウェーブレットのレベルを使ったトーンマッピング -TP_LOCALLAB_COMPRESS_TOOLTIP;アーティファクトを軽減するため必要に応じて'明瞭とシャープマスク/ブレンド & ソフトイメージ'の'ソフトな半径'使います TP_LOCALLAB_CONTCOL;コントラストしきい値 TP_LOCALLAB_CONTFRA;レベルによるコントラスト調整 -TP_LOCALLAB_CONTL;コントラスト(J) TP_LOCALLAB_CONTRAST;コントラスト -TP_LOCALLAB_CONTRASTCURVMASK1_TOOLTIP;連続した漸進的なカーブを使わずに、マスクのコントラスト(ガンマとスロープ)を自由に変えられます。但し、’スムーズな半径’、或いは’ラプラシアンのしきい値’スライダーを使って処理しなければならないようなアーティファクトが発生する可能性があります。 TP_LOCALLAB_CONTRASTCURVMASK_TOOLTIP;マスクのコントラストを自由に変更できますが、アーティファクトが発生するかもしれません。 TP_LOCALLAB_CONTRESID;コントラスト TP_LOCALLAB_CONTTHMASK_TOOLTIP;質感をベースに、画像のどの部分に影響を与えるか決定出来ます @@ -2825,10 +2794,6 @@ TP_LOCALLAB_CURVEEDITOR_LL_TOOLTIP;カーブを有効にするには、’カー TP_LOCALLAB_CURVEEDITOR_TONES_LABEL;トーンカーブ TP_LOCALLAB_CURVEEDITOR_TONES_TOOLTIP;L=f(L), 色と明るさでL(H)との併用可 TP_LOCALLAB_CURVEMETHOD_TOOLTIP;'通常', L=f(L)カーブは明るさのスライダーと同じアルゴリズムを使っています -TP_LOCALLAB_CURVENCONTRAST;強力+コントラストのしきい値(試験的) -TP_LOCALLAB_CURVENH;強力 -TP_LOCALLAB_CURVENHSU;色相と色度の組み合わせ(試験的) -TP_LOCALLAB_CURVENSOB2;色相と色度の組み合わせ+コントラストのしきい値(試験的) TP_LOCALLAB_CURVES_CIE;トーンカーブ TP_LOCALLAB_CURVNONE;カーブを無効 TP_LOCALLAB_DARKRETI;暗さ @@ -2850,7 +2815,6 @@ TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;漸進的にフーリエ変換(離散コサ TP_LOCALLAB_DENOIMASK;色ノイズのマスク TP_LOCALLAB_DENOIMASK_TOOLTIP;全ての機能でマスクの色ノイズの程度を加減することが出来ます。\nLC(h)カーブを使う際、アーティファクトを避けたり、色度をコントロールするのに便利です。 TP_LOCALLAB_DENOIQUA_TOOLTIP;’控え目’なモードでは、低周波ノイズは除去されません。’積極的’なモードは低周波ノイズも除去します。\n’控え目’も’積極的’も、ウェーブレットとDCTを使いますが、’輝度のノンローカルミーン’を併用することも出来ます。 -TP_LOCALLAB_DENOIS;ノイズ除去 TP_LOCALLAB_DENOITHR_TOOLTIP;均一及び低コントラスト部分のノイズを減らす補助としてエッジ検出を調整します TP_LOCALLAB_DENOI_EXP;ノイズ除去 TP_LOCALLAB_DENOI_TOOLTIP;このモジュールは単独のノイズ低減機能(処理工程の最後の方に位置)として、或いはメインのディテールタブに付属するノイズ低減(処理工程の最初の方に位置)の追加機能として使うことが出来ます。\n色(ΔE)を基本に、スコープを使って作用に差を付けることが出来ます。\n但し、RT-スポットは最低128x128の大きさの必要です @@ -2903,30 +2867,25 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;ラプラス変換前後にガンマカーブを TP_LOCALLAB_EXPLAPLIN_TOOLTIP;ラプラス変換を適用する前に、線形要素を加え、露出不足の画像を修正します TP_LOCALLAB_EXPLAP_TOOLTIP;スライダーを右に移動すると漸進的にコントラストが減少します TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;不透明度のコントロールで、GIMPやPhotoshop(C)の、Difference, Multiply, Soft Light, Overlayなどのレイヤー融合モードが使えます。\n元画像:現在のRT-スポットと元画像の融合\n前のRT-スポット:現在のRT-スポットと前のRT-スポットを融合(但し、前のスポットがある場合に限る、ない場合は元画像と融合)\n背景:現在のRT-スポットと背景の色と輝度を融合 -TP_LOCALLAB_EXPMETHOD_TOOLTIP;標準:メインの露光補正と類似したアルゴリズムを使いますが、 L*a*b*で作業するためΔEを考慮します\n\nコントラストの減衰:ΔEを考慮する別なアルゴリズムですが、ポアソン方程式(PDE)を使いフーリエ空間でラプラシアンの解を求めます\nコントラストの減衰、ダイナミックレンジの圧縮は標準機能を組み合わせることが出来ます\nFFTWフーリエ変換は処理時間を減らすためにサイズが最適化されます\nアーティファクトとノイズを軽減します TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;アーティファクト(ノイズ)の発生を避けるため、ラプラス変換の前にメディアンフィルタを適用します TP_LOCALLAB_EXPOSE;ダイナミックレンジ & 露光補正 TP_LOCALLAB_EXPOSURE_TOOLTIP;シャドウ部分が強いような場合は、’シャドウ/ハイライト’のモジュールが使えます TP_LOCALLAB_EXPRETITOOLS;高度なレティネックス機能 TP_LOCALLAB_EXPSHARP_TOOLTIP;RT-スポットの大きさが最低でも39x39ピクセル必要です\nスポットが小さい場合は、低い境界値、高い減衰値、高いスコープ値を設定します TP_LOCALLAB_EXPTOOL;露光補正の機能 -TP_LOCALLAB_EXPTRC;トーンレスポンスカーブ - TRC TP_LOCALLAB_EXP_TOOLNAME;ダイナミックレンジ & 露光補正 TP_LOCALLAB_FATAMOUNT;量 TP_LOCALLAB_FATANCHOR;アンカー -TP_LOCALLAB_FATANCHORA;オフセット TP_LOCALLAB_FATDETAIL;ディテール TP_LOCALLAB_FATFRA;ダイナミックレンジ圧縮 ƒ TP_LOCALLAB_FATFRAME_TOOLTIP;ここではFattalのトーンマッピングアルゴリズムを使います\nアンカーで画像の露出不足・過多に応じた選択が出来ます\n現在のスポットに近く、マスクを使用する2番目のスポットの輝度を増やすのに便利です TP_LOCALLAB_FATLEVEL;シグマ -TP_LOCALLAB_FATRES;残差画像の量 TP_LOCALLAB_FATSHFRA;マスクのダイナミックレンジ圧縮のマスク ƒ TP_LOCALLAB_FEATH_TOOLTIP;RT-スポットの対角線の長さに対する諧調幅の割合で作用します\nこれは階調フィルタを備えているモジュール全てに共通です\n但し、フェザー処理が働くのは、階調フィルタの中で一つ以上の調整が行われている場合だけです TP_LOCALLAB_FEATVALUE;フェザー処理 TP_LOCALLAB_FFTCOL_MASK;FFTW ƒ TP_LOCALLAB_FFTMASK_TOOLTIP;質を高めるためにフーリエ変換を使います(但し、処理時間とメモリー消費が増えます) TP_LOCALLAB_FFTW;ƒ 高速フーリエ変換を使う -TP_LOCALLAB_FFTW2;ƒ 高速フーリエ変換を使う(TIF, JPG,..) TP_LOCALLAB_FFTWBLUR;ƒ - 常に高速フーリエ変換を使う TP_LOCALLAB_FULLIMAGE;画像全体のブラックEvとホワイトEv TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;画像全体のEvレベルを計算します @@ -2952,7 +2911,6 @@ TP_LOCALLAB_GRADSTRHUE;色相の階調の強さ TP_LOCALLAB_GRADSTRHUE2;色相の階調の強さ TP_LOCALLAB_GRADSTRHUE_TOOLTIP;色相の階調の強さを調整します TP_LOCALLAB_GRADSTRLUM;輝度の階調の強さ -TP_LOCALLAB_GRADSTR_TOOLTIP;露出の階調の強さを調整します TP_LOCALLAB_GRAINFRA;フィルムの質感 1:1 TP_LOCALLAB_GRAINFRA2;粗い TP_LOCALLAB_GRAIN_TOOLTIP;画像にフィルムのような質感を加えます @@ -2970,7 +2928,6 @@ TP_LOCALLAB_GUIDSTRBL_TOOLTIP;ガイド付きフィルタの強さ TP_LOCALLAB_HHMASK_TOOLTIP;例えば肌の微妙な色相調整に使います TP_LOCALLAB_HIGHMASKCOL;ハイライト TP_LOCALLAB_HLH;H -TP_LOCALLAB_HLHZ;Hz TP_LOCALLAB_HUECIE;色相 TP_LOCALLAB_IND;独立 (マウス) TP_LOCALLAB_INDSL;独立 (マウス + スライダー) @@ -3057,7 +3014,6 @@ TP_LOCALLAB_LOGAUTO;自動 TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;相対的な露光レベルの中の’自動’ボタンを押すと、撮影画像の環境に関する平均輝度が自動的に計算されます。 TP_LOCALLAB_LOGAUTO_TOOLTIP;'自動平均輝度(Yb%)'のオプションが有効になっている時に、このボタンを押すと撮影画像の環境に関する’ダイナミックレンジ’と’平均輝度’が計算されます。\nまた、撮影時の絶対輝度も計算されます。\n再度ボタンを押すと自動的にこれら値が調整されます。 TP_LOCALLAB_LOGBASE_TOOLTIP;デフォルト値は2です\n2以下ではアルゴリズムの働きが弱まり、シャドウ部分が暗く、ハイライト部分が明るくなります\n2より大きい場合は、シャドウ部分が濃いグレーに変わり、ハイライト部分は白っぽくなります -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;ダイナミックレンジの推定値、例えばブラックEvとホワイトEv TP_LOCALLAB_LOGCATAD_TOOLTIP;色順応とは時空環境に応じて色を認識する能力です。\n光源がD50から大きく外れている場合のホワイトバランス調整に有用です\nこの機能で、出力デバイスの光源の下で同じ色になるように近づけます。 TP_LOCALLAB_LOGCIE;シグモイドの代わりに対数符号化を使う TP_LOCALLAB_LOGCIE_TOOLTIP;対数符号化Qを使うトーンマッピングでは、ブラックEvとホワイトEvの調節、場面条件の平均輝度と観視条件の平均輝度(Y%)の調整が出来ます。 @@ -3085,9 +3041,7 @@ TP_LOCALLAB_LOGREPART;全体の強さ TP_LOCALLAB_LOGREPART_TOOLTIP;元画像と比べた対数符号化した画像の強さを調整します。\n色の見えモデルの構成要素には影響しません。 TP_LOCALLAB_LOGSATURL_TOOLTIP;色の見えモデル16の彩度Sは、物体自身が持つ明るさに関した色刺激の色に該当します\n主に、中間トーンからハイライトにかけて作用します。 TP_LOCALLAB_LOGSCENE_TOOLTIP;場面条件に該当します。 -TP_LOCALLAB_LOGSRCGREY_TOOLTIP;画像のグレーポイントの推定値です TP_LOCALLAB_LOGSURSOUR_TOOLTIP;場面条件を考慮して明暗と色を調整します。\n\n平均: 平均的な光の環境(標準)。画像は変わりません。\n\n薄暗い: 薄暗い環境。画像が少し明るくなります。\n\n暗い: 暗い環境。画像がより明るくなります。 -TP_LOCALLAB_LOGTARGGREY_TOOLTIP;適用に合わせて値を変えられます TP_LOCALLAB_LOGVIEWING_TOOLTIP;最終画像を見る周囲環境同様、それを見る媒体(モニター、TV、プロジェクター、プリンターなど)に対応します。 TP_LOCALLAB_LOG_TOOLNAME;対数符号化 TP_LOCALLAB_LUM;LL - CC @@ -3096,12 +3050,10 @@ TP_LOCALLAB_LUMASK;背景の色/輝度のマスク TP_LOCALLAB_LUMASK_TOOLTIP;マスクの表示(マスクと修正領域)で、背景のグレーを調節します TP_LOCALLAB_LUMAWHITESEST;最も明るい部分 TP_LOCALLAB_LUMFRA;L*a*b* 標準 -TP_LOCALLAB_LUMONLY;輝度だけ TP_LOCALLAB_MASFRAME;マスクと融合に関する設定 TP_LOCALLAB_MASFRAME_TOOLTIP;これは全てのマスクに共通します\n以下のマスク機能が使われた時に目標とする領域が変化するのを避けるためにΔE画像を考慮します:ガンマ、スロープ、色度、コントラストカーブ(ウェーブレットのレベル)、ぼかしマスク、構造のマスク(有効になっている場合)\nこの機能はインバースモードでは無効になります TP_LOCALLAB_MASK;カーブ TP_LOCALLAB_MASK2;コントラストカーブ -TP_LOCALLAB_MASKCOL; TP_LOCALLAB_MASKCOM;共通のカラーマスク TP_LOCALLAB_MASKCOM_TOOLNAME;共通のカラーマスク TP_LOCALLAB_MASKCOM_TOOLTIP;このマスクは全ての機能で使えます。カラースコープを考慮します。\nこのマスクは’色と明るさ’や’露光補正’などに備わったその機能を補間するためのマスクとは異なります @@ -3169,16 +3121,8 @@ TP_LOCALLAB_MERFOU;乗算 TP_LOCALLAB_MERGE1COLFRA;融合するファイルの選択:オリジナル/前のRT-スポット/背景 TP_LOCALLAB_MERGECOLFRA;マスク:LChと構造 TP_LOCALLAB_MERGECOLFRMASK_TOOLTIP;LChの3つのカーブ、或いは構造検出のアルゴリズム、またはその両方をベースにマスクを作ります -TP_LOCALLAB_MERGEFIV;前のスポット(マスク7) + LChマスク -TP_LOCALLAB_MERGEFOU;前のスポット(マスク7) TP_LOCALLAB_MERGEMER_TOOLTIP;ファイルを癒合する際にΔEを考慮します(この場合はスコープと同じ働きです) -TP_LOCALLAB_MERGENONE;なし -TP_LOCALLAB_MERGEONE;ショートカーブ'L'のマスク TP_LOCALLAB_MERGEOPA_TOOLTIP;不透明度とは初めのRT-スポット或いは前のスポットと融合させる現在のスポットの割合です\nコントラストのしきい値:元画像のコントラストに応じで結果を調整するスライダーです -TP_LOCALLAB_MERGETHR;オリジナル + LChマスク -TP_LOCALLAB_MERGETWO;オリジナル -TP_LOCALLAB_MERGETYPE;イメージとマスクの融合 -TP_LOCALLAB_MERGETYPE_TOOLTIP;なしの場合、LChモードの全てのマスクを使います\nショートカーブ 'L'マスクの場合、マスク2、3、4、6、7はスキップします\nオリジナルマスク7の場合、現在のイメージと元のイメージを融合します TP_LOCALLAB_MERHEI;重ね合わせ TP_LOCALLAB_MERHUE;色相 TP_LOCALLAB_MERLUCOL;輝度 @@ -3206,7 +3150,6 @@ TP_LOCALLAB_MRFIV;背景 TP_LOCALLAB_MRFOU;前のRT-スポット TP_LOCALLAB_MRONE;なし TP_LOCALLAB_MRTHR;オリジナルRT-スポット -TP_LOCALLAB_MRTWO;ショートカーブ 'L'マスク TP_LOCALLAB_MULTIPL_TOOLTIP;トーンの幅が広い画像、-18EV~+4EV、を調整します: 最初のスライダーは-18EV~-6EVの非常に暗い部分に作用します。2つ目のスライダーは-6EV~+4EVの部分に作用します TP_LOCALLAB_NEIGH;半径 TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;値を低くすると詳細と質感が保たれます。高くするとノイズ除去が強まります。\nガンマが3.0の場合は輝度ノイズの除去には線形が使われます。 @@ -3224,7 +3167,6 @@ TP_LOCALLAB_NOISECHROCOARSE;高い番手の色度(ウェーブレット) TP_LOCALLAB_NOISECHROC_TOOLTIP;0より大きい値で効果の高いアルゴリズムが働き始めます\n大まかなスライダーの場合は2以上からです TP_LOCALLAB_NOISECHRODETAIL;色度の詳細復元 TP_LOCALLAB_NOISECHROFINE;低い番手の色度(ウェーブレット) -TP_LOCALLAB_NOISEDETAIL_TOOLTIP;スライダー値が100になると無効 TP_LOCALLAB_NOISEGAM;ガンマ TP_LOCALLAB_NOISEGAM_TOOLTIP;ガンマが1の時は、"Lab"の輝度が使われます。ガンマが3.0の時は"線形"の輝度が使われます\n低い値にするとディテールと質感が保たれます。高い値にするとノイズ除去が強まります。 TP_LOCALLAB_NOISELEQUAL;イコライザ 白黒 @@ -3264,7 +3206,6 @@ TP_LOCALLAB_RECOTHRES02_TOOLTIP;“回復のしきい値”が1より大きい TP_LOCALLAB_RECT;長方形 TP_LOCALLAB_RECURS;参考値の繰り返し TP_LOCALLAB_RECURS_TOOLTIP;各機能の適用後に参考値を強制的に再計算させる機能です\nマスクを使った作業にも便利です -TP_LOCALLAB_REFLABEL;参照 (0..1) 色度=%1 輝度=%2 色相=%3 TP_LOCALLAB_REN_DIALOG_LAB;新しいコントロールスポットの名前を入力 TP_LOCALLAB_REN_DIALOG_NAME;コントロールスポットの名前変更 TP_LOCALLAB_REPARCOL_TOOLTIP;元画像に関する色と明るさの構成の相対的強さを調整出来るようにします。 @@ -3273,7 +3214,6 @@ TP_LOCALLAB_REPAREXP_TOOLTIP;元画像に関するダイナミックレンジと TP_LOCALLAB_REPARSH_TOOLTIP;元画像に関するシャドウ/ハイライトとトーンイコライザの構成の相対的強さを調整出来るようにします。 TP_LOCALLAB_REPARTM_TOOLTIP;元画像に関するトーンマッピングの構成の相対的強さを調整出来るようにします。 TP_LOCALLAB_REPARW_TOOLTIP;元画像に関するローカルコントラストとウェーブレットの構成の相対的強さを調整出来るようにします。 -TP_LOCALLAB_RESETSHOW;全ての表示変更をリセット TP_LOCALLAB_RESID;残差画像 TP_LOCALLAB_RESIDBLUR;残差画像をぼかす TP_LOCALLAB_RESIDCHRO;残差画像の色度 @@ -3288,7 +3228,6 @@ TP_LOCALLAB_RETIFRA;レティネックス TP_LOCALLAB_RETIFRAME_TOOLTIP;画像処理においてレティネックスは便利な機能です\nぼけた、霧かかった、或いは霞んだ画像を補正出来ます\nこういった画像は輝度に大きな違いがあるのが特徴です\n特殊効果を付けるためにも使えます(トーンマッピング) TP_LOCALLAB_RETIM;独自のレティネックス TP_LOCALLAB_RETITOOLFRA;高度なレティネックス機能 -TP_LOCALLAB_RETI_FFTW_TOOLTIP;高速フーリエ変換は質を向上させ大きな半径の使用が可能になります\n処理時間は編集する領域の大きさに応じて変わります \n大きな半径を扱う場合に適用するのがいいでしょう\n\n処理領域を数ピクセル減らすことでFFTWの最適化を図ることが出来ます \n但し、RT-スポットの境界線(縦或いは横)が画像からはみ出している場合は最適化を図れません TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;'明度=1'或いは'暗さ=2'の場合は効果がありません\n他の値の場合は、最終工程で'マルチスケールレティネックス'('ローカルコントラスト'の調整に似ています)が適用されます。'強さ'に関わる2つのスライダーでローカルコントラストのアップストリーの処理が調整されます TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;効果の最適化を図るため内部の変数を変えます\n'修復されたデータ'は最低値が0、最大値が32768(対数モード)に近いことが望ましいのですが、必ずしも一致させる必要はありません。 TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;対数モードを使うとコントラストが増えますが、ハロが発生することもあります @@ -3303,7 +3242,6 @@ TP_LOCALLAB_ROW_VIS;表示 TP_LOCALLAB_RSTPROTECT_TOOLTIP;レッドと肌色の保護は、彩度や色度、鮮やかさのスライダー調整に影響します。 TP_LOCALLAB_SATUR;彩度 TP_LOCALLAB_SATURV;彩度S -TP_LOCALLAB_SAVREST;保存 - 元に戻した現在のイメージ TP_LOCALLAB_SCALEGR;スケール TP_LOCALLAB_SCALERETI;スケール TP_LOCALLAB_SCALTM;スケール @@ -3376,7 +3314,6 @@ TP_LOCALLAB_SIGMOIDLAMBDA;コントラスト TP_LOCALLAB_SIGMOIDQJ;ブラックEvとホワイトEvを使う TP_LOCALLAB_SIGMOIDTH;しきい値(グレーポイント) TP_LOCALLAB_SIGMOID_TOOLTIP;'CIECAM'(或いは’Jz)と'シグモイド'関数を使って、トーンマッピングの様な効果を作ることが出来ます。\n3つのスライダーを使います: a) コントラストのスライダーはシグモイドの形状を変えることで強さを変えます。 b) しきい値(グレーポイント)のスライダーは、輝度に応じて作用を変えます。 c)ブレンドは画像の最終的なコントラストや輝度を変えます。 -TP_LOCALLAB_SIM;シンプル TP_LOCALLAB_SLOMASKCOL;スロープ TP_LOCALLAB_SLOMASK_TOOLTIP;ガンマとスロープを調整することで、不連続を避けるための“L”の漸進的修正により、アーティファクトの無いマスクの修正が出来ます TP_LOCALLAB_SLOSH;スロープ @@ -3386,7 +3323,6 @@ TP_LOCALLAB_SOFTMETHOD_TOOLTIP;独自のレティネックスは他のレティ TP_LOCALLAB_SOFTRADIUSCOL;ソフトな半径 TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;アーティファクトの発生を軽減するために出力画像にガイド付きフィルタを適用します TP_LOCALLAB_SOFTRETI;ΔEアーティファクトの軽減 -TP_LOCALLAB_SOFTRETI_TOOLTIP;透過マップを向上させるため色差を考慮します。 TP_LOCALLAB_SOFT_TOOLNAME;ソフトライト & 独自のレティネックス TP_LOCALLAB_SOURCE_ABS;絶対輝度 TP_LOCALLAB_SOURCE_GRAY;値 @@ -3403,7 +3339,6 @@ TP_LOCALLAB_STRENGR;強さ TP_LOCALLAB_STRENGRID_TOOLTIP;望む効果は'強さ'で調整出来ますが、作用の範囲を制限する'スコープ'を使うことも出来ます。 TP_LOCALLAB_STRENGTH;ノイズ TP_LOCALLAB_STRGRID;強さ -TP_LOCALLAB_STRRETI_TOOLTIP;レティネックスの強さが0.2より小さい場合は霞除去だけが有効となります。\nレティネックスの強さが0.1以上の場合、霞除去の作用は輝度だけです。 TP_LOCALLAB_STRUC;構造 TP_LOCALLAB_STRUCCOL;スポットの構造 TP_LOCALLAB_STRUCCOL1;スポットの構造 @@ -3421,7 +3356,6 @@ TP_LOCALLAB_THRESDELTAE;ΔE-スコープのしきい値 TP_LOCALLAB_THRESRETI;しきい値 TP_LOCALLAB_THRESWAV;バランスのしきい値 TP_LOCALLAB_TLABEL;TM 最小値=%1 最大値=%2 平均値=%3 標準偏差=%4 -TP_LOCALLAB_TLABEL2;TM 効果 Tm=%1 TM=%2 TP_LOCALLAB_TLABEL_TOOLTIP;透過マップの結果\n最低値と最大値が分散(バリアンス)で使われます\n透過マップの最小値はTm=Min、最大値はTM=Maxで表示されます\nしきい値スライダーで結果を標準化します TP_LOCALLAB_TM;トーンマッピング TP_LOCALLAB_TM_MASK;透過マップを使う @@ -3452,15 +3386,12 @@ TP_LOCALLAB_VIBRANCE;自然な彩度 & ウォーム/クール TP_LOCALLAB_VIBRA_TOOLTIP;自然な彩度を調整する機能です(基本的にはメインの自然な彩度と同じです)\nCIECAMのアルゴリズムを使ったホワイトバランス調整と同等の作用をします TP_LOCALLAB_VIB_TOOLNAME;自然な彩度 - ウォーム/クール TP_LOCALLAB_VIS_TOOLTIP;選択したコントロールスポットを表示・非表示するためにはクリックします\n全てのコントロールスポットを表示・非表示するためにはCtrlを押しながらクリックします -TP_LOCALLAB_WAMASKCOL;ウェーブレットのレベルのマスク TP_LOCALLAB_WARM;ウォーム/クール & 偽色 TP_LOCALLAB_WARM_TOOLTIP;このスライダーはCIECAMのアルゴリズムを使っていて、目標部分に暖か味を加える、或いは冷たい印象にするようなホワイトバランス調整を行います\n特定のケースでは色ノイズを減らす効果が期待できます TP_LOCALLAB_WASDEN_TOOLTIP;輝度ノイズの低減:分岐線を含むカーブの左側部分は最初のディテールレベル、1、2、3(細かいディテール)に相当します。右側部分は大まかなディテールのレベル(3より上のレベル)に相当します。 TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;各レベルで作用のバランスをとります。 TP_LOCALLAB_WAT_BLURLC_TOOLTIP;デフォルトでは、ぼかしがL*a*b*の3つの構成要素全てに影響するように設定されています。\n輝度だけにぼかしを施したい場合は、ボックスに✔を入れます。 -TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;“色度の融合”色度を好みの強さにするためのスライダーです。\n最大のウェーブレットのレベル(底辺の右)だけが考慮されます。 TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'色度の融合'は色度に対し目標とする効果を強化する際に使われます。 -TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;“輝度の融合”色度を好みの強さにするためのスライダーです。\n最大のウェーブレットのレベル(底辺の右)だけが考慮されます。 TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'輝度の融合'は輝度に対し目標とする効果を強化する際に使います。 TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'レベルの色度':輝度値の割合でLabの補色次元'a'と'b'を調整します。 TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;オフセットは低コントラストと高コントラストのディテールの間のバランスを変える機能です。\n高い値はコントラストの高いディテールのコントラスト変化を増幅します。低い値はコントラストの低いディテールのそれを増幅します。 @@ -3497,13 +3428,10 @@ TP_LOCALLAB_WAVEDG;ローカルコントラスト TP_LOCALLAB_WAVEEDG_TOOLTIP;エッジに対するローカルコントラストの作用に着目してシャープネスを改善します。メインのウェーブレットのレベルに備わっている機能と同じで、同じ設定が使えます。 TP_LOCALLAB_WAVEMASK_LEVEL_TOOLTIP;’ローカルコントラスト’で使うウェーブレットのレベルの範囲 TP_LOCALLAB_WAVGRAD_TOOLTIP;設定した階調と角度に応じて、ローカルコントラストが変わるようにします。輝度値ではなく、輝度値の差を考慮しています。 -TP_LOCALLAB_WAVHIGH;ウェーブレット 高 TP_LOCALLAB_WAVHUE_TOOLTIP;色相に基づいてノイズ除去の強弱を加減できます。 TP_LOCALLAB_WAVLEV;ウェーブレットのレベルによるぼかし -TP_LOCALLAB_WAVLOW;ウェーブレット 低 TP_LOCALLAB_WAVMASK;ローカルコントラスト TP_LOCALLAB_WAVMASK_TOOLTIP;マスクのローカルコントラストを変えるためにウェーブレットを使い、構造(肌、建物など)を強化したり弱めたりします -TP_LOCALLAB_WAVMED;Ψ ウェーブレット 普通 TP_LOCALLAB_WEDIANHI;メディアン 高 TP_LOCALLAB_WHITE_EV;ホワイトEv TP_LOCALLAB_ZCAMFRA;ZCAMによる画像の調整 @@ -3571,12 +3499,6 @@ TP_PREPROCWB_LABEL;ホワイトバランスの前処理 TP_PREPROCWB_MODE;モード TP_PREPROCWB_MODE_AUTO;自動 TP_PREPROCWB_MODE_CAMERA;カメラ -TP_PRIM_BLUX;Bx -TP_PRIM_BLUY;By -TP_PRIM_GREX;Gx -TP_PRIM_GREY;Gy -TP_PRIM_REDX;Rx -TP_PRIM_REDY;Ry TP_PRSHARPENING_LABEL;リサイズ後のシャープニング TP_PRSHARPENING_TOOLTIP;リサイズ後の画像をシャープニングします。但し、リサイズの方式がランチョスの場合に限ります。プレビュー画面でこの機能の効果を見ることは出来ません。使用法に関してはRawPediaを参照して下さい。 TP_RAWCACORR_AUTO;自動補正 @@ -3911,7 +3833,6 @@ TP_WAVELET_CONTEDIT;'後の' コントラストカーブ TP_WAVELET_CONTFRAME;コントラスト - 圧縮 TP_WAVELET_CONTR;色域 TP_WAVELET_CONTRA;コントラスト -TP_WAVELET_CONTRASTEDIT;番手の低いレベル~高いレベルの指定 TP_WAVELET_CONTRAST_MINUS;コントラスト - TP_WAVELET_CONTRAST_PLUS;コントラスト + TP_WAVELET_CONTRA_TOOLTIP;残差画像のコントラストを変えます @@ -3934,14 +3855,7 @@ TP_WAVELET_DAUB14;D14 - 高い TP_WAVELET_DAUBLOCAL;ウェーブレット エッジ検出の効果 TP_WAVELET_DAUB_TOOLTIP;ドブシー関数の係数を変更します:\nD4=標準\nD4=標準的なエッジ検出の効果\nD14=通常はエッジ検出の効果が最も高くなりますが、処理時間も約10%増加します\n\n番手の低いレベルの質だけでなくエッジ検出にも影響します。但し、レベル質は厳格に係数の種類に比例している訳ではありません。画像や使い方にも影響されます。 TP_WAVELET_DEN5THR;ガイド付きしきい値 -TP_WAVELET_DEN12LOW;レベル1と2を低く -TP_WAVELET_DEN12PLUS;レベル1と2を高く -TP_WAVELET_DEN14LOW;レベル1~4を低く -TP_WAVELET_DEN14PLUS;レベル1~4を高く -TP_WAVELET_DENCONTRAST;ローカルコントラストイコライザ TP_WAVELET_DENCURV;カーブ -TP_WAVELET_DENEQUAL;レベル1、2、3、4を均等に -TP_WAVELET_DENH;しきい値 TP_WAVELET_DENL;補正の構造 TP_WAVELET_DENLH;レベル1~4のガイド付きしきい値 TP_WAVELET_DENLOCAL_TOOLTIP;ローカルコントラストに応じてノイズ除去を行うためにカーブを使います\nノイズが除去される領域は構造が保たれます。 @@ -3984,7 +3898,6 @@ TP_WAVELET_EDTYPE;ローカルコントラストの調整方法 TP_WAVELET_EDVAL;強さ TP_WAVELET_FINAL;最終調整 TP_WAVELET_FINCFRAME;最終的なローカルコントラスト -TP_WAVELET_FINCOAR_TOOLTIP;カーブの左側のプラス部分は小さいディテールのレベルに作用します(増加)\n横軸の2点は作用がレベル5と6で制限されていることを示しています(デフォルト)\n右側のマイナス部分は大きなディテールのレベルに作用します(増加)\nカーブの左側部分をマイナスにする、右側部分をプラスにすることは避けます。 TP_WAVELET_FINEST;最も小さいディテールのレベル TP_WAVELET_FINTHR_TOOLTIP;ガイド付きフィルタの作用の加減にローカルコントラストを使います TP_WAVELET_GUIDFRAME;最終的な平滑化(ガイド付きフィルタ) @@ -4037,7 +3950,6 @@ TP_WAVELET_MIXNOISE;ノイズ TP_WAVELET_NEUTRAL;ニュートラル TP_WAVELET_NOIS;ノイズ除去 TP_WAVELET_NOISE;ノイズ除去とリファイン -TP_WAVELET_NOISE_TOOLTIP;輝度ノイズ除去のイコライザ:右に移動するほどシャドウ部分のノイズ除去がより強くなります\nノイズ除去とリファイン:レベル4のイズ除去が50以上の場合はアグレッシブモードが使われます\n色ノイズ除去:番手の高いレベルの色度のスライダー値が20以上の場合は、アグレッシブモードが使われます TP_WAVELET_NPHIGH;高い TP_WAVELET_NPLOW;低い TP_WAVELET_NPNONE;なし @@ -4054,7 +3966,6 @@ TP_WAVELET_PROC;プロセス TP_WAVELET_PROTAB;保護 TP_WAVELET_QUAAGRES;積極的 TP_WAVELET_QUACONSER;控え目 -TP_WAVELET_QUANONE;なし TP_WAVELET_RADIUS;シャドウ/ハイライトの半径 TP_WAVELET_RANGEAB;aとbの範囲 % TP_WAVELET_RE1;強める @@ -4092,12 +4003,10 @@ TP_WAVELET_THRESHOLD;調整レベル(小さいディテール) TP_WAVELET_THRESHOLD2;調整レベル(大きいディテール) TP_WAVELET_THRESHOLD2_TOOLTIP;設定値より上のレベルだけが、大きなディテールのレベルの輝度範囲で設定された条件で調整されます。 TP_WAVELET_THRESHOLD_TOOLTIP;設定値以下のレベルだけが、小さいディテールのレベルの輝度範囲で設定された条件で調整されます。 -TP_WAVELET_THRESWAV;バランスのしきい値 TP_WAVELET_THRH;ハイライトのしきい値 TP_WAVELET_TILESBIG;タイル TP_WAVELET_TILESFULL;画像全体 TP_WAVELET_TILESIZE;解析の領域 -TP_WAVELET_TILESLIT;小さいタイル TP_WAVELET_TILES_TOOLTIP;画像全体を処理する方が良い結果をもたらすので、推奨される選択です。タイルによる処理はRAMの容量が小さいユーザー向けです。必要なメモリー容量に関してはRawPediaを参照して下さい。 TP_WAVELET_TMEDGS;エッジ停止 TP_WAVELET_TMSCALE;スケール @@ -4108,7 +4017,6 @@ TP_WAVELET_TON;カラートーン TP_WAVELET_TONFRAME;除外されたカラー TP_WAVELET_USH;なし TP_WAVELET_USHARP;明瞭の方式 -TP_WAVELET_USHARP_TOOLTIP;オリジン : ウェーブレットによる調整を含まないソースファイル\nウェーブレット : ウェーブレットによる調整を含むソースファイル TP_WAVELET_USH_TOOLTIP;シャープマスクを選択すると、ウェーブレットの設定が次の様に自動的に行われます:\n背景=ブラック、処理=レベル3以下...レベルは1~4の間で変えられます\n\n明瞭を選択すると、ウェーブレットの設定が次の様に自動的に行われます:\n背景=残差画像、処理=レベル7以上 レベルは5~10の間で変えられます TP_WAVELET_WAVLOWTHR;最小コントラストのしきい値 TP_WAVELET_WAVOFFSET;オフセット diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index 3bd14ad0b..8d1985924 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -289,12 +289,6 @@ HISTORY_MSG_127;Flat Field automatikus kivál. HISTORY_MSG_128;Flat Field elmosás sugara HISTORY_MSG_129;Flat Field elmosás típusa HISTORY_MSG_130;Auto torzítás -HISTORY_MSG_131;Zajszűrés - luminencia -HISTORY_MSG_132;Zajszűrés - szín -HISTORY_MSG_133;Gamma -HISTORY_MSG_134;Gamma - Position -HISTORY_MSG_135;Gamma - szabad -HISTORY_MSG_136;Gamma - meredekség HISTORY_MSG_137;Feketeszint - zöld 1 HISTORY_MSG_138;Feketeszint - vörös HISTORY_MSG_139;Feketeszint - kék @@ -2487,7 +2481,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2808,7 +2801,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2858,10 +2850,8 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2891,7 +2881,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3012,7 +3001,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3161,7 +3149,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3202,7 +3189,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3298,7 +3284,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3363,7 +3348,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3541,9 +3525,7 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4018,7 +4000,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4076,7 +4057,6 @@ ZOOMPANEL_ZOOMOUT;Kicsinyítés - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index 157e98d20..210a6e86c 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -394,12 +394,6 @@ HISTORY_MSG_127;Vlakveld - Autom. selectie HISTORY_MSG_128;Vlakveld - Verzachten straal HISTORY_MSG_129;Vlakveld - Verzachten type HISTORY_MSG_130;Auto correctie lensvervorming -HISTORY_MSG_131;RO - Luma -HISTORY_MSG_132;RO - Chroma -HISTORY_MSG_133;Gamma -HISTORY_MSG_134;Gamma - Positie -HISTORY_MSG_135;Gamma - Vrij -HISTORY_MSG_136;Gamma - Helling HISTORY_MSG_137;Zwartniveau - Groen 1 HISTORY_MSG_138;Zwartniveau - Rood HISTORY_MSG_139;Zwartniveau - Blauw @@ -512,7 +506,6 @@ HISTORY_MSG_246;L*a*b* - CL curve HISTORY_MSG_247;L*a*b* - LH curve HISTORY_MSG_248;L*a*b* - HH curve HISTORY_MSG_249;DC - Drempel -HISTORY_MSG_250;RO - Verbeteren HISTORY_MSG_251;ZW - Algoritme HISTORY_MSG_252;DC - Huidtonen HISTORY_MSG_253;DC - Verminder artefacten @@ -536,8 +529,6 @@ HISTORY_MSG_270;KT - Hoog - Groen HISTORY_MSG_271;KT - Hoog - Blauw HISTORY_MSG_272;KT - Balans HISTORY_MSG_273;CT - Kleurbalans SMH -HISTORY_MSG_274;KT - Verz. Schaduwen -HISTORY_MSG_275;KT - Verz. Hoge lichten HISTORY_MSG_276;KT - Dekking HISTORY_MSG_277;--unused-- HISTORY_MSG_278;KT - Behoud luminantie @@ -562,7 +553,6 @@ HISTORY_MSG_296;RO - Luminantie curve HISTORY_MSG_297;NR - Modus HISTORY_MSG_298;Dode pixels filter HISTORY_MSG_299;RO - Chrominantie curve -HISTORY_MSG_300;- HISTORY_MSG_301;RO - Luma controle HISTORY_MSG_302;RO - Chroma methode HISTORY_MSG_303;RO - Chroma methode @@ -671,7 +661,6 @@ HISTORY_MSG_405;W - RO - Niveau 4 HISTORY_MSG_406;W - RS - Naburige pixels HISTORY_MSG_407;Retinex - Methode HISTORY_MSG_408;Retinex - Naburig -HISTORY_MSG_409;Retinex - Verbeteren HISTORY_MSG_410;Retinex - Beginpunt HISTORY_MSG_411;Retinex - Sterkte HISTORY_MSG_412;Retinex - Gaussiaans Verloop @@ -719,7 +708,6 @@ HISTORY_MSG_468;PV Vul holtes HISTORY_MSG_469;PV Mediaann HISTORY_MSG_471;PV Bewegingscorrectie HISTORY_MSG_472;PV Zachte overgang -HISTORY_MSG_473;PV Gebruik lmmse HISTORY_MSG_474;PV Balans HISTORY_MSG_475;PS - Kanaalbalans HISTORY_MSG_476;CAM02 - Temp uit @@ -758,7 +746,6 @@ HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - toon gebiedsmasker HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - hellingsgebied HISTORY_MSG_DEHAZE_DEPTH;Nevelvermindering - Diepte HISTORY_MSG_DEHAZE_ENABLED;Nevelvermindering -HISTORY_MSG_DEHAZE_LUMINANCE;Nevelvermindering - Alleen Luminantie HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Nevelvermindering - Toon dieptemap HISTORY_MSG_DEHAZE_STRENGTH;Nevelvermindering - Sterkte HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual-demozaïek - auto-drempel @@ -1553,7 +1540,6 @@ TP_DEFRINGE_RADIUS;Straal TP_DEFRINGE_THRESHOLD;Drempel TP_DEHAZE_DEPTH;Diepte TP_DEHAZE_LABEL;Nevel vermindering -TP_DEHAZE_LUMINANCE;Luminantie alleen TP_DEHAZE_SHOW_DEPTH_MAP;Toon de dieptemap TP_DEHAZE_STRENGTH;Sterkte TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Auto multi-zone @@ -2258,7 +2244,6 @@ TP_WAVELET_TILES;Tegel grootte (* 128) TP_WAVELET_TILESBIG;Grote Tegels TP_WAVELET_TILESFULL;Volldige afbeelding TP_WAVELET_TILESIZE;Tegel grootte -TP_WAVELET_TILESLIT;Kleine Tegels TP_WAVELET_TILES_TOOLTIP;De optie 'Volledige afbeelding' geeft een betere kwaliteit en is de aanbevolen keuze. Selecteer Tegels als er onvoldoende geheugen beschikbaar is. Raadpleeg RawPedia voor geheugen aanbevelingen. TP_WAVELET_TMSTRENGTH;Compressie sterkte TP_WAVELET_TMSTRENGTH_TOOLTIP;Bepaalt de sterkte van tonemapping of contrast compressie. Als de waarde anders is dan 0, dan worden de Sterkte en Gamma schuifbalken van Tonemapping in de Belichtings tab inactief. @@ -3141,7 +3126,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3213,7 +3197,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3263,10 +3246,8 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3296,7 +3277,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3417,7 +3397,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3566,7 +3545,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3607,7 +3585,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3703,7 +3680,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3768,7 +3744,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3946,9 +3921,7 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4095,7 +4068,6 @@ ZOOMPANEL_ZOOMOUT;Zoom uit\nSneltoets: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index 73b22966f..0d41a80c1 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -371,12 +371,6 @@ HISTORY_MSG_127;Puste pole - Auto-wybór HISTORY_MSG_128;Puste pole - Promień rozmycia HISTORY_MSG_129;Puste pole - Typ rozmycia HISTORY_MSG_130;Automatyczna korekcja dystorsji -HISTORY_MSG_131;RS - Luma -HISTORY_MSG_132;RS - Chroma -HISTORY_MSG_133;Gamma wyjściowa -HISTORY_MSG_134;Wolna gamma -HISTORY_MSG_135;Wolna gamma -HISTORY_MSG_136;Nachylenie gamma HISTORY_MSG_137;Poziom czerni - Zielony 1 HISTORY_MSG_138;Poziom czerni - Czerwony HISTORY_MSG_139;Poziom czerni - Niebieski @@ -487,7 +481,6 @@ HISTORY_MSG_246;Krzywa CL HISTORY_MSG_247;Krzywa LH HISTORY_MSG_248;Krzywa HH HISTORY_MSG_249;KwgPS - Próg -HISTORY_MSG_250;RS - Ulepszona HISTORY_MSG_251;B&W - Algorytm HISTORY_MSG_252;KwgPS - Odcienie skóry HISTORY_MSG_253;KwgPS - Redukcja błędów @@ -510,8 +503,6 @@ HISTORY_MSG_269;Koloryzacja - Podświetlenia - Czerwone HISTORY_MSG_270;Koloryzacja - Podświetlenia - Zielona HISTORY_MSG_271;Koloryzacja - Podświetlenia - Niebieskie HISTORY_MSG_272;Koloryzacja - Balans -HISTORY_MSG_274;Koloryzacja - Nasycenie cieni -HISTORY_MSG_275;Koloryzacja - Nasycenie jasnych HISTORY_MSG_276;Koloryzacja - Przezroczystość HISTORY_MSG_277;--unused-- HISTORY_MSG_278;Koloryzacja - Zachowaj luminancję @@ -536,7 +527,6 @@ HISTORY_MSG_296;RS - Modulacja luminancji HISTORY_MSG_297;NR - Tryb HISTORY_MSG_298;Filtrowanie martwych pikseli HISTORY_MSG_299;NR - Krzywa chrominancji -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Kontrola luminancji HISTORY_MSG_302;NR - Metoda chrominancji HISTORY_MSG_303;NR - Metoda chrominancji @@ -595,7 +585,6 @@ HISTORY_MSG_392;W - Residual - Balans kolorów HISTORY_MSG_405;W - Odszumianie - Poziom 4 HISTORY_MSG_407;Retinex - Metoda HISTORY_MSG_408;Retinex - Promień -HISTORY_MSG_409;Retinex - Contrast HISTORY_MSG_410;Retinex - Przesunięcie HISTORY_MSG_411;Retinex - Siła HISTORY_MSG_413;Retinex - Kontrast @@ -636,7 +625,6 @@ HISTORY_MSG_COLORTONING_LABREGION_CHANNEL;CT - Kanał HISTORY_MSG_COLORTONING_LABREGION_SATURATION;CT - Saturacja HISTORY_MSG_DEHAZE_DEPTH;Usuwanie mgły - Głębia HISTORY_MSG_DEHAZE_ENABLED;Usuwanie mgły -HISTORY_MSG_DEHAZE_LUMINANCE;Usuwanie mgły - Tylko luminancja HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Usuwanie mgły - Pokaż mapę głębokości HISTORY_MSG_DEHAZE_STRENGTH;Usuwanie mgły - Siła HISTORY_MSG_LOCALCONTRAST_AMOUNT;Kontrast lokalny - Ilość @@ -1338,7 +1326,6 @@ TP_DEFRINGE_RADIUS;Promień TP_DEFRINGE_THRESHOLD;Próg TP_DEHAZE_DEPTH;Głębia TP_DEHAZE_LABEL;Usuwanie mgły -TP_DEHAZE_LUMINANCE;Tylko luminancja TP_DEHAZE_SHOW_DEPTH_MAP;Pokaż mapę głębokości TP_DEHAZE_STRENGTH;Siła TP_DIRPYRDENOISE_CHROMINANCE_AUTOGLOBAL;Automatycznie @@ -2964,7 +2951,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3074,7 +3060,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3124,10 +3109,8 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3157,7 +3140,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3278,7 +3260,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3427,7 +3408,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3468,7 +3448,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3564,7 +3543,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3629,7 +3607,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3807,9 +3784,7 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4067,7 +4042,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values @@ -4104,7 +4078,6 @@ ZOOMPANEL_ZOOMOUT;Oddal\nSkrót: - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index fc1a30df9..a887d92fe 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -370,12 +370,6 @@ HISTORY_MSG_127;Campo plano - Seleção automática HISTORY_MSG_128;Campo plano - Raio de desfocagem HISTORY_MSG_129;Campo plano - Tipo de desfocagem HISTORY_MSG_130;Correção automática de distorção -HISTORY_MSG_131;Redução de ruído - Luminância -HISTORY_MSG_132;Redução de ruído - Crominância -HISTORY_MSG_133;Gama de saída -HISTORY_MSG_134;Gama livre -HISTORY_MSG_135;Gama livre -HISTORY_MSG_136;Declive de gama livre HISTORY_MSG_137;Nível preto - Verde 1 HISTORY_MSG_138;Nível preto - Vermelho HISTORY_MSG_139;Nível preto - Azul @@ -488,7 +482,6 @@ HISTORY_MSG_246;L*a*b* - Curva CL HISTORY_MSG_247;L*a*b* - Curva LH HISTORY_MSG_248;L*a*b* - Curva HH HISTORY_MSG_249;Contraste p/níveis detalhe - Limite -HISTORY_MSG_250;Redução de ruído - Melhorado HISTORY_MSG_251;PeB - Algoritmo HISTORY_MSG_252;Contraste p/níveis detalhe - Afetar/proteger cor da pele HISTORY_MSG_253;Contraste p/níveis detalhe - Reduzir artefactos @@ -512,8 +505,6 @@ HISTORY_MSG_270;Tonificação de cor - Alto - Verde HISTORY_MSG_271;Tonificação de cor - Alto - Azul HISTORY_MSG_272;Tonificação de cor - Balanço HISTORY_MSG_273;Tonificação de cor - Balanço de cor SMH -HISTORY_MSG_274;Tonificação de cor - Saturação das sombras -HISTORY_MSG_275;Tonificação de cor - Saturação das altas luzes HISTORY_MSG_276;Tonificação de cor - Opacidade HISTORY_MSG_277;--não utilizado-- HISTORY_MSG_278;Tonificação de cor - Preservar luminância @@ -538,7 +529,6 @@ HISTORY_MSG_296;Redução de ruído - Curva de luminância HISTORY_MSG_297;Redução de ruído - Modo HISTORY_MSG_298;Filtro de píxeis mortos HISTORY_MSG_299;Redução de ruído - Curva de crominância -HISTORY_MSG_300;- HISTORY_MSG_301;Redução de ruído - Controlo de luminância HISTORY_MSG_302;Redução de ruído - Método de crominância HISTORY_MSG_303;Redução de ruído - Método de crominância @@ -647,7 +637,6 @@ HISTORY_MSG_405;Wavelet - Remover ruído - Nível 4 HISTORY_MSG_406;Wavelet - Nitidez da borda - Píxeis vizinhos HISTORY_MSG_407;Retinex - Método HISTORY_MSG_408;Retinex - Raio -HISTORY_MSG_409;Retinex - Contraste HISTORY_MSG_410;Retinex - Deslocamento HISTORY_MSG_411;Retinex - Intensidade HISTORY_MSG_412;Retinex - Gradiente gaussiano @@ -695,7 +684,6 @@ HISTORY_MSG_468;PS - Preencher buracos HISTORY_MSG_469;PS - Mediano HISTORY_MSG_471;PS - Correção de movimento HISTORY_MSG_472;PS - Transições suaves -HISTORY_MSG_473;PS - Usar LMMSE HISTORY_MSG_474;PS - Equalizar HISTORY_MSG_475;PS - Equalizar canal HISTORY_MSG_476;CAM02 - Saída - Temperatura @@ -2187,7 +2175,6 @@ TP_WAVELET_THRH;Limite de altas luzes TP_WAVELET_TILESBIG;Matrizes grandes TP_WAVELET_TILESFULL;Toda a imagem TP_WAVELET_TILESIZE;Método de matrizes -TP_WAVELET_TILESLIT;Matrizes pequenas TP_WAVELET_TILES_TOOLTIP;O processamento de 'toda a imagem' consegue uma melhor qualidade e é a opção recomendada, enquanto que a utilização de matrizes é uma solução de recurso para utilizadores com pouca RAM. Consulte a RawPedia para saber mais sobre os requisitos de memória RAM. TP_WAVELET_TMSTRENGTH;Intensidade de compressão TP_WAVELET_TMSTRENGTH_TOOLTIP;Controla a intensidade do mapeamento de tom ou a compressão do contraste da imagem residual. Quando o valor for diferente de 0, os controlos deslizantes de intensidade e gama da ferramenta de mapeamento de tom na aba de exposição ficarão a cinzento. @@ -3100,7 +3087,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3186,7 +3172,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3236,10 +3221,8 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3269,7 +3252,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3390,7 +3372,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3539,7 +3520,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3580,7 +3560,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3676,7 +3655,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3741,7 +3719,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3919,9 +3896,7 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4073,7 +4048,6 @@ ZOOMPANEL_ZOOMOUT;Afastar\nAtalho: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index ff0536707..ffed0f612 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -377,12 +377,6 @@ HISTORY_MSG_127;Flat-Field - Seleção automática HISTORY_MSG_128;Flat-Field - Raio de desfoque HISTORY_MSG_129;Flat-Field - Tipo de desfoque HISTORY_MSG_130;Correção automática de distorção -HISTORY_MSG_131;NR - Luma -HISTORY_MSG_132;NR - Croma -HISTORY_MSG_133;Gama de saída -HISTORY_MSG_134;Gama livre -HISTORY_MSG_135;Gama livre -HISTORY_MSG_136;Declive gama livre HISTORY_MSG_137;Nível preto - Verde 1 HISTORY_MSG_138;Nível preto - Vermelho HISTORY_MSG_139;Nível preto - Azul @@ -495,7 +489,6 @@ HISTORY_MSG_246;L*a*b* - Curva CL HISTORY_MSG_247;L*a*b* - Curva LH HISTORY_MSG_248;L*a*b* - Curva HH HISTORY_MSG_249;CbDL - Limite -HISTORY_MSG_250;NR - Aprimorada HISTORY_MSG_251;P&B - Algoritmo HISTORY_MSG_252;CbDL - Pele tar/prot HISTORY_MSG_253;CbDL - Reduzir artefatos @@ -519,8 +512,6 @@ HISTORY_MSG_270;CT - Alto - Verde HISTORY_MSG_271;CT - Alto - Azul HISTORY_MSG_272;CT - Balanço HISTORY_MSG_273;CT - Balanço de cor SMH -HISTORY_MSG_274;CT - Sat. Sombras -HISTORY_MSG_275;CT - Sat. Realces HISTORY_MSG_276;CT - Opacidade HISTORY_MSG_277;--sem uso-- HISTORY_MSG_278;CT - Preserve luminância @@ -545,7 +536,6 @@ HISTORY_MSG_296;NR - Curva de luminância HISTORY_MSG_297;NR - Modo HISTORY_MSG_298;Filtro de pixel morto HISTORY_MSG_299;NR - Curva de crominância -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Controle luma HISTORY_MSG_302;NR - Método croma HISTORY_MSG_303;NR - Método croma @@ -654,7 +644,6 @@ HISTORY_MSG_405;W - Remoção de ruído - Nível 4 HISTORY_MSG_406;W - ES - Píxeis vizinhos HISTORY_MSG_407;Retinex - Método HISTORY_MSG_408;Retinex - Raio -HISTORY_MSG_409;Retinex - Contraste HISTORY_MSG_410;Retinex - Compensação HISTORY_MSG_411;Retinex - Intensidade HISTORY_MSG_412;Retinex - Gradiente de Gaussian @@ -702,7 +691,6 @@ HISTORY_MSG_468;PS - Preencher buracos HISTORY_MSG_469;PS - Mediano HISTORY_MSG_471;PS - Correção de movimento HISTORY_MSG_472;PS - Transições suaves -HISTORY_MSG_473;PS - Usar LMMSE HISTORY_MSG_474;PS - Equalizar HISTORY_MSG_475;PS - Equalizar canal HISTORY_MSG_476;CAM02 - Saída Temp @@ -2199,7 +2187,6 @@ TP_WAVELET_THRH;Limite de realces TP_WAVELET_TILESBIG;Mosaicos grandes TP_WAVELET_TILESFULL;Imagem cheia TP_WAVELET_TILESIZE;Método de mosaicos -TP_WAVELET_TILESLIT;Mosaicos pequenos TP_WAVELET_TILES_TOOLTIP;O processamento da imagem cheia leva a uma melhor qualidade e é a opção recomendada, enquanto o uso de mosaicos é uma solução de retorno para usuários com pouca RAM. Consulte o RawPedia para requisitos de memória. TP_WAVELET_TMSTRENGTH;Intensidade de compressão TP_WAVELET_TMSTRENGTH_TOOLTIP;Controla a intensidade do mapeamento de tom ou a compressão de contraste da imagem residual. Quando o valor for diferente de 0, os controles deslizantes Intensidade e Gama da ferramenta Mapeamento de Tom na guia Exposição ficarão esmaecidos. @@ -3102,7 +3089,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3184,7 +3170,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3234,10 +3219,8 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3267,7 +3250,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3388,7 +3370,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3537,7 +3518,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3578,7 +3558,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3674,7 +3653,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3739,7 +3717,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3917,9 +3894,7 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4074,7 +4049,6 @@ ZOOMPANEL_ZOOMOUT;Menos Zoom\nAtalho: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index 52116947d..a1cb237c2 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -358,12 +358,6 @@ HISTORY_MSG_127;Автовыбор плоского поля HISTORY_MSG_128;Радиус размытия плоского поля HISTORY_MSG_129;Тип размытия плоского поля HISTORY_MSG_130;Автоискажения -HISTORY_MSG_131;Подавление яркостного шума -HISTORY_MSG_132;Подавление цветового шума -HISTORY_MSG_133;Гамма -HISTORY_MSG_134;Свободная гамма -HISTORY_MSG_135;Свободная гамма -HISTORY_MSG_136;Крутизна гаммы HISTORY_MSG_137;Ур. черного: Зеленый 1 HISTORY_MSG_138;Ур. черного: Красный HISTORY_MSG_139;Ур. черного: Синий @@ -474,14 +468,12 @@ HISTORY_MSG_246;Кривая 'CL' HISTORY_MSG_247;Кривая 'LH' HISTORY_MSG_248;Кривая 'HH' HISTORY_MSG_249;КпУД: Порог -HISTORY_MSG_250;ПШ: Улучшенный HISTORY_MSG_251;Ч&Б: Алгоритм HISTORY_MSG_277;--неиспользуемый-- HISTORY_MSG_293;Имитация плёнки HISTORY_MSG_294;Имитация плёнки: Сила HISTORY_MSG_295;Имитация плёнки: Плёнка HISTORY_MSG_298;Фильтр битых пикселей -HISTORY_MSG_300;- HISTORY_MSG_440;КпУД: Метод HISTORY_MSG_485;Коррекция объектива HISTORY_MSG_486;Коррекция объектива: Камера @@ -2704,7 +2696,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_COLORAPP_TCMODE_LIGHTNESS;Lightness !TP_COLORAPP_TCMODE_SATUR;Saturation !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_TONECIE;Use CIECAM for tone mapping !TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2902,7 +2893,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2952,10 +2942,8 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2985,7 +2973,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3106,7 +3093,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3255,7 +3241,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3296,7 +3281,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3392,7 +3376,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3457,7 +3440,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3635,9 +3617,7 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4035,7 +4015,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4091,7 +4070,6 @@ ZOOMPANEL_ZOOMOUT;Отдалить\nГорячая клавиша: - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index d2c62b0cd..8cccee745 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -304,12 +304,6 @@ HISTORY_MSG_127;Сам изабери равно поље HISTORY_MSG_128;Полупречник равног поља HISTORY_MSG_129;Начин замућења равног поља HISTORY_MSG_130;Аутоматска дисторзија -HISTORY_MSG_131;Уклањање шума луминансе -HISTORY_MSG_132;Уклањање шума боје -HISTORY_MSG_133;Гама -HISTORY_MSG_134;Гама позиција -HISTORY_MSG_135;Гама слобода -HISTORY_MSG_136;Гама нагиб HISTORY_MSG_137;Ниво црне зелена 1 HISTORY_MSG_138;Ниво црне црвена HISTORY_MSG_139;Ниво црне плава @@ -418,7 +412,6 @@ HISTORY_MSG_246;CL крива HISTORY_MSG_247;LH крива HISTORY_MSG_248;HH крива HISTORY_MSG_249;CbDL - Праг -HISTORY_MSG_250;УШ - Побољшање HISTORY_MSG_251;ЦБ - Алгоритам HISTORY_NEWSNAPSHOT;Додај HISTORY_NEWSNAPSHOT_TOOLTIP;Пречица: Alt-s @@ -2596,7 +2589,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -2843,7 +2835,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2893,10 +2884,8 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2926,7 +2915,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3047,7 +3035,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3196,7 +3183,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3237,7 +3223,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3333,7 +3318,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3398,7 +3382,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3576,9 +3559,7 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4025,7 +4006,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_WAVELET_NEUTRAL;Neutral !TP_WAVELET_NOIS;Denoise !TP_WAVELET_NOISE;Denoise and Refine -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPHIGH;High !TP_WAVELET_NPLOW;Low !TP_WAVELET_NPNONE;None @@ -4083,7 +4063,6 @@ ZOOMPANEL_ZOOMOUT;Умањује приказ слике - !TP_WAVELET_TILESBIG;Tiles !TP_WAVELET_TILESFULL;Full image !TP_WAVELET_TILESIZE;Tiling method -!TP_WAVELET_TILESLIT;Little tiles !TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. !TP_WAVELET_TMEDGS;Edge stopping !TP_WAVELET_TMSCALE;Scale diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index 3288d5c33..c058b16e8 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -123,9 +123,6 @@ FILEBROWSER_DELETEDIALOG_ALL;Ali ste prepričani, da želite trajno izbri FILEBROWSER_DELETEDIALOG_HEADER;Potrditev izbrisa datoteke: FILEBROWSER_DELETEDIALOG_SELECTED;Ali ste prepričani, da želite trajno izbrisati izbrane datoteke %1? FILEBROWSER_DELETEDIALOG_SELECTEDINCLPROC;Ali ste prepričani, da želite trajno izbrisati izbrane datoteke %1, vključno z obdelano različico iz čakalne vrste? -FILEBROWSER_DELETEDLGLABEL;Potrditev brisanja datoteke -FILEBROWSER_DELETEDLGMSG;Ali ste prepričani, da želite brisati izbrane %1 datoteke? -FILEBROWSER_DELETEDLGMSGINCLPROC;Ali ste prepričani, da želite brisati izbrane %1 datoteke vključno z verzijo v čakalni vrsti za obdelavo? FILEBROWSER_EMPTYTRASH;Izprazni smetnjak FILEBROWSER_EMPTYTRASHHINT;Nepreklicno briši datoteke v smetnjaku. FILEBROWSER_EXTPROGMENU;Odpri z @@ -380,12 +377,6 @@ HISTORY_MSG_127;Flat-field - Avto-selekcija HISTORY_MSG_128;Flat-field - Radij zameglevanja HISTORY_MSG_129;Flat-field - Tip zameglevanja HISTORY_MSG_130;Avtomatski popravek popačenja -HISTORY_MSG_131;Zmanjšanje šuma - Luma -HISTORY_MSG_132;Zmanjšanje šuma - Barvitost -HISTORY_MSG_133;Gama izhoda -HISTORY_MSG_134;Svobodni gama -HISTORY_MSG_135;Svobodni gama -HISTORY_MSG_136;Strmina proste game HISTORY_MSG_137;Nivo črnine - Zelena 1 HISTORY_MSG_138;Nivo črnine - Rdeča HISTORY_MSG_139;Nivo črnine - Modra @@ -498,7 +489,6 @@ HISTORY_MSG_246;L*a*b* - CL krivulja HISTORY_MSG_247;L*a*b* - LH krivulja HISTORY_MSG_248;L*a*b* - HH krivulja HISTORY_MSG_249;CbDL - Prag -HISTORY_MSG_250;NR - Izboljšano HISTORY_MSG_251;B&W - Algoritem HISTORY_MSG_252;CbDL - Skin tar/prot HISTORY_MSG_253;CbDL - Reduciraj artefakte @@ -522,8 +512,6 @@ HISTORY_MSG_270;CT - Svetle - Zelena HISTORY_MSG_271;CT - Svetle - Modra HISTORY_MSG_272;CT - Uravnoteži HISTORY_MSG_273;CT - Uravnoteženost barv SMH -HISTORY_MSG_274;CT - Nasičenost senc -HISTORY_MSG_275;CT - Nasičenost svetlih delov HISTORY_MSG_276;CT - Neprosojnost HISTORY_MSG_277;--neuporabljeno-- HISTORY_MSG_278;CT - Ohrani svetlost @@ -548,7 +536,6 @@ HISTORY_MSG_296;NR - Krivulja svetlosti HISTORY_MSG_297;NR - Način HISTORY_MSG_298;Filter mrtvih pikslov HISTORY_MSG_299;NR - Krivulja svetlosti -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Kontrola lume HISTORY_MSG_302;NR - Metoda barvitosti HISTORY_MSG_303;NR - Metoda barvitosti @@ -657,7 +644,6 @@ HISTORY_MSG_405;W - Odstranjevanje šuma - Nivo 4 HISTORY_MSG_406;W - ES - Sosednji piksli HISTORY_MSG_407;Retinex - Metoda HISTORY_MSG_408;Retinex - Radij -HISTORY_MSG_409;Retinex - Kontrast HISTORY_MSG_410;Retinex - Odmik HISTORY_MSG_411;Retinex - Moč HISTORY_MSG_412;Retinex - Gaussov gradient @@ -705,7 +691,6 @@ HISTORY_MSG_468;PS - Zapolni luknje HISTORY_MSG_469;PS - Mediana HISTORY_MSG_471;PS - Popravek gibanja HISTORY_MSG_472;PS - Gladki prehodi -HISTORY_MSG_473;PS - Uporabi LMMSE HISTORY_MSG_474;PS - Izenači HISTORY_MSG_475;PS - Izenači kanal HISTORY_MSG_476;CAM02 - Začasno ven @@ -744,7 +729,6 @@ HISTORY_MSG_COLORTONING_LABREGION_SHOWMASK;CT - prikaz maske regije HISTORY_MSG_COLORTONING_LABREGION_SLOPE;CT - strmina regije HISTORY_MSG_DEHAZE_DEPTH;Odstranjevanje zamegljenosti - Globina HISTORY_MSG_DEHAZE_ENABLED;Odstranjevanje zamegljenosti -HISTORY_MSG_DEHAZE_LUMINANCE;Odstranjevanje zamegljenosti - samo svetlost HISTORY_MSG_DEHAZE_SHOW_DEPTH_MAP;Odstranjevanje zamegljenosti - Prikaži globino mape HISTORY_MSG_DEHAZE_STRENGTH;Odstranjevanje zamegljenosti - Moč HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dualno odstranjevanje mozaičnosti - Avtomatski prag @@ -768,7 +752,6 @@ HISTORY_MSG_MICROCONTRAST_CONTRAST;Mikrokontrast - Prag kontrasta HISTORY_MSG_PDSHARPEN_AUTO_CONTRAST;CS - Avtomatski prag HISTORY_MSG_PDSHARPEN_AUTO_RADIUS;CS - Avtomatski radij HISTORY_MSG_PDSHARPEN_CONTRAST;CS - Prag kontrasta -HISTORY_MSG_PDSHARPEN_GAMMA;CS - Gama HISTORY_MSG_PDSHARPEN_ITERATIONS;CS - Iteracije HISTORY_MSG_PDSHARPEN_RADIUS;CS - Radij HISTORY_MSG_PDSHARPEN_RADIUS_BOOST;CS - Povečanje polmera vogala @@ -782,7 +765,6 @@ HISTORY_MSG_RAW_BORDER;Surova meja HISTORY_MSG_RESIZE_ALLOWUPSCALING;Resize - Dovoli povečevanje HISTORY_MSG_SHARPENING_BLUR;Ostrenje - Zamegli radij HISTORY_MSG_SHARPENING_CONTRAST;Ostrenje - Prag kontrasta -HISTORY_MSG_SHARPENING_GAMMA;Ostrenje - Gama HISTORY_MSG_SH_COLORSPACE;S/H - Barvni prostor HISTORY_MSG_SOFTLIGHT_ENABLED;Mehka svetloba HISTORY_MSG_SOFTLIGHT_STRENGTH;Mehka svetloba - Moč @@ -1539,7 +1521,6 @@ TP_DEFRINGE_RADIUS;Radij TP_DEFRINGE_THRESHOLD;Prag TP_DEHAZE_DEPTH;Globina TP_DEHAZE_LABEL;Odstranjevanje zamegljenosti -TP_DEHAZE_LUMINANCE;Samo svetlost TP_DEHAZE_SHOW_DEPTH_MAP;Prikaži karto globin TP_DEHAZE_STRENGTH;Moč TP_DIRPYRDENOISE_CHROMINANCE_AMZ;Avto multi-cone @@ -2031,7 +2012,6 @@ TP_SHARPENING_BLUR;Radij zamegljevanja TP_SHARPENING_CONTRAST;Prag kontrasta TP_SHARPENING_EDRADIUS;Radij TP_SHARPENING_EDTOLERANCE;Toleranca robov -TP_SHARPENING_GAMMA;Gama TP_SHARPENING_HALOCONTROL;Kontrola odbojev TP_SHARPENING_HCAMOUNT;Količina TP_SHARPENING_LABEL;Ostrenje @@ -2237,7 +2217,6 @@ TP_WAVELET_THRH;Prag bleščav TP_WAVELET_TILESBIG;Velike krpe TP_WAVELET_TILESFULL;Celotna slika TP_WAVELET_TILESIZE;Metoda pokrivanja -TP_WAVELET_TILESLIT;Majhne krpe TP_WAVELET_TILES_TOOLTIP;Obdelava celotne slike zagotavlja boljšo kakovost in jo priporočamo, medtem ko je uporaba krp rezervna možnost za uporabnike z malo RAMa. Poglejte v RawPedio za potrebe po pomnilniku. TP_WAVELET_TMSTRENGTH;Compression strength TP_WAVELET_TMSTRENGTH_TOOLTIP;Upravlja z močjo tonske preslikave ali stiskanja kontrasta preostanka slike. Kadar je vrednost različna od 0, potem sta drsnika za moč in gamo posivela in onemogočena. @@ -3123,7 +3102,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. !TP_COLORAPP_YBSCEN_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3197,7 +3175,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3247,10 +3224,8 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3280,7 +3255,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3401,7 +3375,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3550,7 +3523,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3591,7 +3563,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3687,7 +3658,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3752,7 +3722,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3930,9 +3899,7 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4080,7 +4047,6 @@ ZOOMPANEL_ZOOMOUT;Zoom Out\nBližnjica: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values !TP_WAVELET_PROTAB;Protection diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index 6d1bf911f..187e223d1 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -337,12 +337,6 @@ HISTORY_MSG_127;Automatiskt val av plattfält HISTORY_MSG_128;Oskärperadie för plattfält HISTORY_MSG_129;Oskärpetyp hos plattfältet HISTORY_MSG_130;Autodistorion -HISTORY_MSG_131;Brusreducering, luminans -HISTORY_MSG_132;Brusreducering, kroma -HISTORY_MSG_133;Utmatningsgamma -HISTORY_MSG_134;Obunden gamma -HISTORY_MSG_135;Obunden gamma -HISTORY_MSG_136;Gammalutning HISTORY_MSG_137;Svartpunktsnivå grön 1 HISTORY_MSG_138;Svartpunktsnivå röd HISTORY_MSG_139;Svartpunktsnivå blå @@ -451,7 +445,6 @@ HISTORY_MSG_246;'CL'-kurva HISTORY_MSG_247;'LH'-kurva HISTORY_MSG_248;'HH'-kurva HISTORY_MSG_249;Kontrast genom detaljnivåer -HISTORY_MSG_250;Brusreduceringsförbättring HISTORY_MSG_251;B&W - Algoritm HISTORY_MSG_252;CbDL Hudtoner HISTORY_MSG_253;CbDL Reducera artefakter @@ -472,8 +465,6 @@ HISTORY_MSG_269;CT - Hög - Röd HISTORY_MSG_270;CT - Hög - Grön HISTORY_MSG_271;CT - Hög - Blå HISTORY_MSG_272;CT - Balans -HISTORY_MSG_274;CT - Mättnad skuggor -HISTORY_MSG_275;CT - Mättnad i högdagrar HISTORY_MSG_276;CT - Opacitet HISTORY_MSG_277;--unused-- HISTORY_MSG_278;CT - Bevara luminans @@ -495,7 +486,6 @@ HISTORY_MSG_295;Filmsimulering - Film HISTORY_MSG_296;NR - Luminanskurva HISTORY_MSG_298;Filter för döda pixlar HISTORY_MSG_299;NR - Krominanskurva -HISTORY_MSG_300;- HISTORY_MSG_301;NR - Luminanskontroll HISTORY_MSG_302;NR - Chroma-metod HISTORY_MSG_303;NR - Chroma-metod @@ -587,7 +577,6 @@ HISTORY_MSG_404;W - ES - Basförstärkning HISTORY_MSG_405;W - Brusred. - Nivå 4 HISTORY_MSG_407;Retinex - Metod HISTORY_MSG_408;Retinex - Radie -HISTORY_MSG_409;Retinex - Kontrast HISTORY_MSG_410;Retinex - Kompensation HISTORY_MSG_411;Retinex - Styrka HISTORY_MSG_413;Retinex - Kontrast @@ -1671,7 +1660,6 @@ TP_WAVELET_THRH;Högdagertröskel TP_WAVELET_TILESBIG;Stora tiles TP_WAVELET_TILESFULL;Hela bilden TP_WAVELET_TILESIZE;Metod för tiling -TP_WAVELET_TILESLIT;SMå tiles TP_WAVELET_TMSTRENGTH;Komprimeringsstyrka TP_WAVELET_TMTYPE;Komprimeringsmetod TP_WBALANCE_AUTO;Auto @@ -2892,7 +2880,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_COLORAPP_SURROUNDSRC;Surround !TP_COLORAPP_SURSOURCE_TOOLTIP;Changes tones and colors to take into account the surround conditions of the scene lighting. The darker the surround conditions, the brighter the image will become. Image brightness will not be changed when the surround is set to average. !TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -!TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. !TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 !TP_COLORAPP_VIEWINGF_TOOLTIP;Takes into account the support on which the final image will be viewed (monitor, TV, projector, printer, etc.), as well as its environment. This process will take the data coming from process 'Image Adjustments' and 'bring' it to the support in such a way that the viewing conditions and its environment are taken into account. !TP_COLORAPP_YBOUT_TOOLTIP;Yb is the relative luminance of the background, expressed in % of gray. 18% gray corresponds to a background luminance of 50% expressed in CIE L.\nThe data is based on the mean luminance of the image. @@ -3050,7 +3037,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. !TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) !TP_LOCALLAB_AUTOGRAYCIE;Auto -!TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. !TP_LOCALLAB_AVOID;Avoid color shift !TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. !TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -3100,10 +3086,8 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. !TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments !TP_LOCALLAB_CAMMODE;CAM model -!TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz !TP_LOCALLAB_CAMMODE_CAM16;CAM 16 !TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -!TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only !TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 !TP_LOCALLAB_CBDL;Contrast by Detail Levels !TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -3133,7 +3117,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_CIEMODE;Change tool position !TP_LOCALLAB_CIEMODE_COM;Default !TP_LOCALLAB_CIEMODE_DR;Dynamic Range -!TP_LOCALLAB_CIEMODE_LOG;Log Encoding !TP_LOCALLAB_CIEMODE_TM;Tone-Mapping !TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. !TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -3254,7 +3237,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. !TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. !TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -!TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. !TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. !TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure !TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3403,7 +3385,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. !TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. !TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -!TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. !TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. !TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid !TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3444,7 +3425,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. !TP_LOCALLAB_MASK;Curves !TP_LOCALLAB_MASK2;Contrast curve -!TP_LOCALLAB_MASKCOL; !TP_LOCALLAB_MASKCOM;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask !TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3540,7 +3520,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_MRFOU;Previous Spot !TP_LOCALLAB_MRONE;None !TP_LOCALLAB_MRTHR;Original Image -!TP_LOCALLAB_MRTWO;Short Curves 'L' Mask !TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. !TP_LOCALLAB_NEIGH;Radius !TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3605,7 +3584,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. !TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. !TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -!TP_LOCALLAB_RESETSHOW;Reset All Show Modifications !TP_LOCALLAB_RESID;Residual Image !TP_LOCALLAB_RESIDBLUR;Blur residual image !TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3783,9 +3761,7 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). !TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. !TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -!TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -!TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. !TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. !TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. !TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -4059,7 +4035,6 @@ ZOOMPANEL_ZOOMOUT;Förminska.\nKortkommando: - !TP_WAVELET_MIXMIX;Mixed 50% noise - 50% denoise !TP_WAVELET_MIXMIX70;Mixed 30% noise - 70% denoise !TP_WAVELET_MIXNOISE;Noise -!TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. !TP_WAVELET_NPTYPE_TOOLTIP;This algorithm uses the proximity of a pixel and eight of its neighbors. If less difference, edges are reinforced. !TP_WAVELET_OFFSET_TOOLTIP;Offset modifies the balance between low contrast and high contrast details.\nHigh values will amplify contrast changes to the higher contrast details, whereas low values will amplify contrast changes to low contrast details.\nBy using a low Attenuation response value you can select which contrast values will be enhanced. !TP_WAVELET_OLDSH;Algorithm using negatives values diff --git a/rtdata/languages/default b/rtdata/languages/default index 21cb43b65..775b098f4 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -2241,7 +2241,6 @@ TP_COLORAPP_TCMODE_LABEL3;Curve chroma mode TP_COLORAPP_TCMODE_LIGHTNESS;Lightness TP_COLORAPP_TCMODE_SATUR;Saturation TP_COLORAPP_TEMP2_TOOLTIP;Either symmetrical mode temp = White balance.\nEither select illuminant always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 -TP_COLORAPP_TEMPOUT_TOOLTIP;Disable to change temperature and tint. TP_COLORAPP_TEMP_TOOLTIP;To select an illuminant, always set Tint=1.\n\nA temp=2856\nD41 temp=4100\nD50 temp=5003\nD55 temp=5503\nD60 temp=6000\nD65 temp=6504\nD75 temp=7504 TP_COLORAPP_TONECIE;Use CIECAM for tone mapping TP_COLORAPP_TONECIE_TOOLTIP;If this option is disabled, tone mapping is done in L*a*b* space.\nIf this option is enabled, tone mapping is done using CIECAM02.\nThe Tone Mapping tool must be enabled for this setting to take effect. @@ -2653,7 +2652,6 @@ TP_LOCALLAB_ARTIF;Shape detection TP_LOCALLAB_ARTIF_TOOLTIP;ΔE scope threshold increases the range of ΔE scope. High values are for very wide gamut images.\nIncreasing ΔE decay can improve shape detection, but can also reduce the scope. TP_LOCALLAB_AUTOGRAY;Auto mean luminance (Yb%) TP_LOCALLAB_AUTOGRAYCIE;Auto -TP_LOCALLAB_AUTOGRAYCIE_TOOLTIP;Automatically calculates the 'Mean luminance' and 'Absolute luminance'.\nFor Jz Cz Hz: automatically calculates 'PU adaptation', 'Black Ev' and 'White Ev'. TP_LOCALLAB_AVOID;Avoid color shift TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Fit colors into gamut of the working color space and apply Munsell correction (Uniform Perceptual Lab).\nMunsell correction always disabled when Jz or CAM16 is used. TP_LOCALLAB_AVOIDMUN;Munsell correction only @@ -2703,10 +2701,8 @@ TP_LOCALLAB_CAM16PQREMAP;HDR PQ (Peak Luminance) TP_LOCALLAB_CAM16PQREMAP_TOOLTIP;PQ (Perceptual Quantizer) adapted to CAM16. Allows you to change the internal PQ function (usually 10000 cd/m2 - default 100 cd/m2 - disabled for 100 cd/m2).\nCan be used to adapt to different devices and images. TP_LOCALLAB_CAM16_FRA;Cam16 Image Adjustments TP_LOCALLAB_CAMMODE;CAM model -TP_LOCALLAB_CAMMODE_ALL;CAM 16 + Jz Cz Hz TP_LOCALLAB_CAMMODE_CAM16;CAM 16 TP_LOCALLAB_CAMMODE_JZ;Jz Cz Hz -TP_LOCALLAB_CAMMODE_ZCAM;ZCAM only TP_LOCALLAB_CATAD;Chromatic adaptation/Cat16 TP_LOCALLAB_CBDL;Contrast by Detail Levels TP_LOCALLAB_CBDLCLARI_TOOLTIP;Enhances local contrast of the midtones. @@ -2736,7 +2732,6 @@ TP_LOCALLAB_CIELIGHTFRA;Lighting TP_LOCALLAB_CIEMODE;Change tool position TP_LOCALLAB_CIEMODE_COM;Default TP_LOCALLAB_CIEMODE_DR;Dynamic Range -TP_LOCALLAB_CIEMODE_LOG;Log Encoding TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;In Default mode, Ciecam is added at the end of the process. 'Mask and modifications' and 'Recovery based on luminance mask' are available for'Cam16 and JzCzHz' at your disposal .\nYou can also integrate Ciecam into other tools if you wish (TM, Wavelet, Dynamic Range, Log Encoding). The results for these tools will be different to those without Ciecam. In this mode, you can also use 'Mask and modifications' and 'Recovery based on luminance mask'. TP_LOCALLAB_CIEMODE_WAV;Wavelet @@ -2857,7 +2852,6 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Changes the behaviour for images with too much or TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Changes the behaviour for underexposed images by adding a linear component prior to applying the Laplace transform. TP_LOCALLAB_EXPLAP_TOOLTIP;Moving the slider to the right progressively reduces the contrast. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Allows you to use GIMP or Photoshop (c) layer blend modes i.e. Difference, Multiply, Soft Light, Overlay etc., with opacity control.\nOriginal Image : merge current RT-Spot with Original.\nPrevious spot : merge current Rt-Spot with previous - if there is only one spot, previous = original.\nBackground : merge current RT-Spot with a color and luminance background (fewer possibilties). -TP_LOCALLAB_EXPMETHOD_TOOLTIP;Standard : use an algorithm similar as main Exposure but in L*a*b* and taking account of ΔE.\n\nContrast attenuator : use another algorithm also with ΔE and with Poisson equation to solve Laplacian in Fourier space.\nContrast attenuator, Dynamic range compression and Standard can be combined.\nFFTW Fourier Transform is optimized in size to reduce processing time.\nReduce artifacts and noise. TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Applies a median filter before the Laplace transform to prevent artifacts (noise).\nYou can also use the 'Denoise' tool. TP_LOCALLAB_EXPOSE;Dynamic Range & Exposure TP_LOCALLAB_EXPOSURE_TOOLTIP;Modify exposure in L*a*b space using Laplacian PDE algorithms to take into account dE and minimize artifacts. @@ -3006,7 +3000,6 @@ TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions when the 'Automatic' button in Relative Exposure Levels is pressed. TP_LOCALLAB_LOGAUTO_TOOLTIP;Pressing this button will calculate the dynamic range and 'Mean luminance' for the scene conditions if the 'Auto mean luminance (Yb%)' is checked).\nAlso calculates the absolute luminance at the time of shooting.\nPress the button again to adjust the automatically calculated values. TP_LOCALLAB_LOGBASE_TOOLTIP;Default = 2.\nValues less than 2 reduce the action of the algorithm making the shadows darker and the highlights brighter.\nWith values greater than 2, the shadows are grayer and the highlights become more washed out. -TP_LOCALLAB_LOGBLACKWHEV_TOOLTIP;Estimated values of dynamic range i.e. Black Ev and White Ev. TP_LOCALLAB_LOGCATAD_TOOLTIP;Chromatic adaptation allows us to interpret a color according to its spatio-temporal environment.\nUseful when the white balance deviates significantly from the D50 reference.\nAdapts colors to the illuminant of the output device. TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. @@ -3047,7 +3040,6 @@ TP_LOCALLAB_MASFRAME;Mask and Merge TP_LOCALLAB_MASFRAME_TOOLTIP;For all masks.\nTakes into account the ΔE image to avoid modifying the selection area when the following Mask Tools are used: Gamma, Slope, Chroma, Contrast curve, Local contrast (by wavelet level), Blur Mask and Structure Mask (if enabled ).\nDisabled when Inverse mode is used. TP_LOCALLAB_MASK;Curves TP_LOCALLAB_MASK2;Contrast curve -TP_LOCALLAB_MASKCOL; TP_LOCALLAB_MASKCOM;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLNAME;Common Color Mask TP_LOCALLAB_MASKCOM_TOOLTIP;A tool in its own right.\nCan be used to adjust the image appearance (chrominance, luminance, contrast) and texture as a function of Scope. @@ -3143,7 +3135,6 @@ TP_LOCALLAB_MRFIV;Background TP_LOCALLAB_MRFOU;Previous Spot TP_LOCALLAB_MRONE;None TP_LOCALLAB_MRTHR;Original Image -TP_LOCALLAB_MRTWO;Short Curves 'L' Mask TP_LOCALLAB_MULTIPL_TOOLTIP;Wide-range tone adjustment: -18EV to +4EV. The first slider acts on very dark tones between -18EV and -6EV. The last slider acts on light tones up to 4EV. TP_LOCALLAB_NEIGH;Radius TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Lower values preserve details and texture, higher values increase denoise.\nIf gamma = 3.0 Luminance 'linear' is used. @@ -3208,7 +3199,6 @@ TP_LOCALLAB_REPAREXP_TOOLTIP;Allows you to adjust the relative strength of the D TP_LOCALLAB_REPARSH_TOOLTIP;Allows you to adjust the relative strength of the Shadows/Highlights and Tone Equalizer image with respect to the original image. TP_LOCALLAB_REPARTM_TOOLTIP;Allows you to adjust the relative strength of the Tone mapping image with respect to the original image. TP_LOCALLAB_REPARW_TOOLTIP;Allows you to adjust the relative strength of the local contrast and wavelet image with respect to the original image. -TP_LOCALLAB_RESETSHOW;Reset All Show Modifications TP_LOCALLAB_RESID;Residual Image TP_LOCALLAB_RESIDBLUR;Blur residual image TP_LOCALLAB_RESIDCHRO;Residual image Chroma @@ -3386,9 +3376,7 @@ TP_LOCALLAB_WARM_TOOLTIP;This slider uses the CIECAM algorithm and acts as a Whi TP_LOCALLAB_WASDEN_TOOLTIP;Luminance noise reduction: the left-hand side of the curve including the dark-gray/light-gray boundary corresponds to the first 3 levels 0, 1, 2 (fine detail). The right hand side of the curve corresponds to the coarser details (level 3, 4, 5, 6). TP_LOCALLAB_WAT_BALTHRES_TOOLTIP;Balances the action within each level. TP_LOCALLAB_WAT_BLURLC_TOOLTIP;The default blur setting affects all 3 L*a* b* components (luminance and colour).\nWhen checked, only luminance is blurred. -TP_LOCALLAB_WAT_CLARICJZ_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. TP_LOCALLAB_WAT_CLARIC_TOOLTIP;'Merge chroma' is used to select the intensity of the desired effect on chrominance. -TP_LOCALLAB_WAT_CLARILJZ_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance.\nOnly the maximum value of wavelet levels (bottom-right) is taken into account. TP_LOCALLAB_WAT_CLARIL_TOOLTIP;'Merge luma' is used to select the intensity of the desired effect on luminance. TP_LOCALLAB_WAT_CONTCHROMALEV_TOOLTIP;'Chroma levels': adjusts the 'a' and 'b' components of Lab* as a proportion of the luminance value. TP_LOCALLAB_WAT_CONTOFFSET_TOOLTIP;Offset modifies the balance between low-contrast and high-contrast details.\nHigh values will amplify contrast changes to the higher-contrast details, whereas low values will amplify contrast changes to low-contrast details.\nBy using a low 'Attenuation response' value you can select which contrast values will be enhanced. @@ -3947,7 +3935,6 @@ TP_WAVELET_MIXNOISE;Noise TP_WAVELET_NEUTRAL;Neutral TP_WAVELET_NOIS;Denoise TP_WAVELET_NOISE;Denoise and Refine -TP_WAVELET_NOISE_TOOLTIP;If level 4 luminance denoise superior to 50, mode Aggressive is used.\nIf chrominance coarse superior to 20, mode Aggressive is used. TP_WAVELET_NPHIGH;High TP_WAVELET_NPLOW;Low TP_WAVELET_NPNONE;None @@ -4005,7 +3992,6 @@ TP_WAVELET_THRH;Highlights threshold TP_WAVELET_TILESBIG;Tiles TP_WAVELET_TILESFULL;Full image TP_WAVELET_TILESIZE;Tiling method -TP_WAVELET_TILESLIT;Little tiles TP_WAVELET_TILES_TOOLTIP;Processing the full image leads to better quality and is the recommended option, while using tiles is a fall-back solution for users with little RAM. Refer to RawPedia for memory requirements. TP_WAVELET_TMEDGS;Edge stopping TP_WAVELET_TMSCALE;Scale From 795becb1f6676da2841de3d8863671e4a6cba76c Mon Sep 17 00:00:00 2001 From: Martin <78749513+marter001@users.noreply.github.com> Date: Fri, 30 Sep 2022 07:38:44 +0200 Subject: [PATCH 120/170] Update Deutsch --- rtdata/languages/Deutsch | 270 +++++++++++++++++++-------------------- 1 file changed, 132 insertions(+), 138 deletions(-) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index 4e2b8623c..ad860e7a0 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1,6 +1,4 @@ -#01 Developers should add translations to this file and then run the 'generateTranslationDiffs' Bash script to update other locales. #01 keenonkites; Aktualisierte Version für 2.3 beta2 -#02 Translators please append a comment here with the current date and your name(s) as used in the RawTherapee forum or GitHub page, e.g.: #02 phberlin; basiert auf keenonkites' Erstübersetzung #03 2007-12-20 #04 2007-12-22 @@ -86,8 +84,7 @@ #83 06.07.2019 Erweiterung (TooWaBoo) RT 5.6 #84 06.10.2019 Erweiterung (TooWaBoo) RT 5.7 #84 18.07.2019 Erweiterung (TooWaBoo) RT 5.6 -#85 29.07.2022 Erweiterung (marter, mozzihh) RT 5.9 -#2022-07, Version RT 5.9 (marter, mozzihh) +#85 29.07.2022 Erweiterung (marter, mozzihh) RT 5.9 ABOUT_TAB_BUILD;Version ABOUT_TAB_CREDITS;Danksagungen @@ -191,7 +188,7 @@ EXPORT_PUTTOQUEUEFAST;Zur Warteschlange 'Schneller Export' hinzufügen EXPORT_RAW_DMETHOD;Demosaikmethode EXPORT_USE_FAST_PIPELINE;Priorität Geschwindigkeit EXPORT_USE_FAST_PIPELINE_TOOLTIP;Wendet alle Bearbeitungsschritte, im Gegensatz zu 'Standard', auf das bereits skalierte Bild an.\nDadurch steigt die Verarbeitungsgeschwindigkeit auf Kosten der Qualität. -EXPORT_USE_NORMAL_PIPELINE;Standard +EXPORT_USE_NORMAL_PIPELINE;Standard (überspringt einige Schritte, Skalieren zuletzt) EXTPROGTARGET_1;RAW EXTPROGTARGET_2;Stapelverarbeitung beendet FILEBROWSER_APPLYPROFILE;Profil anwenden @@ -504,39 +501,39 @@ HISTORY_MSG_170;(Farbe - Dynamik)\nHH-Kurve HISTORY_MSG_171;(Belichtung - L*a*b*)\nLC-Kurve HISTORY_MSG_172;(Belichtung - L*a*b*)\nLC-Kurve beschränken HISTORY_MSG_173;(Details - Rauschreduzierung)\nLuminanzdetails -HISTORY_MSG_174;(Erweitert - CIECAM) -HISTORY_MSG_175;(Erweitert - CIECAM)\nSzene\nCAT02/16-Adaptation -HISTORY_MSG_176;(Erweitert - CIECAM)\nBetrachtungsbed.\nUmgebung -HISTORY_MSG_177;(Erweitert - CIECAM)\nSzene\nLeuchtdichte -HISTORY_MSG_178;(Erweitert - CIECAM)\nBetrachtungsbed.\nLeuchtdichte -HISTORY_MSG_179;(Erweitert - CIECAM)\nSzene\nWeißpunktmodell -HISTORY_MSG_180;(Erweitert - CIECAM)\nBildanpassungen\nHelligkeit (J) -HISTORY_MSG_181;(Erweitert - CIECAM)\nBildanpassungen\nBuntheit (H) -HISTORY_MSG_182;(Erweitert - CIECAM)\nSzene\nCAT02/16-Automatisch -HISTORY_MSG_183;(Erweitert - CIECAM)\nBildanpassungen\nKontrast (J) -HISTORY_MSG_184;(Erweitert - CIECAM)\nSzene\nDunkle Umgebung -HISTORY_MSG_185;(Erweitert - CIECAM)\nBetrachtungsbed.\nGamutkontrolle -HISTORY_MSG_186;(Erweitert - CIECAM)\nAlgorithmus -HISTORY_MSG_187;(Erweitert - CIECAM)\nBildanpassungen\nHautfarbtöne schützen -HISTORY_MSG_188;(Erweitert - CIECAM)\nHelligkeit (Q) -HISTORY_MSG_189;(Erweitert - CIECAM)\nKontrast (Q) -HISTORY_MSG_190;(Erweitert - CIECAM)\nSättigung (S) -HISTORY_MSG_191;(Erweitert - CIECAM)\nFarbigkeit (M) -HISTORY_MSG_192;(Erweitert - CIECAM)\nFarbton (H) -HISTORY_MSG_193;(Erweitert - CIECAM)\nTonwertkurve 1 -HISTORY_MSG_194;(Erweitert - CIECAM)\nTonwertkurve 2 -HISTORY_MSG_195;(Erweitert - CIECAM)\nTonwertkurve 1 - Modus -HISTORY_MSG_196;(Erweitert - CIECAM)\nTonwertkurve 2 - Modus -HISTORY_MSG_197;(Erweitert - CIECAM)\nFarbkurve -HISTORY_MSG_198;(Erweitert - CIECAM)\nFarbkurve\nModus -HISTORY_MSG_199;(Erweitert - CIECAM)\nAusgabe-Histogramm in Kurven anzeigen -HISTORY_MSG_200;(Erweitert - CIECAM)\nTonwertkorrektur +HISTORY_MSG_174;(Erweitert - Farberscheinung und Beleuchtung) +HISTORY_MSG_175;(Erweitert - FuB)\nSzene\nAdaptation +HISTORY_MSG_176;(Erweitert - FuB)\nBetrachtungsbed.\nUmgebung +HISTORY_MSG_177;(Erweitert - FuB)\nSzene\nabsolute Leuchtdichte +HISTORY_MSG_178;(Erweitert - FuB)\nBetrachtungsbed.\nabsolute Leuchtdichte +HISTORY_MSG_179;(Erweitert - FuB)\nSzene\nWeißpunktmodell +HISTORY_MSG_180;(Erweitert - FuB)\nBildanpassungen\nHelligkeit (J) +HISTORY_MSG_181;(Erweitert - FuB)\nBildanpassungen\nBuntheit (C) +HISTORY_MSG_182;(Erweitert - FuB)\nSzene\nAutomatisch +HISTORY_MSG_183;(Erweitert - FuB)\nBildanpassungen\nKontrast (J) +HISTORY_MSG_184;(Erweitert - FuB)\nSzene\nUmgebung +HISTORY_MSG_185;(Erweitert - FuB)\nBetrachtungsbed.\nGamutkontrolle +HISTORY_MSG_186;(Erweitert - FuB)\nBildanpassungen\nAlgorithmus +HISTORY_MSG_187;(Erweitert - FuB)\nBildanpassungen\nHautfarbtöne schützen +HISTORY_MSG_188;(Erweitert - FuB)\nBildanpassungen\nHelligkeit (Q) +HISTORY_MSG_189;(Erweitert - FuB)\nBildanpassungen\nKontrast (Q) +HISTORY_MSG_190;(Erweitert - FuB)\nBildanpassungen\nSättigung (S) +HISTORY_MSG_191;(Erweitert - FuB)\nBildanpassungen\nFarbigkeit (M) +HISTORY_MSG_192;(Erweitert - FuB)\nBildanpassungen\nFarbton (H) +HISTORY_MSG_193;(Erweitert - FuB)\nBildanpassungen\nTonwertkurve 1 +HISTORY_MSG_194;(Erweitert - FuB)\nBildanpassungen\nTonwertkurve 2 +HISTORY_MSG_195;(Erweitert - FuB)\nBildanpassungen\nTonwertkurve 1 - Modus +HISTORY_MSG_196;(Erweitert - FuB)\nBildanpassungen\nTonwertkurve 2 - Modus +HISTORY_MSG_197;(Erweitert - FuB)\nBildanpassungen\nFarbkurve +HISTORY_MSG_198;(Erweitert - FuB)\nBildanpassungen\nFarbkurve\nModus +HISTORY_MSG_199;(Erweitert - FuB)\nBildanpassungen\nFarberscheinung für Histogramm-Ausgabe verwenden +HISTORY_MSG_200;(Erweitert - FuB)\nBildanpassungen\nFarberscheinung für Tonwertkorrektur anwenden HISTORY_MSG_201;(Details - Rauschreduzierung)\nDelta-Chrominanz\nRot/Grün HISTORY_MSG_202;(Details - Rauschreduzierung)\nDelta-Chrominanz\nBlau/Gelb HISTORY_MSG_203;(Details - Rauschreduzierung)\nFarbraum HISTORY_MSG_204;(RAW - Sensor-Matrix)\nFarbinterpolation\nLMMSE-Verbesserung -HISTORY_MSG_205;(Erweitert - CIECAM)\nBetrachtungsbed.\nHot-/Dead-Pixelfilter -HISTORY_MSG_206;(Erweitert - CIECAM)\nSzene\nAuto-Luminanz +HISTORY_MSG_205;(Erweitert - FuB)\nHot-/Bad-Pixelfilter +HISTORY_MSG_206;(Erweitert - FuB)\nSzene\nAuto absolute Luminanz HISTORY_MSG_207;(Details - Farbsaum entfernen)\nFarbtonkurve HISTORY_MSG_208;(Farbe - Weißabgleich)\nBlau/Rot-Korrektur HISTORY_MSG_210;(Belichtung - Grauverlaufsfilter)\nRotationswinkel @@ -749,7 +746,7 @@ HISTORY_MSG_421;(Erweitert - Retinex)\nEinstellungen\nKorrekturen\nGammakorrektu HISTORY_MSG_422;(Erweitert - Retinex)\nEinstellungen\nGamma HISTORY_MSG_423;(Erweitert - Retinex)\nEinstellungen\nGammasteigung HISTORY_MSG_424;(Erweitert - Retinex)\nEinstellungen\nHL-Schwelle -HISTORY_MSG_425;(Erweitert - Retinex)\nEinstellungen\nBasis-Logarithmus +HISTORY_MSG_425;--nicht verwendet-- HISTORY_MSG_426;(Erweitert - Retinex)\nEinstellungen\nKorrekturen - Farbton (H) HISTORY_MSG_427;(Farbe - Farbmanagement)\nAusgabeprofil\nArt der Wiedergabe HISTORY_MSG_428;Monitorbasierte Wiedergabe @@ -770,44 +767,44 @@ HISTORY_MSG_442;(Erweitert - Retinex)\nEinstellungen\nÜbertragung - Skalierung HISTORY_MSG_443;(Farbe - Farbmanagement)\nAusgabeprofil\nSchwarzpunkt-Kompensation HISTORY_MSG_444;(Farbe - Weißabgleich)\nAWB-Temperatur-Korrektur HISTORY_MSG_445;(RAW - Sensor-Matrix)\nFarbinterpolation\nUnterbild -HISTORY_MSG_446;(EvPixelShift)\nBewegung -HISTORY_MSG_447;(EvPixelShift)\nBewegung - Korrektur -HISTORY_MSG_448;(EvPixelShiftStddev)\nFaktor Grün +HISTORY_MSG_446;--nicht verwendet-- +HISTORY_MSG_447;--nicht verwendet-- +HISTORY_MSG_448;--nicht verwendet-- HISTORY_MSG_449;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nISO-Anpassung -HISTORY_MSG_450;(EvPixelShift)\nNreadIso -HISTORY_MSG_451;(EvPixelShift)\nPrnu +HISTORY_MSG_450;--nicht verwendet-- +HISTORY_MSG_451;--nicht verwendet-- HISTORY_MSG_452;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegungsmaske anzeigen HISTORY_MSG_453;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nNur Maske anzeigen -HISTORY_MSG_454;(EvPixelShift)\nAutomatisch -HISTORY_MSG_455;(EvPixelShift)\nNicht grün horizontal -HISTORY_MSG_456;(EvPixelShift(\nNicht grün vertikal +HISTORY_MSG_454;--nicht verwendet-- +HISTORY_MSG_455;--nicht verwendet-- +HISTORY_MSG_456;--nicht verwendet-- HISTORY_MSG_457;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Rot/Blau-Kanal erkennen -HISTORY_MSG_458;(EvPixelShiftStddev)Faktor Rot -HISTORY_MSG_459;(EvPixelShiftStddev)\nFaktor Blau -HISTORY_MSG_460;(EvPixelShift)\nAmaze Grün -HISTORY_MSG_461;(EvPixelShift)\nAmaze nicht Grün +HISTORY_MSG_458;--nicht verwendet-- +HISTORY_MSG_459;--nicht verwendet-- +HISTORY_MSG_460;--nicht verwendet-- +HISTORY_MSG_461;--nicht verwendet-- HISTORY_MSG_462;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegung im Grün-Kanal erkennen -HISTORY_MSG_463;(EvPixelShift)\nRot/Blau-Wichtung +HISTORY_MSG_463;--nicht verwendet-- HISTORY_MSG_464;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nUnschärfebewegungsmaske HISTORY_MSG_465;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nUnschärferadius -HISTORY_MSG_466;(EvPixelShift)\nSumme -HISTORY_MSG_467;(EvPixelShift)\nExp1 +HISTORY_MSG_466;--nicht verwendet-- +HISTORY_MSG_467;--nicht verwendet-- HISTORY_MSG_468;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nLücken in der Bewegungsmaske erkennen HISTORY_MSG_469;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nMedian -HISTORY_MSG_470;(EvPixelShift)\nMedian3 +HISTORY_MSG_470;--nicht verwendet-- HISTORY_MSG_471;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nBewegungskorrektur HISTORY_MSG_472;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nWeicher Übergang HISTORY_MSG_474;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nFrame-Helligkeit angleichen HISTORY_MSG_475;(RAW - Sensor-Matrix)\nFarbinterpolation - PS\nAusgleich pro Kanal -HISTORY_MSG_476;(Erweitert - CIECAM)\nBetrachtungsbed.\nFarbtemperatur -HISTORY_MSG_477;(Erweitert - CIECAM)\nBetrachtungsbed.\nTönung -HISTORY_MSG_478;(Erweitert - CIECAM)\nBetrachtungsbed.\nYb% (Ø Leuchtdichte) -HISTORY_MSG_479;(Erweitert - CIECAM)\nBetrachtungsbed.\nCAT02 Adaptation -HISTORY_MSG_480;(Erweitert - CIECAM)\nBetrachtungsbed.\nAuto CAT02 Adaptation -HISTORY_MSG_481;(Erweitert - CIECAM)\nSzene\nFarbtemperatur -HISTORY_MSG_482;(Erweitert - CIECAM)\nSzene\nTönung -HISTORY_MSG_483;(Erweitert - CIECAM)\nSzene\nYb% (Ø Leuchtdichte) -HISTORY_MSG_484;(Erweitert - CIECAM)\nSzene\nAuto Yb% +HISTORY_MSG_476;(Erweitert - FuB)\nBetrachtungsbed.\nFarbtemperatur +HISTORY_MSG_477;(Erweitert - FuB)\nBetrachtungsbed.\nTönung +HISTORY_MSG_478;(Erweitert - FuB)\nBetrachtungsbed.\nmittlere Leuchtdichte +HISTORY_MSG_479;(Erweitert - FuB)\nBetrachtungsbed.\nAdaptation +HISTORY_MSG_480;(Erweitert - FuB)\nBetrachtungsbed.\nAuto-Adaptation +HISTORY_MSG_481;(Erweitert - FuB)\nSzene\nFarbtemperatur +HISTORY_MSG_482;(Erweitert - FuB)\nSzene\nTönung +HISTORY_MSG_483;(Erweitert - FuB)\nSzene\nmittlere Leuchtdichte +HISTORY_MSG_484;(Erweitert - FuB)\nSzene\nAuto mittlere Leuchtdichte HISTORY_MSG_485;(Transformieren - Objektivkorrektur)\nProfil HISTORY_MSG_486;(Transformieren - Objektivkorrektur)\nProfil - Kamera HISTORY_MSG_487;(Transformieren - Objektivkorrektur)\nProfil - Objektiv @@ -834,7 +831,7 @@ HISTORY_MSG_508;(Lokal - Spot)\nSpotgröße HISTORY_MSG_509;(Lokal - Spot)\nQualitäts-Methode HISTORY_MSG_510;(Lokal - Spot)\nÜbergangsgradient\nIntensität HISTORY_MSG_511;(Lokal - Spot)\nKantenerkennung\nSchwellenwert -HISTORY_MSG_512;(Lokal - Spot)\nKantenerkennung\nΔE -Zerfall +HISTORY_MSG_512;(Lokal - Spot)\nKantenerkennung\nΔE Zerfall HISTORY_MSG_513;(Lokal - Spot)\nBereich HISTORY_MSG_514;(Lokal - Spot)\nStruktur HISTORY_MSG_515;(Lokal - Lokale Anpassungen) @@ -902,7 +899,7 @@ HISTORY_MSG_576;(Lokal - Detailebenen)\nMulti HISTORY_MSG_577;(Lokal - Detailebenen)\nChroma HISTORY_MSG_578;(Lokal - Detailebenen)\nSchwelle HISTORY_MSG_579;(Lokal - Detailebenen)\nUmfang -HISTORY_MSG_580;(Lokal) - Rauschminderung +HISTORY_MSG_580;--nicht verwendet-- HISTORY_MSG_581;(Lokal - Rauschminderung)\nLuminanz f 1 HISTORY_MSG_582;(Lokal - Rauschminderung)\nLuminanz c HISTORY_MSG_583;(Lokal - Rauschminderung)\nLuminanz Detailwiederherstellung @@ -985,7 +982,7 @@ HISTORY_MSG_660;(Lokal - Detailebenen)\nKlarheit HISTORY_MSG_661;(Lokal - Detailebenen)\nVerbleibend HISTORY_MSG_662;(Lokal - Rauschminderung)\nLuminanz f 0 HISTORY_MSG_663;(Lokal - Rauschminderung)\nLuminanz f 2 -HISTORY_MSG_664;(Lokal - Detailebenen)\nUnschärfe +HISTORY_MSG_664;--nicht verwendet-- HISTORY_MSG_665;(Lokal - Detailebenen)\nMaske\nÜberlagerung HISTORY_MSG_666;(Lokal - Detailebenen)\nMaske\nRadius HISTORY_MSG_667;(Lokal - Detailebenen)\nMaske\nFarbintensität @@ -1233,7 +1230,7 @@ HISTORY_MSG_920;(Lokal - Wavelet)\nKontrast\nDämpfungsreaktion HISTORY_MSG_921;(Lokal - Wavelet)\nVerlaufsfilter\nDämpfungsreaktion HISTORY_MSG_922;(Lokal - Spot)\nSpeziell\nÄnderungen in Schwarz-Weiß erzwingen HISTORY_MSG_923;(Lokal - Werkzeug)\nKomplexität -HISTORY_MSG_924;(Lokal - Werkzeug)\nKomplexität +HISTORY_MSG_924;--nicht verwendet-- HISTORY_MSG_925;(Lokal - Spot)\nAnwendungsbereich\nFarbwerkzeuge HISTORY_MSG_926;(Lokal - Unschärfe) Rauschreduzierung\nMaskenauswahl HISTORY_MSG_927;(Lokal - Unschärfe)\nMaske\nSchatten @@ -1373,9 +1370,9 @@ HISTORY_MSG_1061;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nAbsolute Luminanz HISTORY_MSG_1062;(Lokal - CIECAM)\nSzenebasierte Bedingungen\nUmgebung HISTORY_MSG_1063;(Lokal - CIECAM)\nCAM16 - Farbe\nSättigung HISTORY_MSG_1064;(Lokal - CIECAM)\nCAM16 - Farbe\nChroma -HISTORY_MSG_1065;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (J) -HISTORY_MSG_1066;(Lokal - CIECAM)\nCAM16 - Beleuchtung\nHelligkeit (Q) -HISTORY_MSG_1067;(Lokal - CIECAM)\nCAM16 - Kontrast\nKontrast (J) +HISTORY_MSG_1065;(Lokal - CIECAM)\nHelligkeit J +HISTORY_MSG_1066;(Lokal - CIECAM)\nHelligkeit +HISTORY_MSG_1067;(Lokal - CIECAM)\nKontrast J HISTORY_MSG_1068;(Lokal - CIECAM)\nCAM16 - Kontrast\nSchwellenwert Kontrast HISTORY_MSG_1069;(Lokal - CIECAM)\nCAM16 - Kontrast\nKontrast (Q) HISTORY_MSG_1070;(Lokal - CIECAM)\nCAM16 - Farbe\nBuntheit @@ -1400,7 +1397,7 @@ HISTORY_MSG_1088;(Lokal - CIECAM)\nJz Cz Hz\nFarbton HISTORY_MSG_1089;(Lokal - CIECAM)\nSigmoid Jz\nKontraststärke HISTORY_MSG_1090;(Lokal - CIECAM)\nSigmoid Jz\nSchwellenwert HISTORY_MSG_1091;(Lokal - CIECAM)\nSigmoid Jz\nÜberlagern -HISTORY_MSG_1092;(Lokal - CIECAM)\nJz Zuordnung\nPU Anpassung +HISTORY_MSG_1092;(Lokal - CIECAM)\nJz Zuordnung\nAnpassung HISTORY_MSG_1093;(Lokal - CIECAM)\nCAM Modell HISTORY_MSG_1094;(Lokal - CIECAM)\nJz Lichter HISTORY_MSG_1095;(Lokal - CIECAM)\nTonwertbreite Jz Lichter @@ -1463,9 +1460,9 @@ HISTORY_MSG_BLSHAPE;(Erweitert - Wavelet)\nUnschärfeebenen\nUnschärfe nach Ebe HISTORY_MSG_BLURCWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Buntheit HISTORY_MSG_BLURWAV;(Erweitert - Wavelet)\nRestbild - Unschärfe\nUnschärfe Helligkeit HISTORY_MSG_BLUWAV;(Erweitert - Wavelet)\nUnschärfeebenen\nDämpfungsreaktion -HISTORY_MSG_CATCAT;CAT02/16 Modus -HISTORY_MSG_CATCOMPLEX;(Erweitert - CIECAM)\nKomplexität -HISTORY_MSG_CATMODEL;(Erweitert - CIECAM)\nCAM Modell +HISTORY_MSG_CATCAT;(Erweitert - FuB)\Einstellungen Modus +HISTORY_MSG_CATCOMPLEX;(Erweitert - FuB)\nEinstellungen Komplexität +HISTORY_MSG_CATMODEL;(Erweitert - FuB)\nEinstellungen Modell HISTORY_MSG_CLAMPOOG;(Belichtung) - Farben\nAuf Farbraum beschränken HISTORY_MSG_COLORTONING_LABGRID_VALUE;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur HISTORY_MSG_COLORTONING_LABREGION_AB;(Farbe - Farbanpassungen)\nL*a*b*-Farbkorrektur\nBereich @@ -1498,25 +1495,25 @@ HISTORY_MSG_FILMNEGATIVE_REF_SPOT;(Farbe - Negativfilm)\nReferenz Eingabe HISTORY_MSG_FILMNEGATIVE_VALUES;(Farbe - Negativfilm)\nWerte HISTORY_MSG_HISTMATCHING;(Belichtung)\nAuto-Tonwertkurve HISTORY_MSG_HLBL;Farbübertragung - Unschärfe -HISTORY_MSG_ICL_LABGRIDCIEXY;CIE xy -HISTORY_MSG_ICM_AINTENT;(Farbe - Farbmanagement)\nAbstraktes Profil Ziel -HISTORY_MSG_ICM_BLUX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau X -HISTORY_MSG_ICM_BLUY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Blau Y +HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy-Diagramm +HISTORY_MSG_ICM_AINTENT;Absicht Abstraktes Profil +HISTORY_MSG_ICM_BLUX;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Blau X +HISTORY_MSG_ICM_BLUY;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Blau Y HISTORY_MSG_ICM_FBW;(Farbe - Farbmanagement)\nAbstraktes Profil\nSchwarz-Weiß -HISTORY_MSG_ICM_GREX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün X -HISTORY_MSG_ICM_GREY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Grün Y -HISTORY_MSG_ICM_OUTPUT_PRIMARIES;(Farbe - Farbmanagement)\nAusgabeprofil\nVorlagen +HISTORY_MSG_ICM_GREX;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Grün X +HISTORY_MSG_ICM_GREY;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Grün Y +HISTORY_MSG_ICM_OUTPUT_PRIMARIES;(Farbe - Farbmanagement)\nAbstraktes Profil\nAusgabeprofil Vorgaben HISTORY_MSG_ICM_OUTPUT_TEMP;(Farbe - Farbmanagement)\nAusgabeprofil\nIccV4-Illuminant D HISTORY_MSG_ICM_OUTPUT_TYPE;(Farbe - Farbmanagement)\nAusgabeprofil\nTyp HISTORY_MSG_ICM_PRESER;(Farbe - Farbmanagement)\nAbstraktes Profil\nPastelltöne erhalten -HISTORY_MSG_ICM_REDX;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot X -HISTORY_MSG_ICM_REDY;(Farbe - Farbmanagement)\nAbstraktes Profil\nPrimär Rot Y +HISTORY_MSG_ICM_REDX;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Rot X +HISTORY_MSG_ICM_REDY;(Farbe - Farbmanagement)\nAbstraktes Profil\nVorgabe Rot Y HISTORY_MSG_ICM_WORKING_GAMMA;(Farbe - Farbmanagement)\nAbstraktes Profil\nGamma Farbtonkennlinie -HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nBeleuchtung +HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nBelechtungsmethode HISTORY_MSG_ICM_WORKING_PRIM_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nZielvorwahl HISTORY_MSG_ICM_WORKING_SLOPE;(Farbe - Farbmanagement)\nAbstraktes Profil\nSteigung Farbtonkennlinie HISTORY_MSG_ICM_WORKING_TRC_METHOD;(Farbe - Farbmanagement)\nAbstraktes Profil\nFarbtonkennlinie -HISTORY_MSG_ILLUM;Beleuchtung +HISTORY_MSG_ILLUM;(Farbe - Farbmanagement)\nSzene\nBeleuchtung HISTORY_MSG_LOCALCONTRAST_AMOUNT;(Details - Lokaler Kontrast)\nIntensität HISTORY_MSG_LOCALCONTRAST_DARKNESS;(Details - Lokaler Kontrast)\nDunkle Bereiche HISTORY_MSG_LOCALCONTRAST_ENABLED;(Details - Lokaler Kontrast) @@ -1571,7 +1568,7 @@ HISTORY_MSG_TRANS_METHOD;(Transformieren - Objektivkorrektur)\nMethode HISTORY_MSG_WAVBALCHROM;(Erweitert - Wavelet)\nRauschreduzierung\nFarb-Equalizer HISTORY_MSG_WAVBALLUM;(Erweitert - Wavelet)\nRauschreduzierung\nEqualizer Luminanz HISTORY_MSG_WAVBL;(Erweitert - Wavelet)\nUnschärfeebenen -HISTORY_MSG_WAVCHR;(Erweitert - Wavelet)\nUnschärfeebenen\nChroma-Unschärfe +HISTORY_MSG_WAVCHR;(Erweitert - Wavelet\nUnschärfeebenen\nChroma-Unschärfe HISTORY_MSG_WAVCHROMCO;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz grob HISTORY_MSG_WAVCHROMFI;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz fein HISTORY_MSG_WAVCLARI;(Erweitert - Wavelet)\nSchärfemaske und Klarheit @@ -1582,7 +1579,7 @@ HISTORY_MSG_WAVDETEND;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nDet HISTORY_MSG_WAVEDGS;(Erweitert - Wavelet)\nRestbild - Kompression\nKantenschutz HISTORY_MSG_WAVGUIDH;(Erweitert - Wavelet)\nEndretusche - finales Glätten\nEqualizer Farbton HISTORY_MSG_WAVHUE;(Erweitert - Wavelet)\nEqualizer Farbton -HISTORY_MSG_WAVLABGRID_VALUE;(Erweitert - Wavelet)\nTönung\nAusgeschlossene Farben +HISTORY_MSG_WAVLABGRID_VALUE;(Erweitert - Wavelet)\nTönung\nausgeschlossene Farben HISTORY_MSG_WAVLEVDEN;(Erweitert - Wavelet)\nKontrast\nSchwellenwert hoher Kontrast HISTORY_MSG_WAVLEVELSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius HISTORY_MSG_WAVLEVSIGM;(Erweitert - Wavelet)\nRauschreduzierung\nRadius @@ -1798,7 +1795,7 @@ PARTIALPASTE_CACORRECTION;Farbsaum entfernen PARTIALPASTE_CHANNELMIXER;RGB-Kanalmixer PARTIALPASTE_CHANNELMIXERBW;Schwarz/Weiß PARTIALPASTE_COARSETRANS;Drehen/Spiegeln -PARTIALPASTE_COLORAPP;CIE CAM (Farberscheinungsmodell) 02/16 +PARTIALPASTE_COLORAPP;Farberscheinung und Beleuchtung PARTIALPASTE_COLORGROUP;Farbparameter PARTIALPASTE_COLORTONING;Farbanpassungen PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-Füllen @@ -2242,45 +2239,45 @@ TP_COLORAPP_ABSOLUTELUMINANCE;Leuchtdichte TP_COLORAPP_ADAPSCEN_TOOLTIP;Entspricht der Leuchtdichte in Candela pro m2 zum Zeitpunkt der Aufnahme, automatisch berechnet aus den Exif-Daten. TP_COLORAPP_ALGO;Algorithmus TP_COLORAPP_ALGO_ALL;Alle -TP_COLORAPP_ALGO_JC;Helligkeit + Buntheit (JH) +TP_COLORAPP_ALGO_JC;Helligkeit + Buntheit (JC) TP_COLORAPP_ALGO_JS;Helligkeit + Sättigung (JS) TP_COLORAPP_ALGO_QM;Helligkeit + Farbigkeit (QM) TP_COLORAPP_ALGO_TOOLTIP;Auswahl zwischen Parameter-Teilmengen\nund allen Parametern. -TP_COLORAPP_BADPIXSL;Hot-/Dead-Pixelfilter +TP_COLORAPP_BADPIXSL;Hot-/Bad-Pixelfilter TP_COLORAPP_BADPIXSL_TOOLTIP;Unterdrückt Hot-/Dead-Pixel (hell gefärbt).\n0 = Kein Effekt\n1 = Median\n2 = Gaussian\nAlternativ kann das Bild angepasst werden, um sehr dunkle Schatten zu vermeiden.\n\nDiese Artefakte sind auf Einschränkungen von CIECAM02 zurückzuführen. TP_COLORAPP_BRIGHT;Helligkeit (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM02/16 berücksichtigt die Weißintensität und unterscheidet sich von L*a*b* und RGB-Helligkeit. +TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM berücksichtigt die Weißintensität.Sie unterscheidet sich von L*a*b* und RGB-Helligkeit. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bei manueller Einstellung werden Werte über 65 empfohlen. TP_COLORAPP_CATCLASSIC;Klassisch TP_COLORAPP_CATMET_TOOLTIP;Klassisch - traditionelle CIECAM-Berechnung. Die Transformationen der chromatischen Adaption werden separat auf 'Szenenbedingungen' und 'Grundlichtart' einerseits und auf 'Grundlichtart' und 'Betrachtungsbedingungen' andererseits angewandt.\n\nSymmetrisch - Die chromatische Anpassung basiert auf dem Weißabgleich. Die Einstellungen 'Szenenbedingungen', 'Bildeinstellungen' und 'Betrachtungsbedingungen' werden neutralisiert.\n\nGemischt - Wie die Option 'Klassisch', aber in diesem Fall basiert die chromatische Anpassung auf dem Weißabgleich. -TP_COLORAPP_CATMOD;Modus CAT02/16 +TP_COLORAPP_CATMOD;Modus TP_COLORAPP_CATSYMGEN;Automatisch Symmetrisch TP_COLORAPP_CATSYMSPE;Gemischt -TP_COLORAPP_CHROMA;Buntheit (H) +TP_COLORAPP_CHROMA;Buntheit (C) TP_COLORAPP_CHROMA_M;Farbigkeit (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;Die Farbigkeit in CIECAM02/16 unterscheidet sich von L*a*b*- und RGB-Farbigkeit. +TP_COLORAPP_CHROMA_M_TOOLTIP;Die Farbigkeit in CIECAM unterscheidet sich von L*a*b*- und RGB-Farbigkeit. TP_COLORAPP_CHROMA_S;Sättigung (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;Die Sättigung in CIECAM02/16 unterscheidet sich von L*a*b* und RGB-Sättigung. -TP_COLORAPP_CHROMA_TOOLTIP;Die Buntheit in CIECAM02/16 unterscheidet sich von L*a*b* und RGB-Buntheit. -TP_COLORAPP_CIECAT_DEGREE;CAT02 Adaptation +TP_COLORAPP_CHROMA_S_TOOLTIP;Die Sättigung in CIECAM unterscheidet sich von L*a*b* und RGB-Sättigung. +TP_COLORAPP_CHROMA_TOOLTIP;Die Buntheit in CIECAM unterscheidet sich von L*a*b* und RGB-Buntheit. +TP_COLORAPP_CIECAT_DEGREE;Adaptation TP_COLORAPP_CONTRAST;Kontrast (J) TP_COLORAPP_CONTRAST_Q;Kontrast (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;Kontrast (Q) in CIECAM02/16 unterscheidet sich vom L*a*b*- und RGB-Kontrast. -TP_COLORAPP_CONTRAST_TOOLTIP;Kontrast (J) in CIECAM02/16 unterscheidet sich vom L*a*b*- und RGB-Kontrast. +TP_COLORAPP_CONTRAST_Q_TOOLTIP;Kontrast (Q) in CIECAM basiert auf Helligkeit. Er unterscheidet sich vom L*a*b*- und RGB-Kontrast. +TP_COLORAPP_CONTRAST_TOOLTIP;Kontrast (J) in CIECAM beruht auf Helligkeit. Er unterscheidet sich vom L*a*b*- und RGB-Kontrast. TP_COLORAPP_CURVEEDITOR1;Tonwertkurve 1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Zeigt das Histogramm von L (L*a*b*) vor CIECAM02/16.\nWenn 'CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von J oder Q nach CIECAM02/16-Anpassungen angezeigt.\n\nJ und Q werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Zeigt das Histogramm von L (L*a*b*) vor CIECAM.\nWenn 'CIECAM-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von J oder Q nach CIECAM-Anpassungen angezeigt.\n\nJ und Q werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. TP_COLORAPP_CURVEEDITOR2;Tonwertkurve 2 TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Gleiche Verwendung wie bei der ersten Belichtungstonwertkurve. TP_COLORAPP_CURVEEDITOR3;Farbkurve -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Korrigiert Buntheit, Sättigung oder Farbigkeit.\n\nZeigt das Histogramm der Chromatizität (L*a*b* ) VOR den CIECAM02/16-Änderungen an.\nWenn 'CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von C, S oder M NACH den CIECAM02/16-Änderungen angezeigt.\n\nC, S und M werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. -TP_COLORAPP_DATACIE;CIECAM02/16-Ausgabe-Histogramm in Kurven anzeigen -TP_COLORAPP_DATACIE_TOOLTIP;Wenn aktiviert, zeigen die Histogramme der CIECAM02/16-Kurven die angenäherten Werte/Bereiche für J oder Q und C, S oder M NACH den CIECAM02/16-Anpassungen an. Das betrifft nicht das Haupt-Histogramm.\n\nWenn deaktiviert, zeigen die Histogramme der CIECAM02/16-Kurven die L*a*b*-Werte VOR den CIECAM02/16-Anpassungen an. +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Korrigiert Buntheit, Sättigung oder Farbigkeit.\n\nZeigt das Histogramm der Chromatizität (L*a*b* ) VOR den CIECAM-Änderungen an.\nWenn 'CIECAM-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von C, S oder M NACH den CIECAM-Änderungen angezeigt.\n\nC, S und M werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. +TP_COLORAPP_DATACIE;CIECAM-Ausgabe-Histogramm in CAL-Kurven anzeigen +TP_COLORAPP_DATACIE_TOOLTIP;Beeinflusst die Histogramme in FuB. Beeinflusst nicht das Haupthistogramm von RawTherapee.\n\nAktiviert: zeigt ungefähre Werte für J und C, S oder M NACH den CIECAM-Anpassungen.\nDeaktiviert: zeigt L*a*b*-Werte VOR den CIECAM-Anpassungen. TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D65) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D50 oder D55). TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D50) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D75). -TP_COLORAPP_FREE;Farbtemperatur + Tönung + CAT02 + [Ausgabe] -TP_COLORAPP_GAMUT;Gamutkontrolle (L*a*b*) +TP_COLORAPP_FREE;Farbtemperatur + Tönung + CAT02/16 + [Ausgabe] +TP_COLORAPP_GAMUT;Gamutkontrolle im L*a*b*-Modus anwenden TP_COLORAPP_GEN;Voreinstellungen -TP_COLORAPP_GEN_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um die Farbwahrnehmung des menschlichen Auges unter verschiedenen Lichtverhältnissen besser zu simulieren, z.B. vor unterschiedlichen Hintergründen.\nEs berücksichtigt die Umgebung jeder Farbe und modifiziert ihr Erscheinungsbild, um sie so nah wie möglich an die menschliche Wahrnehmung wiederzugeben.\nDie Ausgabe wird auch an die beabsichtigten Betrachtungsbedingungen (Monitor, Fernseher, Projektor, Drucker usw.) angepasst, sodass das chromatische Erscheinungsbild über die Szene und die Anzeigeumgebung hinweg erhalten bleibt. +TP_COLORAPP_GEN_TOOLTIP;Dieses Modul basiert auf dem CIECAM-Farberscheinungsmodell, das entwickelt wurde, um die Farbwahrnehmung des menschlichen Auges unter verschiedenen Lichtverhältnissen besser zu simulieren, z.B. vor unterschiedlichen Hintergründen. Es berücksichtigt die Umgebung jeder Farbe und modifiziert ihr Erscheinungsbild, um sie so nah wie möglich an die menschliche Wahrnehmung wiederzugeben. Die Ausgabe wird auch an die beabsichtigten Betrachtungsbedingungen (Monitor, Fernseher, Projektor, Drucker usw.) angepasst, sodass das chromatische Erscheinungsbild über die Szene und die Anzeigeumgebung hinweg erhalten bleibt. TP_COLORAPP_HUE;Farbton (H) TP_COLORAPP_HUE_TOOLTIP;Farbton (H) - Winkel zwischen 0° und 360°. TP_COLORAPP_IL41;D41 @@ -2293,32 +2290,32 @@ TP_COLORAPP_ILA;Glühlampe Normlichtart A 2856K TP_COLORAPP_ILFREE;Frei TP_COLORAPP_ILLUM;Beleuchtung TP_COLORAPP_ILLUM_TOOLTIP;Wählen Sie die Lichtquelle, die den Aufnahmebedingungen am nächsten kommt.\nIm Allgemeinen kann D50 gewählt werden, das kann sich jedoch je nach Zeit und Breitengrad ändern. -TP_COLORAPP_LABEL;CIE CAM (Farberscheinungsmodell) 02/16 +TP_COLORAPP_LABEL;Farberscheinung und Beleuchtung TP_COLORAPP_LABEL_CAM02;Bildanpassungen TP_COLORAPP_LABEL_SCENE;Umgebungsbedingungen (Szene) TP_COLORAPP_LABEL_VIEWING;Betrachtungsbedingungen TP_COLORAPP_LIGHT;Helligkeit (J) -TP_COLORAPP_LIGHT_TOOLTIP;Helligkeit in CIECAM02/16 unterscheidet sich von L*a*b* und RGB Helligkeit. +TP_COLORAPP_LIGHT_TOOLTIP;Helligkeit in CIECAM unterscheidet sich von L*a*b* und RGB Helligkeit. TP_COLORAPP_MEANLUMINANCE;Mittlere Leuchtdichte (Yb%) -TP_COLORAPP_MOD02;CIECAM02 -TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MOD02;CAM02 +TP_COLORAPP_MOD16;CAM16 TP_COLORAPP_MODEL;Weißpunktmodell -TP_COLORAPP_MODELCAT;CAM Modell -TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CIECAM02 oder CIECAM16.\nCIECAM02 ist manchmal genauer.\nCIECAM16 sollte weniger Artefakte erzeugen. -TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRTs Weißabgleich wird für die Szene verwendet,\nCIECAM02/16 auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02/16] + [Ausgabe]:\nRTs Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. +TP_COLORAPP_MODELCAT;CAM +TP_COLORAPP_MODELCAT_TOOLTIP;Ermöglicht die Auswahl zwischen CAM02 oder CAM16.\nCAM02 ist manchmal genauer.\nCAM16 sollte weniger Artefakte erzeugen. +TP_COLORAPP_MODEL_TOOLTIP;Weißabgleich [RT] + [Ausgabe]:\nRTs Weißabgleich wird für die Szene verwendet,\nCIECAM auf D50 gesetzt und der Weißabgleich\ndes Ausgabegerätes kann unter:\nEinstellungen > Farb-Management\neingestellt werden.\n\nWeißabgleich [RT+CAT02/16] + [Ausgabe]:\nRTs Weißabgleich wird für CAT02 verwendet und\nder Weißabgleich des Ausgabegerätes kann unter\nEinstellungen > Farb-Management\neingestellt werden. TP_COLORAPP_NEUTRAL;Zurücksetzen -TP_COLORAPP_NEUTRAL_TOOLTIP;Setzt alle CIECAM02-Parameter auf Vorgabewerte zurück. +TP_COLORAPP_NEUTRAL_TOOLTIP;Setzt alle Parameter auf Vorgabewerte zurück. TP_COLORAPP_RSTPRO;Hautfarbtöne schützen TP_COLORAPP_RSTPRO_TOOLTIP;Hautfarbtöne schützen\nWirkt sich auf Regler und Kurven aus. TP_COLORAPP_SOURCEF_TOOLTIP;Entspricht den Aufnahmebedingungen und wie man die Bedingungen und Daten wieder in einen normalen Bereich bringt. 'Normal' bedeutet Durchschnitts- oder Standardbedingungen und Daten, d. h. ohne Berücksichtigung von CIECAM-Korrekturen. TP_COLORAPP_SURROUND;Umgebung -TP_COLORAPP_SURROUNDSRC;Lichtumgebung +TP_COLORAPP_SURROUNDSRC;Umgebung TP_COLORAPP_SURROUND_AVER;Durchschnitt TP_COLORAPP_SURROUND_DARK;Dunkel TP_COLORAPP_SURROUND_DIM;Gedimmt TP_COLORAPP_SURROUND_EXDARK;Extrem Dunkel (Cutsheet) -TP_COLORAPP_SURROUND_TOOLTIP;Verändert Töne und Farben unter Berücksichtigung der\nBetrachtungsbedingungen des Ausgabegerätes.\n\nDurchschnitt:\nDurchschnittliche Lichtumgebung (Standard).\nDas Bild wird nicht angepasst.\n\nGedimmt:\nGedimmte Umgebung (TV). Das Bild wird leicht dunkel.\n\nDunkel:\nDunkle Umgebung (Projektor). Das Bild wird dunkler.\n\nExtrem dunkel:\nExtrem dunkle Umgebung. Das Bild wird sehr dunkel. -TP_COLORAPP_SURSOURCE_TOOLTIP;Verändert Töne und Farben unter Berücksichtigung der Szenenbedingungen.\n\nDurchschnitt: Durchschnittliche Lichtumgebung (Standard). Das Bild wird nicht angepasst.\n\nGedimmt: Gedimmte Umgebung. Das Bild wird leicht hell.\n\nDunkel: Dunkle Umgebung. Das Bild wird heller.\n\nExtrem dunkel: Extrem dunkle Umgebung. Das Bild wird sehr hell. +TP_COLORAPP_SURROUND_TOOLTIP;Ändert Töne und Farben, um die Betrachtungsbedingungen des Ausgabegeräts zu berücksichtigen. Je dunkler die Betrachtungsbedingungen sind, desto dunkler wird das Bild. Die Bildhelligkeit wird nicht geändert, wenn die Betrachtungsbedingungen auf durchschnittlich eingestellt sind. +TP_COLORAPP_SURSOURCE_TOOLTIP;Ändert Töne und Farben, um die Umgebungsbedingungen der Szenenbeleuchtung zu berücksichtigen. Je dunkler die Umgebungsbedingungen sind, desto heller wird das Bild. Die Bildhelligkeit wird nicht geändert, wenn der Umgebungs-Wert auf Durchschnitt eingestellt ist. TP_COLORAPP_TCMODE_BRIGHTNESS;Helligkeit (Q) TP_COLORAPP_TCMODE_CHROMA;Buntheit (H) TP_COLORAPP_TCMODE_COLORF;Farbigkeit (M) @@ -2329,9 +2326,9 @@ TP_COLORAPP_TCMODE_LIGHTNESS;Helligkeit (J) TP_COLORAPP_TCMODE_SATUR;Sättigung (S) TP_COLORAPP_TEMP2_TOOLTIP;Symmetrischer Modus Temp = Weißabgleich.\nBei Auswahl einer Beleuchtung setze Tönung=1.\n\nA Temp=2856\nD41 Temp=4100\nD50 Temp=5003\nD55 Temp=5503\nD60 Temp=6000\nD65 Temp=6504\nD75 Temp=7504 TP_COLORAPP_TEMP_TOOLTIP;Um eine Beleuchtungsart auszuwählen, setzen Sie die Tönung immer auf '1'.\nA Temp=2856\nD50 Temp=5003\nD55 Temp=5503\nD65 Temp=6504\nD75 Temp=7504 -TP_COLORAPP_TONECIE;Tonwertkorrektur mittels CIECAM02/16 +TP_COLORAPP_TONECIE;verwende CIECAM für die Tonwertkorrektur TP_COLORAPP_TONECIE_TOOLTIP;Wenn diese Option ausgeschaltet ist, wird die Tonwertkorrektur im L*a*b*-Farbraum durchgeführt.\nWenn die Option eingeschaltet ist, wird CIECAM02 für die Tonwertkorrektur verwendet. Das Werkzeug Tonwertkorrektur muss aktiviert sein, damit diese Option berücksichtigt wird. -TP_COLORAPP_VIEWINGF_TOOLTIP;Berücksichtigt, auf welchem Gerät das endgültige Bild angezeigt wird (Monitor, Fernseher, Projektor, Drucker, ...) sowie seine Umgebung. Dieser Prozess nimmt die Daten aus dem Prozess 'Image Adjustments' auf und "passt" sie so an das Gerät an, dass die Betrachtungsbedingungen und die Umgebung berücksichtigt werden. +TP_COLORAPP_VIEWINGF_TOOLTIP;Berücksichtigt, auf welchem Gerät das endgültige Bild angezeigt wird (Monitor, Fernseher, Projektor, Drucker, etc.) sowie seine Umgebung. Dieser Prozess nimmt die Daten aus dem Prozess 'Image Adjustments' auf und "passt" sie so an das Gerät an, dass die Betrachtungsbedingungen und die Umgebung berücksichtigt werden. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Absolute Luminanz der Betrachtungsumgebung\n(normalerweise 16cd/m²). TP_COLORAPP_WBCAM;[RT+CAT02/16] + [Ausgabe] TP_COLORAPP_WBRT;[RT] + [Ausgabe] @@ -2373,7 +2370,7 @@ TP_COLORTONING_LUMA;Luminanz TP_COLORTONING_LUMAMODE;Luminanz schützen TP_COLORTONING_LUMAMODE_TOOLTIP;Wenn aktiviert, wird die Luminanz der Farben Rot, Grün, Cyan, Blau... geschützt. TP_COLORTONING_METHOD;Methode -TP_COLORTONING_METHOD_TOOLTIP;L*a*b*-Überlagerung, RGB-Regler und RGB-Kurven\nverwenden eine interpolierte Farbüberlagerung.\n\nFarbausgleich (Schatten/Mitten/Lichter) und Sättigung\n(2-Farben) verwenden direkte Farben. +TP_COLORTONING_METHOD_TOOLTIP;L*a*b*-Überlagerung, RGB-Regler und RGB-Kurven verwenden eine interpolierte Farbüberlagerung.\n\nFarbausgleich (Schatten/Mitten/Lichter) und Sättigung (2-Farben) verwenden direkte Farben.\n\Das Schwarz-Weiß-Werkzeug kann aktiviert werden, wenn eine beliebige Farbtönungsmethode verwendet wird, die eine Farbtönung ermöglicht. TP_COLORTONING_MIDTONES;Mitten TP_COLORTONING_NEUTRAL;Regler zurücksetzen TP_COLORTONING_NEUTRAL_TOOLTIP;Alle Werte auf Standard zurücksetzen.\n(Schatten, Mitten, Lichter) @@ -2434,7 +2431,7 @@ TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Benutzerdefiniert TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominanz (Master) TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Methode TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nVorschau:\nNur der sichbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. -TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet.\nAbhängig von der Bildgröße, wird das Bild in ca. 10 bis 70\nKacheln aufgeteilt. Für jede Kachel wird die Chrominanz-\nRauschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichtbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-Rauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet. InAbhängig von der Bildgröße, wird das Bild in ca. 10 bis 70 Kacheln aufgeteilt. Für jede Kachel wird die Chrominanz-auschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichtbare Teil des Bildes wird für die Berechnung der Chrominanz-Rauschreduzierung verwendet. TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Zeigt das Restrauschen des sichtbaren Bildbereichs\nin der 100%-Ansicht an.\n\n<50: Sehr wenig Rauschen\n50 - 100: Wenig Rauschen\n100 - 300: Durchschnittliches Rauschen\n>300: Hohes Rauschen\n\nDie Werte unterscheiden sich im L*a*b*- und RGB-Modus.\nDie RGB-Werte sind ungenauer, da der RGB-Modus\nLuminanz und Chrominanz nicht komplett trennt. @@ -2514,7 +2511,7 @@ TP_EXPOSURE_COMPRSHADOWS;Schattenkompression TP_EXPOSURE_CONTRAST;Kontrast TP_EXPOSURE_CURVEEDITOR1;Tonwertkurve 1 TP_EXPOSURE_CURVEEDITOR2;Tonwertkurve 2 -TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Um mit den doppelten Tonwert-Kurven die besten Ergenisse zu erzielen, lesen Sie bitte den Abschnitt im Handbuch unter:\nDer Werkzeugkasten > Reiter Belichtung > Belichtungsbereich > Tonwertkurve. +TP_EXPOSURE_CURVEEDITOR2_TOOLTIP;Um mit den doppelten Tonwert-Kurven die besten Ergenisse zu erzielen, lesen Sie bitte den Abschnitt im Handbuch unter:\nDer Werkzeugkasten > Reiter Belichtung > Tonwertkurven. TP_EXPOSURE_EXPCOMP;Belichtungskorrektur TP_EXPOSURE_HISTMATCHING;Auto-Tonwertkurve TP_EXPOSURE_HISTMATCHING_TOOLTIP;Passt Regler und Kurven (mit Ausnahme der Belichtungskorrektur)\nautomatisch an, um das eingebettete JPEG-Bild zu simulieren. @@ -2595,8 +2592,8 @@ TP_ICM_APPLYLOOKTABLE_TOOLTIP;Die eingebettete DCP-'Look'-Tabelle verwenden.\nDi TP_ICM_BPC;Schwarzpunkt-Kompensation TP_ICM_DCPILLUMINANT;Illumination TP_ICM_DCPILLUMINANT_INTERPOLATED;Interpoliert -TP_ICM_DCPILLUMINANT_TOOLTIP;DCP-Illumination auswählen. Vorgabe ist\n'Interpoliert'. Die Einstellung ist nur verfügbar,\nwenn sie vom Eingangsfarbprofil unterstützt\nwird. -TP_ICM_FBW;Schwarz und Weiß +TP_ICM_DCPILLUMINANT_TOOLTIP;DCP-Illumination auswählen. Vorgabe ist 'Interpoliert'. Die Einstellung ist nur verfügbar, wenn sie vom Eingangsfarbprofil unterstützt wird. +TP_ICM_FBW;Schwarz-Weiß TP_ICM_ILLUMPRIM_TOOLTIP;Wählen Sie die Lichtart, die den Aufnahmebedingungen am nächsten kommt.\nÄnderungen können nur vorgenommen werden, wenn die Auswahl 'Ziel-Primärfarben' auf 'Benutzerdefiniert (Schieberegler)' eingestellt ist. TP_ICM_INPUTCAMERA;Kamera-Standard TP_ICM_INPUTCAMERAICC;Kameraspezifisches Profil @@ -2618,10 +2615,10 @@ TP_ICM_OUTPUTPROFILE;Ausgabeprofil TP_ICM_OUTPUTPROFILE_TOOLTIP;Standardmäßig sind alle RTv4- oder RTv2-Profile mit TRC - sRGB: g=2.4 s=12.92 voreingestellt.\n\nMit 'ICC Profile Creator' können Sie v4- oder v2-Profile mit den folgenden Auswahlmöglichkeiten erstellen:\n- Primär: Aces AP0, Aces AP1 , AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Benutzerdefiniert\n- TRC: BT709, sRGB, linear, Standard g=2,2, Standard g=1,8, Benutzerdefiniert\n- Lichtart: D41, D50, D55 , D60, D65, D80, stdA 2856K TP_ICM_PRIMBLU_TOOLTIP;Primäreinstellungen Blau:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 TP_ICM_PRIMGRE_TOOLTIP;Primäreinstellungen Grün:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 -TP_ICM_PRIMILLUM_TOOLTIP;Sie können ein Bild von seinem ursprünglichen Modus ('Arbeitsprofil') in einen anderen Modus ('Zielvorwahl') ändern. Wenn Sie einen anderen Farbmodus für ein Bild auswählen, ändern Sie die Farbwerte im Bild dauerhaft.\n\nDas Ändern der 'Primärfarben' ist ziemlich komplex und schwierig zu verwenden. Es erfordert viel Experimentieren.\nEs kann exotische Farbanpassungen als Primärfarben des Kanalmischers vornehmen.\nEs ermöglicht Ihnen, die Kamerakalibrierung mit 'Benutzerdefiniert (Schieberegler)' zu ändern. +TP_ICM_PRIMILLUM_TOOLTIP;Sie können ein Bild von seinem ursprünglichen Modus 'Arbeitsprofil' in einen anderen Modus 'Ziel-Primärdateien' ändern. Wenn Sie für ein Bild einen anderen Farbmodus auswählen, ändern Sie dauerhaft die Farbwerte im Bild.\n\nDas Ändern der 'Primärfarben' ist ziemlich komplex und schwierig zu verwenden. Es erfordert viel Experimentieren.\nEs ist in der Lage, exotische Farbanpassungen als Kanalmixer-Primärfarben vorzunehmen.\nErmöglicht Ihnen, die Kamerakalibrierung mit Benutzerdefiniert (Schieberegler) zu ändern. TP_ICM_PRIMRED_TOOLTIP;Primäreinstellungen Rot:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 TP_ICM_PROFILEINTENT;Wiedergabe -TP_ICM_REDFRAME;Benutzerdefinierte Voreinstellungen +TP_ICM_REDFRAME;Benutzerdefinierte Einstellungen TP_ICM_SAVEREFERENCE;Referenzbild speichern TP_ICM_SAVEREFERENCE_APPLYWB;Weißabgleich anwenden TP_ICM_SAVEREFERENCE_APPLYWB_TOOLTIP;Um ICC-Profile zu erstellen, den Weißabgleich beim Speichern anwenden. Um DCP-Profile zu erstellen, den Weißabgleich NICHT beim Speichern anwenden. @@ -2694,18 +2691,18 @@ TP_LABCURVE_CURVEEDITOR_CC_RANGE1;Neutral TP_LABCURVE_CURVEEDITOR_CC_RANGE2;Matt TP_LABCURVE_CURVEEDITOR_CC_RANGE3;Pastell TP_LABCURVE_CURVEEDITOR_CC_RANGE4;Gesättigt -TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromatizität als Funktion der Chromatizität C=f(C) +TP_LABCURVE_CURVEEDITOR_CC_TOOLTIP;Chromatizität als Funktion der Chromatizität C=f(C). TP_LABCURVE_CURVEEDITOR_CH;CH -TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromatizität als Funktion des Farbtons C=f(H) +TP_LABCURVE_CURVEEDITOR_CH_TOOLTIP;Chromatizität als Funktion des Farbtons C=f(H). TP_LABCURVE_CURVEEDITOR_CL;CL -TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromatizität als Funktion der Luminanz C=f(L) +TP_LABCURVE_CURVEEDITOR_CL_TOOLTIP;Chromatizität als Funktion der Luminanz C=f(L). TP_LABCURVE_CURVEEDITOR_HH;HH -TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H=f(H) +TP_LABCURVE_CURVEEDITOR_HH_TOOLTIP;Farbton als Funktion des Farbtons H=f(H). TP_LABCURVE_CURVEEDITOR_LC;LC -TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminanz als Funktion der Chromatizität L=f(C) +TP_LABCURVE_CURVEEDITOR_LC_TOOLTIP;Luminanz als Funktion der Chromatizität L=f(C). TP_LABCURVE_CURVEEDITOR_LH;LH -TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L=f(H) -TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanz als Funktion der Luminanz L=f(L) +TP_LABCURVE_CURVEEDITOR_LH_TOOLTIP;Luminanz als Funktion des Farbtons L=f(H). +TP_LABCURVE_CURVEEDITOR_LL_TOOLTIP;Luminanz als Funktion der Luminanz L=f(L). TP_LABCURVE_LABEL;L*a*b* - Anpassungen TP_LABCURVE_LCREDSK;LC-Kurve auf Hautfarbtöne beschränken TP_LABCURVE_LCREDSK_TOOLTIP;Wenn aktiviert, wird die LC-Kurve auf\nHautfarbtöne beschränkt.\nWenn deaktiviert, wird die LC-Kurve auf\nalle Farbtöne angewendet. @@ -2742,7 +2739,7 @@ TP_LOCALLAB_AUTOGRAYCIE;Automatisch TP_LOCALLAB_AVOID;vermeide Farbverschiebungen TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewandt wird. TP_LOCALLAB_AVOIDMUN;Nur Munsell-Korrektur -TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewandt wird +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewandt wird. TP_LOCALLAB_AVOIDRAD;Radius TP_LOCALLAB_BALAN;ab-L Balance (ΔE) TP_LOCALLAB_BALANEXP;Laplace Balance @@ -2823,7 +2820,7 @@ TP_LOCALLAB_CIEMODE_TM;Tone-Mapping TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewandt werden. TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIETOOLEXP;Kurven -TP_LOCALLAB_CIE_TOOLNAME;CIECAM (CAM16 & JzCzHz) +TP_LOCALLAB_CIE_TOOLNAME;Farberscheinung (Cam16 & JzCzHz) TP_LOCALLAB_CIRCRADIUS;Spot-Größe TP_LOCALLAB_CIRCRAD_TOOLTIP;Die Spot-Größe bestimmt die Referenzen des RT-Spots, die für die Formerkennung nützlich sind (Farbton, Luma, Chroma, Sobel).\nNiedrige Werte können für die Bearbeitung kleiner Flächen und Strukturen nützlich sein.\nHohe Werte können für die Behandlung von größeren Flächen oder auch Haut nützlich sein. TP_LOCALLAB_CLARICRES;Chroma zusammenführen @@ -3159,10 +3156,10 @@ TP_LOCALLAB_MASKLNOISELOW;In dunklen und hellen Bereichen verstärken TP_LOCALLAB_MASKLOWTHRESCB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter der Detailebenenkontraste (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen des Detailebenenkontrastes geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESC_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch 'Farbe- und Licht'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske' , 'Unschärfemaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve', 'Lokaler Kontrast (Wavelets)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESD_TOOLTIP;Die Rauschreduzierung wird bei der Einstellung des Schwellenwertes schrittweise von 0% auf 100% beim maximalen Schwarzwert (wie von der Maske festgelegt) erhöht.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Strukturmaske', 'Glättradius', 'Gamma', 'Steigung', 'Kontrastkurve' und ' Lokaler Kontrast(Wavelet)'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass in den 'Einstellungen' Hintergrundfarbmaske = 0 gesetzt ist. -TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Dynamik und Belichtung'-Einstellungen geändert werden.\nSie können die Grauwerte mit verschiedenen Werkzeugen in ‘Maske und Anpassungen’ ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESE_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Dynamik und Belichtung'-Einstellungen geändert werden.\nSie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESL_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen der 'LOG-Kodierung' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESRETI_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer Retinex-Parameter (nur Luminanz) nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Retinex-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. -TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Schatten - Lichter'-Einstellungen geändert werden.\n Sie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung‘ und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. +TP_LOCALLAB_MASKLOWTHRESS_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte wieder hergestellt werden, bevor sie durch die 'Schatten - Lichter'-Einstellungen geändert werden.\n Sie können die Grauwerte mit verschiedenen Werkzeugen in 'Maske und Anpassungen' ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESTM_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Tone-Mapping'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma' , 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESVIB_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die Einstellungen für 'Farbtemperatur' geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. TP_LOCALLAB_MASKLOWTHRESWAV_TOOLTIP;Dunklere Tonwertgrenze, unterhalb derer die Parameter nach und nach auf ihre ursprünglichen Werte zurückgesetzt werden, bevor sie durch die 'Kontrast- und Wavelet'-Einstellungen geändert werden.\nSie können bestimmte Werkzeuge in 'Maske und Anpassungen' verwenden, um die Graustufen zu ändern: 'Glättradius', 'Gamma', 'Steigung' und 'Kontrastkurve'.\nVerwenden Sie einen 'feststellbaren Farbwähler' auf der Maske, um zu sehen, welche Bereiche betroffen sind. Stellen Sie sicher, dass Sie in den Einstellungen 'Hintergrundfarbmaske' = 0 festlegen. @@ -3180,7 +3177,6 @@ TP_LOCALLAB_MASKRESWAV_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen f TP_LOCALLAB_MASKUNUSABLE;Maske deaktiviert (siehe Maske u. Anpassungen) TP_LOCALLAB_MASKUSABLE;Maske aktiviert (siehe Maske u. Anpassungen) TP_LOCALLAB_MASK_TOOLTIP;Sie können mehrere Masken für ein Werkzeug aktivieren, indem Sie ein anderes Werkzeug aktivieren und nur die Maske verwenden (setzen Sie die Werkzeugregler auf 0).\n\nSie können den RT-Spot auch duplizieren und nahe am ersten Punkt platzieren. Die kleinen Abweichungen in den Punktreferenzen ermöglichen Feineinstellungen. -TP_LOCALLAB_MED;Medium TP_LOCALLAB_MEDIAN;Median niedrig TP_LOCALLAB_MEDIANITER_TOOLTIP;Anzahl der aufeinanderfolgenden Iterationen, die vom Medianfilter ausgeführt werden. TP_LOCALLAB_MEDIAN_TOOLTIP;Sie können Medianwerte im Bereich von 3 x 3 bis 9 x 9 Pixel auswählen. Höhere Werte erhöhen die Rauschreduzierung und Unschärfe. @@ -3504,7 +3500,7 @@ TP_LOCALLAB_WAVGRAD_TOOLTIP;Anpassen des lokalen Kontrasts entsprechend einem ge TP_LOCALLAB_WAVHUE_TOOLTIP;Ermöglicht das Verringern oder Erhöhen der Rauschreduzierung basierend auf dem Farbton. TP_LOCALLAB_WAVLEV;Unschärfe nach Ebene TP_LOCALLAB_WAVMASK;Wavelets -TP_LOCALLAB_WAVMASK_TOOLTIP;Verwendet Wavelets, um den lokalen Kontrast der Maske zu ändern und die Struktur (Haut, Gebäude ...) zu verstärken oder zu reduzieren. +TP_LOCALLAB_WAVMASK_TOOLTIP;Verwendet Wavelets, um den lokalen Kontrast der Maske zu ändern und die Struktur (Haut, Gebäude, etc.) zu verstärken oder zu reduzieren. TP_LOCALLAB_WEDIANHI;Median hoch TP_LOCALLAB_WHITE_EV;Weiß-Ev TP_LOCALLAB_ZCAMFRA;ZCAM-Bildanpassungen @@ -4154,5 +4150,3 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Ausschnitt an Bildschirm anpassen.\nTaste: f ZOOMPANEL_ZOOMFITSCREEN;An Bildschirm anpassen.\nTaste: Alt + f ZOOMPANEL_ZOOMIN;Hineinzoomen\nTaste: + ZOOMPANEL_ZOOMOUT;Herauszoomen\nTaste: - -//HISTORY_MSG_1099;(Lokal) - Hz(Hz)-Kurve - From ce8ab4ae2392b43aa05d9dddd7e32eb55830eab8 Mon Sep 17 00:00:00 2001 From: Martin <78749513+marter001@users.noreply.github.com> Date: Fri, 30 Sep 2022 09:53:40 +0200 Subject: [PATCH 121/170] Update Deutsch --- rtdata/languages/Deutsch | 38 +++++++++++++++++++------------------- 1 file changed, 19 insertions(+), 19 deletions(-) diff --git a/rtdata/languages/Deutsch b/rtdata/languages/Deutsch index ad860e7a0..3a2c2999c 100644 --- a/rtdata/languages/Deutsch +++ b/rtdata/languages/Deutsch @@ -1568,7 +1568,7 @@ HISTORY_MSG_TRANS_METHOD;(Transformieren - Objektivkorrektur)\nMethode HISTORY_MSG_WAVBALCHROM;(Erweitert - Wavelet)\nRauschreduzierung\nFarb-Equalizer HISTORY_MSG_WAVBALLUM;(Erweitert - Wavelet)\nRauschreduzierung\nEqualizer Luminanz HISTORY_MSG_WAVBL;(Erweitert - Wavelet)\nUnschärfeebenen -HISTORY_MSG_WAVCHR;(Erweitert - Wavelet\nUnschärfeebenen\nChroma-Unschärfe +HISTORY_MSG_WAVCHR;(Erweitert - Wavelet)\nUnschärfeebenen\nChroma-Unschärfe HISTORY_MSG_WAVCHROMCO;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz grob HISTORY_MSG_WAVCHROMFI;(Erweitert - Wavelet)\nRauschreduzierung\nChrominanz fein HISTORY_MSG_WAVCLARI;(Erweitert - Wavelet)\nSchärfemaske und Klarheit @@ -2246,10 +2246,10 @@ TP_COLORAPP_ALGO_TOOLTIP;Auswahl zwischen Parameter-Teilmengen\nund allen Parame TP_COLORAPP_BADPIXSL;Hot-/Bad-Pixelfilter TP_COLORAPP_BADPIXSL_TOOLTIP;Unterdrückt Hot-/Dead-Pixel (hell gefärbt).\n0 = Kein Effekt\n1 = Median\n2 = Gaussian\nAlternativ kann das Bild angepasst werden, um sehr dunkle Schatten zu vermeiden.\n\nDiese Artefakte sind auf Einschränkungen von CIECAM02 zurückzuführen. TP_COLORAPP_BRIGHT;Helligkeit (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM berücksichtigt die Weißintensität.Sie unterscheidet sich von L*a*b* und RGB-Helligkeit. +TP_COLORAPP_BRIGHT_TOOLTIP;Helligkeit in CIECAM berücksichtigt die Weißintensität. Sie unterscheidet sich von L*a*b* und RGB-Helligkeit. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Bei manueller Einstellung werden Werte über 65 empfohlen. TP_COLORAPP_CATCLASSIC;Klassisch -TP_COLORAPP_CATMET_TOOLTIP;Klassisch - traditionelle CIECAM-Berechnung. Die Transformationen der chromatischen Adaption werden separat auf 'Szenenbedingungen' und 'Grundlichtart' einerseits und auf 'Grundlichtart' und 'Betrachtungsbedingungen' andererseits angewandt.\n\nSymmetrisch - Die chromatische Anpassung basiert auf dem Weißabgleich. Die Einstellungen 'Szenenbedingungen', 'Bildeinstellungen' und 'Betrachtungsbedingungen' werden neutralisiert.\n\nGemischt - Wie die Option 'Klassisch', aber in diesem Fall basiert die chromatische Anpassung auf dem Weißabgleich. +TP_COLORAPP_CATMET_TOOLTIP;Klassisch - traditionelle CIECAM-Berechnung. Die Transformationen der chromatischen Adaption werden separat auf 'Szenenbedingungen' und 'Grundlichtart' einerseits und auf 'Grundlichtart' und 'Betrachtungsbedingungen' andererseits angewendet.\n\nSymmetrisch - Die chromatische Anpassung basiert auf dem Weißabgleich. Die Einstellungen 'Szenenbedingungen', 'Bildeinstellungen' und 'Betrachtungsbedingungen' werden neutralisiert.\n\nGemischt - Wie die Option 'Klassisch', aber in diesem Fall basiert die chromatische Anpassung auf dem Weißabgleich. TP_COLORAPP_CATMOD;Modus TP_COLORAPP_CATSYMGEN;Automatisch Symmetrisch TP_COLORAPP_CATSYMSPE;Gemischt @@ -2271,7 +2271,7 @@ TP_COLORAPP_CURVEEDITOR2_TOOLTIP;Gleiche Verwendung wie bei der ersten Belichtun TP_COLORAPP_CURVEEDITOR3;Farbkurve TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Korrigiert Buntheit, Sättigung oder Farbigkeit.\n\nZeigt das Histogramm der Chromatizität (L*a*b* ) VOR den CIECAM-Änderungen an.\nWenn 'CIECAM-Ausgabe-Histogramm in Kurven anzeigen' aktiviert ist, wird das Histogramm von C, S oder M NACH den CIECAM-Änderungen angezeigt.\n\nC, S und M werden nicht im Haupt-Histogramm angezeigt.\nFür die endgültige Ausgabe verwenden Sie das Haupt-Histogramm. TP_COLORAPP_DATACIE;CIECAM-Ausgabe-Histogramm in CAL-Kurven anzeigen -TP_COLORAPP_DATACIE_TOOLTIP;Beeinflusst die Histogramme in FuB. Beeinflusst nicht das Haupthistogramm von RawTherapee.\n\nAktiviert: zeigt ungefähre Werte für J und C, S oder M NACH den CIECAM-Anpassungen.\nDeaktiviert: zeigt L*a*b*-Werte VOR den CIECAM-Anpassungen. +TP_COLORAPP_DATACIE_TOOLTIP;Beeinflusst die Histogramme in FuB. Beeinflusst nicht das Haupt-Histogramm von RawTherapee.\n\nAktiviert: zeigt ungefähre Werte für J und C, S oder M NACH den CIECAM-Anpassungen.\nDeaktiviert: zeigt L*a*b*-Werte VOR den CIECAM-Anpassungen. TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D65) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D50 oder D55). TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 ist eine Methode, die die Werte eines Bildes, dessen Weißpunkt der einer gegebenen Lichtart (z.B. D50) entspricht, in Werte umwandelt, deren Weißpunkt einer anderen Lichtart entspricht (z.B. D75). TP_COLORAPP_FREE;Farbtemperatur + Tönung + CAT02/16 + [Ausgabe] @@ -2370,7 +2370,7 @@ TP_COLORTONING_LUMA;Luminanz TP_COLORTONING_LUMAMODE;Luminanz schützen TP_COLORTONING_LUMAMODE_TOOLTIP;Wenn aktiviert, wird die Luminanz der Farben Rot, Grün, Cyan, Blau... geschützt. TP_COLORTONING_METHOD;Methode -TP_COLORTONING_METHOD_TOOLTIP;L*a*b*-Überlagerung, RGB-Regler und RGB-Kurven verwenden eine interpolierte Farbüberlagerung.\n\nFarbausgleich (Schatten/Mitten/Lichter) und Sättigung (2-Farben) verwenden direkte Farben.\n\Das Schwarz-Weiß-Werkzeug kann aktiviert werden, wenn eine beliebige Farbtönungsmethode verwendet wird, die eine Farbtönung ermöglicht. +TP_COLORTONING_METHOD_TOOLTIP;L*a*b*-Überlagerung, RGB-Regler und RGB-Kurven verwenden eine interpolierte Farbüberlagerung.\n\nFarbausgleich (Schatten/Mitten/Lichter) und Sättigung (2-Farben) verwenden direkte Farben.\nDas Schwarz-Weiß-Werkzeug kann aktiviert werden, wenn eine beliebige Farbtönungsmethode verwendet wird, die eine Farbtönung ermöglicht. TP_COLORTONING_MIDTONES;Mitten TP_COLORTONING_NEUTRAL;Regler zurücksetzen TP_COLORTONING_NEUTRAL_TOOLTIP;Alle Werte auf Standard zurücksetzen.\n(Schatten, Mitten, Lichter) @@ -2431,7 +2431,7 @@ TP_DIRPYRDENOISE_CHROMINANCE_MANUAL;Benutzerdefiniert TP_DIRPYRDENOISE_CHROMINANCE_MASTER;Chrominanz (Master) TP_DIRPYRDENOISE_CHROMINANCE_METHOD;Methode TP_DIRPYRDENOISE_CHROMINANCE_METHODADVANCED_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-\nRauschreduzierung verwendet.\n\nVorschau:\nNur der sichbare Teil des Bildes wird für die Berechnung\nder Chrominanz-Rauschreduzierung verwendet. -TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-Rauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet. InAbhängig von der Bildgröße, wird das Bild in ca. 10 bis 70 Kacheln aufgeteilt. Für jede Kachel wird die Chrominanz-auschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichtbare Teil des Bildes wird für die Berechnung der Chrominanz-Rauschreduzierung verwendet. +TP_DIRPYRDENOISE_CHROMINANCE_METHOD_TOOLTIP;Benutzerdefiniert:\nManuelle Anpassung der Chrominanz-Rauschreduzierung.\n\nAutomatisch Global:\nEs werden 9 Zonen für die Berechnung der Chrominanz-Rauschreduzierung verwendet.\n\nAuto-Multizonen:\nKeine Voransicht - wird erst beim Speichern angewendet.\nIn Abhängigkeit von der Bildgröße, wird das Bild in ca. 10 bis 70 Kacheln aufgeteilt. Für jede Kachel wird die Chrominanz-Rauschreduzierung individuell berechnet.\n\nVorschau:\nNur der sichtbare Teil des Bildes wird für die Berechnung der Chrominanz-Rauschreduzierung verwendet. TP_DIRPYRDENOISE_CHROMINANCE_PMZ;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEW;Vorschau TP_DIRPYRDENOISE_CHROMINANCE_PREVIEWRESIDUAL_INFO_TOOLTIP;Zeigt das Restrauschen des sichtbaren Bildbereichs\nin der 100%-Ansicht an.\n\n<50: Sehr wenig Rauschen\n50 - 100: Wenig Rauschen\n100 - 300: Durchschnittliches Rauschen\n>300: Hohes Rauschen\n\nDie Werte unterscheiden sich im L*a*b*- und RGB-Modus.\nDie RGB-Werte sind ungenauer, da der RGB-Modus\nLuminanz und Chrominanz nicht komplett trennt. @@ -2531,7 +2531,7 @@ TP_FILMNEGATIVE_BLUE;Blauverhältnis TP_FILMNEGATIVE_BLUEBALANCE;Balance Kalt/Warm TP_FILMNEGATIVE_COLORSPACE;Farbraum TP_FILMNEGATIVE_COLORSPACE_INPUT;Eingangsfarbraum -TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Wählen Sie den Farbraum aus, der verwendet werden soll, um die Negativ-Umkehrung durchzuführen:\nEingangsfarbraum: Führt die Umkehrung durch, bevor das Eingangsprofil angewendet wird, wie in den vorherigen Versionen von RT.\nArbeitsfarbraum< /b>: Führt die Umkehrung nach dem Eingabeprofil durch, wobei das aktuell ausgewählte Arbeitsprofil angewandt wird. +TP_FILMNEGATIVE_COLORSPACE_TOOLTIP;Wählen Sie den Farbraum aus, der verwendet werden soll, um die Negativ-Umkehrung durchzuführen:\nEingangsfarbraum: Führt die Umkehrung durch, bevor das Eingangsprofil angewendet wird, wie in den vorherigen Versionen von RT.\nArbeitsfarbraum< /b>: Führt die Umkehrung nach dem Eingabeprofil durch, wobei das aktuell ausgewählte Arbeitsprofil angewendet wird. TP_FILMNEGATIVE_COLORSPACE_WORKING;Arbeitsfarbraum TP_FILMNEGATIVE_GREEN;Bezugsexponent TP_FILMNEGATIVE_GREENBALANCE;Balance Magenta/Grün @@ -2737,9 +2737,9 @@ TP_LOCALLAB_ARTIF_TOOLTIP;Schwellenwert Bereich ΔE erhöht den Anwendungsbereic TP_LOCALLAB_AUTOGRAY;Automatisch mittlere Luminanz (Yb%) TP_LOCALLAB_AUTOGRAYCIE;Automatisch TP_LOCALLAB_AVOID;vermeide Farbverschiebungen -TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewandt wird. +TP_LOCALLAB_AVOIDCOLORSHIFT_TOOLTIP;Passt Farben an den Arbeitsfarbraum an und wendet die Munsell-Korrektur an (Uniform Perceptual Lab).\nMunsell-Korrektur ist deaktiviert wenn Jz oder CAM16 angewendet wird. TP_LOCALLAB_AVOIDMUN;Nur Munsell-Korrektur -TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewandt wird. +TP_LOCALLAB_AVOIDMUN_TOOLTIP;Munsell-Korrektur ist deaktiviert, wenn Jz or CAM16 angewendet wird. TP_LOCALLAB_AVOIDRAD;Radius TP_LOCALLAB_BALAN;ab-L Balance (ΔE) TP_LOCALLAB_BALANEXP;Laplace Balance @@ -2817,7 +2817,7 @@ TP_LOCALLAB_CIEMODE;Werkzeugposition ändern TP_LOCALLAB_CIEMODE_COM;Standard TP_LOCALLAB_CIEMODE_DR;Dynamikbereich TP_LOCALLAB_CIEMODE_TM;Tone-Mapping -TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewandt werden. +TP_LOCALLAB_CIEMODE_TOOLTIP;Im Standardmodus wird CIECAM am Ende des Prozesses hinzugefügt. 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' stehen für 'CAM16 und JzCzHz' zur Verfügung.\nAuf Wunsch kann CIECAM in andere Werkzeuge (TM, Wavelet, Dynamik, LOG-Kodierung) integriert werden. Das Ergebnis dieser Werkzeuge wird sich von denen ohne CIECAM unterscheiden. In diesem Modus können auch 'Maske und Anpassungen' und 'Wiederherstellung auf Luminanzmaske' angewendet werden. TP_LOCALLAB_CIEMODE_WAV;Wavelet TP_LOCALLAB_CIETOOLEXP;Kurven TP_LOCALLAB_CIE_TOOLNAME;Farberscheinung (Cam16 & JzCzHz) @@ -2915,7 +2915,7 @@ TP_LOCALLAB_EV_VIS_ALL;Alle zeigen TP_LOCALLAB_EXCLUF;Ausschließend TP_LOCALLAB_EXCLUF_TOOLTIP;Der 'Ausschlussmodus' verhindert, dass benachbarte Punkte bestimmte Teile des Bildes beeinflussen. Durch Anpassen von 'Bereich' wird der Farbbereich erweitert.\nSie können einem Ausschluss-Spot auch Werkzeuge hinzufügen und diese auf die gleiche Weise wie für einen normalen Punkt verwenden. TP_LOCALLAB_EXCLUTYPE;Art des Spots -TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Der normale Spot verwendet rekursive Daten.\n\nDer ausschließende Spot reinitialisiert alle lokalen Anpassungen.\nEr kann ganz oder partiell angewandt werden, um vorherige lokale Anpassungen zu relativieren oder zurückzusetzen.\n\n'Ganzes Bild' erlaubt lokale Anpassungen auf das gesamte Bild.\nDie RT Spot-Begrenzung wird außerhalb der Vorschau gesetzt.\nDer Übergangswert wird auf 100 gesetzt.\nMöglicherweise muss der RT-Spot neu positioniert oder in der Größe angepasst werden, um das erwünschte Ergebnis zu erzielen.\nAchtung: Die Anwendung von Rauschreduzierung, Wavelet oder schnelle Fouriertransformation im 'Ganzes Bild-Modus' benötigt viel Speicher und Rechenleistung und könnte bei schwachen Systemen zu unerwünschtem Abbruch oder Abstürzen führen. +TP_LOCALLAB_EXCLUTYPE_TOOLTIP;Der normale Spot verwendet rekursive Daten.\n\nDer ausschließende Spot reinitialisiert alle lokalen Anpassungen.\nEr kann ganz oder partiell angewendet werden, um vorherige lokale Anpassungen zu relativieren oder zurückzusetzen.\n\n'Ganzes Bild' erlaubt lokale Anpassungen auf das gesamte Bild.\nDie RT Spot-Begrenzung wird außerhalb der Vorschau gesetzt.\nDer Übergangswert wird auf 100 gesetzt.\nMöglicherweise muss der RT-Spot neu positioniert oder in der Größe angepasst werden, um das erwünschte Ergebnis zu erzielen.\nAchtung: Die Anwendung von Rauschreduzierung, Wavelet oder schnelle Fouriertransformation im 'Ganzes Bild-Modus' benötigt viel Speicher und Rechenleistung und könnte bei schwachen Systemen zu unerwünschtem Abbruch oder Abstürzen führen. TP_LOCALLAB_EXECLU;Ausschließender Spot TP_LOCALLAB_EXFULL;Gesamtes Bild TP_LOCALLAB_EXNORM;Normaler Spot @@ -2936,7 +2936,7 @@ TP_LOCALLAB_EXPLAPGAMM_TOOLTIP;Verändert das Verhalten des Bildes mit wenig ode TP_LOCALLAB_EXPLAPLIN_TOOLTIP;Verändert das Verhalten unterbelichteter Bilder indem eine lineare Komponente vor Anwendung der Laplace-Transformation hinzugefügt wird. TP_LOCALLAB_EXPLAP_TOOLTIP;Regler nach rechts reduziert schrittweise den Kontrast. TP_LOCALLAB_EXPMERGEFILE_TOOLTIP;Ermöglicht die Verwendung von GIMP oder Photoshop(c)-Ebenen-Mischmodi wie Differenz, Multiplikation, Weiches Licht, Überlagerung etc., mit Transparenzkontrolle.\nOriginalbild: Führe aktuellen RT-Spot mit Original zusammen.\nVorheriger Spot: Führe aktuellen RT-Spot mit vorherigem zusammen - bei nur einem vorherigen = Original.\nHintergrund: Führe aktuellen RT-Spot mit einem Farb- oder Luminanzhintergrund zusammen (weniger Möglichkeiten). -TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Wendet einen Median-Filter vor der Laplace-Transformation an, um (Rausch-)Artefakte zu vermeiden.\nAlternativ kann das Werkzeug zur Rauschreduzierung angewandt werden. +TP_LOCALLAB_EXPNOISEMETHOD_TOOLTIP;Wendet einen Median-Filter vor der Laplace-Transformation an, um (Rausch-)Artefakte zu vermeiden.\nAlternativ kann das Werkzeug zur Rauschreduzierung angewendet werden. TP_LOCALLAB_EXPOSE;Dynamik und Belichtung TP_LOCALLAB_EXPOSURE_TOOLTIP;Anpassung der Belichtung im L*a*b-Raum mittels Laplace PDE-Algorithmus um ΔE zu berücksichtigen und Artefakte zu minimieren. TP_LOCALLAB_EXPRETITOOLS;Erweiterte Retinex Werkzeuge @@ -2947,7 +2947,7 @@ TP_LOCALLAB_FATAMOUNT;Intensität TP_LOCALLAB_FATANCHOR;Versatz TP_LOCALLAB_FATDETAIL;Detail TP_LOCALLAB_FATFRA;Dynamikkompression -TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal - es wird der Fattal-Algorithmus zur Tonwertkorrektur angewandt. +TP_LOCALLAB_FATFRAME_TOOLTIP;PDE Fattal - es wird der Fattal-Algorithmus zur Tonwertkorrektur angewendet. TP_LOCALLAB_FATLEVEL;Sigma TP_LOCALLAB_FATSHFRA;Maske für den Bereich der Dynamikkompression TP_LOCALLAB_FEATH_TOOLTIP;Verlaufsbreite als Prozentsatz der Spot-Diagonalen.\nWird von allen Verlaufsfiltern in allen Werkzeugen verwendet.\nKeine Aktion, wenn kein Verlaufsfilter aktiviert wurde. @@ -2960,8 +2960,8 @@ TP_LOCALLAB_FULLIMAGE;Schwarz-Ev und Weiß-Ev für das gesamte Bild TP_LOCALLAB_FULLIMAGELOG_TOOLTIP;Berechnet die Ev-Level für das gesamte Bild. TP_LOCALLAB_GAM;Gamma TP_LOCALLAB_GAMC;Gamma -TP_LOCALLAB_GAMCOL_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten anwenden.\nWenn Gamma = 3 wird Luminanz 'linear' angewandt. -TP_LOCALLAB_GAMC_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten vor und nach der Behandlung von Pyramide 1 und Pyramide 2 anwenden.\nWenn Gamma = 3 wird Luminanz linear angewandt. +TP_LOCALLAB_GAMCOL_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten anwenden.\nWenn Gamma = 3 wird Luminanz 'linear' angewendet. +TP_LOCALLAB_GAMC_TOOLTIP;Gamma auf Luminanz L*a*b*-Daten vor und nach der Behandlung von Pyramide 1 und Pyramide 2 anwenden.\nWenn Gamma = 3 wird Luminanz linear angewendet. TP_LOCALLAB_GAMFRA;Farbtonkennlinie TP_LOCALLAB_GAMM;Gamma TP_LOCALLAB_GAMMASKCOL;Gamma @@ -3171,7 +3171,7 @@ TP_LOCALLAB_MASKRELOG_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen f TP_LOCALLAB_MASKRESCB_TOOLTIP;Wird verwendet, um den Effekt der CBDL-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die CBDL-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der CBDL-Einstellungen angewendet. TP_LOCALLAB_MASKRESH_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Schatten/Lichter basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für Schatten/Lichter geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Schatten/Lichter angewendet. TP_LOCALLAB_MASKRESRETI_TOOLTIP;Wird verwendet, um den Effekt der Retinex-Einstellungen (nur Luminanz) basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Retinex-Einstellungen geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Retinex-Einstellungen angewendet. -TP_LOCALLAB_MASKRESTM_TOOLTIP;Wird verwendet, um den Effekt der Tonwertkorrektur-Einstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske müssen aktiviert sein, um diese Funktion zu verwenden.\nDie Bereiche 'dunkel' und 'hell' unterhalb des Dunkelschwellenwertes und oberhalb des Helligkeitsschwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen der Tonwertkorrektur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Einstellungswert der Tonwertkorrektur angewandt. +TP_LOCALLAB_MASKRESTM_TOOLTIP;Wird verwendet, um den Effekt der Tonwertkorrektur-Einstellungen basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske müssen aktiviert sein, um diese Funktion zu verwenden.\nDie Bereiche 'dunkel' und 'hell' unterhalb des Dunkelschwellenwertes und oberhalb des Helligkeitsschwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen der Tonwertkorrektur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Einstellungswert der Tonwertkorrektur angewendet. TP_LOCALLAB_MASKRESVIB_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für Lebhaftigkeit und Warm/Kalt basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb des entsprechenden Schwellenwertes werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen Lebhaftigkeit und Farbtemperatur geändert werden.\nZwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für Lebhaftigkeit und Warm/Kalt angewendet. TP_LOCALLAB_MASKRESWAV_TOOLTIP;Wird verwendet, um den Effekt der Einstellungen für lokalen Kontrast und Wavelet basierend auf den in den L(L)- oder LC(H)-Masken (Maske und Anpassungen) enthaltenen Luminanz-Informationen zu modulieren.\nDie L(L)-Maske oder die LC(H)-Maske muss aktiviert sein, um diese Funktion verwenden zu können.\nDie Bereiche 'dunkel' und 'hell' unterhalb und oberhalb der entsprechenden Schwellenwerte werden schrittweise auf ihre ursprünglichen Werte zurückgesetzt, bevor sie durch die Einstellungen für lokalen Kontrast und Wavelet geändert werden. Zwischen diesen beiden Bereichen wird der volle Wert der Einstellungen für lokalen Kontrast und Wavelet angewendet. TP_LOCALLAB_MASKUNUSABLE;Maske deaktiviert (siehe Maske u. Anpassungen) @@ -3221,7 +3221,7 @@ TP_LOCALLAB_MRONE;Keine TP_LOCALLAB_MRTHR;Original Bild TP_LOCALLAB_MULTIPL_TOOLTIP;Weitbereichs-Toneinstellung: -18 EV bis + 4 EV. Der erste Regler wirkt auf sehr dunkle Töne zwischen -18 EV und -6 EV. Der letzte Regler wirkt auf helle Töne bis zu 4 EV. TP_LOCALLAB_NEIGH;Radius -TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewandt. +TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;Niedrigere Werte bewahren Details und Textur, höhere Werte erhöhen die Rauschunterdrückung.\nIst Gamma = 3, wird Luminanz 'linear' angewendet. TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;Passt die Intensität der Rauschreduzierung an die Größe der zu verarbeitenden Objekte an. TP_LOCALLAB_NLDENOISENLRAD_TOOLTIP;Höhere Werte erhöhen die Rauschreduzierung auf Kosten der Verarbeitungszeit. TP_LOCALLAB_NLDENOISE_TOOLTIP;'Detailwiederherstellung' basiert auf einer Laplace-Transformation, um einheitliche Bereiche und keine Bereiche mit Details zu erfassen. @@ -3237,7 +3237,7 @@ TP_LOCALLAB_NOISECHROC_TOOLTIP;Wenn der Wert über Null liegt, ist ein Algorithm TP_LOCALLAB_NOISECHRODETAIL;Chrominanz Detailwiederherstellung TP_LOCALLAB_NOISECHROFINE;Feine Chrominanz TP_LOCALLAB_NOISEGAM;Gamma -TP_LOCALLAB_NOISEGAM_TOOLTIP;Ist Gamma = 1 wird Luminanz 'Lab' angewandt. Ist Gamma = 3 wird Luminanz 'linear' angewandt.\nNiedrige Werte erhalten Details und Texturen, höhere Werte erhöhen die Rauschminderung. +TP_LOCALLAB_NOISEGAM_TOOLTIP;Ist Gamma = 1 wird Luminanz 'Lab' angewendet. Ist Gamma = 3 wird Luminanz 'linear' angewendet.\nNiedrige Werte erhalten Details und Texturen, höhere Werte erhöhen die Rauschminderung. TP_LOCALLAB_NOISELEQUAL;Equalizer Weiß-Schwarz TP_LOCALLAB_NOISELUMCOARSE;Grobe Luminanz TP_LOCALLAB_NOISELUMDETAIL;Luminanz Detailwiederherstellung @@ -3357,7 +3357,7 @@ TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;Ermöglicht die Visualisierung der verschiedene TP_LOCALLAB_SHOWMASKTYP1;Unschärfe-Rauschen TP_LOCALLAB_SHOWMASKTYP2;Rauschreduzierung TP_LOCALLAB_SHOWMASKTYP3;Unschärfe-Rauschen + Rauschreduzierung -TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Kann mit 'Maske und Anpassungen' verwendet werden.\nWenn 'Unschärfe und Rauschen' gewählt wurde, kann die Maske nicht für 'Rauschreduzierung' angewandt werden.\nWenn 'Rauschreduzierung' gewählt wurde, kann die Maske nicht für 'Unschärfe und Rauschen' angewandt werden.\nWenn 'Unschärfe und Rauschen + Rauschreduzierung' gewählt wurde, wird die Maske geteilt. Beachten Sie, dass in diesem Falle die Regler sowohl für 'Unschärfe und Rauschen' und 'Rauschreduzierung' aktiv sind, so dass sich empfiehlt, bei Anpassungen die Option 'Zeige Modifikationen mit Maske' zu verwenden. +TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;Kann mit 'Maske und Anpassungen' verwendet werden.\nWenn 'Unschärfe und Rauschen' gewählt wurde, kann die Maske nicht für 'Rauschreduzierung' angewendet werden.\nWenn 'Rauschreduzierung' gewählt wurde, kann die Maske nicht für 'Unschärfe und Rauschen' angewendet werden.\nWenn 'Unschärfe und Rauschen + Rauschreduzierung' gewählt wurde, wird die Maske geteilt. Beachten Sie, dass in diesem Falle die Regler sowohl für 'Unschärfe und Rauschen' und 'Rauschreduzierung' aktiv sind, so dass sich empfiehlt, bei Anpassungen die Option 'Zeige Modifikationen mit Maske' zu verwenden. TP_LOCALLAB_SHOWMNONE;Anzeige des modifizierten Bildes TP_LOCALLAB_SHOWMODIF;Anzeige der modifizierten Bereiche ohne Maske TP_LOCALLAB_SHOWMODIF2;Anzeige der modifizierten Bereiche From 4059ae5bcad8e18443bf8f37bcff84de1dcc0d03 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sun, 2 Oct 2022 08:25:52 +0200 Subject: [PATCH 122/170] Remove language keys from translations that were obsoleted (long ago) and therefore no longer present in default (#6593) --- rtdata/languages/Catala | 12 ------------ rtdata/languages/Chinese (Simplified) | 12 ------------ rtdata/languages/Czech | 12 ------------ rtdata/languages/Dansk | 12 ------------ rtdata/languages/Espanol (Latin America) | 12 ------------ rtdata/languages/Francais | 12 ------------ rtdata/languages/Italiano | 12 ------------ rtdata/languages/Japanese | 12 ------------ rtdata/languages/Magyar | 12 ------------ rtdata/languages/Nederlands | 12 ------------ rtdata/languages/Polish | 12 ------------ rtdata/languages/Portugues | 12 ------------ rtdata/languages/Portugues (Brasil) | 12 ------------ rtdata/languages/Russian | 12 ------------ rtdata/languages/Serbian (Cyrilic Characters) | 12 ------------ rtdata/languages/Slovenian | 12 ------------ rtdata/languages/Swedish | 12 ------------ 17 files changed, 204 deletions(-) diff --git a/rtdata/languages/Catala b/rtdata/languages/Catala index 2ecdd1d6c..4485966ff 100644 --- a/rtdata/languages/Catala +++ b/rtdata/languages/Catala @@ -167,7 +167,6 @@ HISTORY_CUSTOMCURVE;Corba particular HISTORY_FROMCLIPBOARD;Del portapapers HISTORY_LABEL;Història HISTORY_MSG_1;Imatge oberta -HISTORY_MSG_2;PP3 carregat HISTORY_MSG_3;PP3 canviat HISTORY_MSG_4;Repassant la història HISTORY_MSG_5;Brillantor @@ -181,9 +180,6 @@ HISTORY_MSG_12;Exposició automàtica HISTORY_MSG_13;Pèrdua per exposició HISTORY_MSG_14;Luminància: Brillantor HISTORY_MSG_15;Luminància: Contrast -HISTORY_MSG_16;Luminància: Negre -HISTORY_MSG_17;Luminància: Compressió de clars -HISTORY_MSG_18;Luminància: Compressió de foscos HISTORY_MSG_19;Corba 'L' HISTORY_MSG_20;Enfocant HISTORY_MSG_21;Enfocant -Radi @@ -208,10 +204,6 @@ HISTORY_MSG_40;Tint de balanç de blancs HISTORY_MSG_41;Corba de to mode 1 HISTORY_MSG_42;Corba de to 2 HISTORY_MSG_43;Corba de to mode 2 -HISTORY_MSG_44;Lumin. dessoroll Radi -HISTORY_MSG_45;Lumin. dessoroll, tolerància vores -HISTORY_MSG_46;Dessorollant color -HISTORY_MSG_47;Barreja clars intensos ICC amb la matriu HISTORY_MSG_48;Usa corba de to DCP HISTORY_MSG_49;Dessoroll de color, sensib. de vores HISTORY_MSG_50;Foscos/clars intensos @@ -219,7 +211,6 @@ HISTORY_MSG_51;Clars intensos HISTORY_MSG_52;Foscos HISTORY_MSG_53;Amplada de to de clars HISTORY_MSG_54;Amplada de to de foscos -HISTORY_MSG_55;Contrast local HISTORY_MSG_56;Radi foscos/clars intensos HISTORY_MSG_57;Rotació tosca HISTORY_MSG_58;Inversió horitzontal @@ -231,7 +222,6 @@ HISTORY_MSG_63;Instantània seleccionada HISTORY_MSG_64;Cropa foto HISTORY_MSG_65;Correcció A.C. HISTORY_MSG_66;Recuperació de clars intensos -HISTORY_MSG_67;Recup. de clars: quantitat HISTORY_MSG_68;Recup. de clars: mètode HISTORY_MSG_69;Espai de color de treball HISTORY_MSG_70;Espai de color de sortida @@ -242,12 +232,10 @@ HISTORY_MSG_74;Canviar l'escala HISTORY_MSG_75;Mètode de canvi d'escala HISTORY_MSG_76;Metadades Exif HISTORY_MSG_77;Metadades IPTC -HISTORY_MSG_78;Especificacions per a escalar HISTORY_MSG_79;Variar amplada HISTORY_MSG_80;Variar alçada HISTORY_MSG_81;Escalat activat HISTORY_MSG_82;Perfil canviat -HISTORY_MSG_83;Alta qual. ombres/clars intensos HISTORY_MSG_84;Correcció de perspectiva HISTORY_MSG_85;Perfil de correcció de la lent HISTORY_MSG_86;Equalitzador d'ónula diff --git a/rtdata/languages/Chinese (Simplified) b/rtdata/languages/Chinese (Simplified) index bd82dfea9..e4e89fed2 100644 --- a/rtdata/languages/Chinese (Simplified) +++ b/rtdata/languages/Chinese (Simplified) @@ -270,7 +270,6 @@ HISTORY_CUSTOMCURVE;自定义曲线 HISTORY_FROMCLIPBOARD;从剪贴板 HISTORY_LABEL;历史 HISTORY_MSG_1;图片加载完成 -HISTORY_MSG_2;配置加载完成 HISTORY_MSG_3;配置改变 HISTORY_MSG_4;历史浏览 HISTORY_MSG_5;曝光-亮度 @@ -284,9 +283,6 @@ HISTORY_MSG_12;曝光-自动色阶 HISTORY_MSG_13;曝光-溢出 HISTORY_MSG_14;L*a*b*-明度 HISTORY_MSG_15;L*a*b*-对比度 -HISTORY_MSG_16;L*a*b*-黑 -HISTORY_MSG_17;亮度高光压缩 -HISTORY_MSG_18;亮度阴影压缩 HISTORY_MSG_19;L*a*b*-L*曲线 HISTORY_MSG_20;锐化 HISTORY_MSG_21;USM锐化-半径 @@ -312,10 +308,6 @@ HISTORY_MSG_40;白平衡-色调 HISTORY_MSG_41;曝光-色调曲线1模式 HISTORY_MSG_42;曝光-色调曲线2 HISTORY_MSG_43;曝光-色调曲线2模式 -HISTORY_MSG_44;亮度降噪-半径 -HISTORY_MSG_45;亮度降噪-边缘容差 -HISTORY_MSG_46;色度降噪 -HISTORY_MSG_47;色度降噪-半径 HISTORY_MSG_48;色度降噪-边缘容差 HISTORY_MSG_49;色度降噪-边缘敏感度 HISTORY_MSG_50;阴影/高光工具 @@ -323,7 +315,6 @@ HISTORY_MSG_51;阴影/高光-高光 HISTORY_MSG_52;阴影/高光-阴影 HISTORY_MSG_53;阴影/高光-高光色调范围 HISTORY_MSG_54;阴影/高光-阴影色调范围 -HISTORY_MSG_55;阴影/高光-局部对比度 HISTORY_MSG_56;阴影/高光-半径 HISTORY_MSG_57;粗略旋转 HISTORY_MSG_58;水平翻转 @@ -335,7 +326,6 @@ HISTORY_MSG_63;选择快照 HISTORY_MSG_64;裁剪 HISTORY_MSG_65;色差矫正 HISTORY_MSG_66;曝光-高光还原 -HISTORY_MSG_67;曝光-高光还原数量 HISTORY_MSG_68;曝光-高光还原方法 HISTORY_MSG_69;工作色彩空间 HISTORY_MSG_70;输出色彩空间 @@ -346,12 +336,10 @@ HISTORY_MSG_74;调整大小-比例 HISTORY_MSG_75;调整大小-方法 HISTORY_MSG_76;Exif元数据 HISTORY_MSG_77;IPTC元数据 -HISTORY_MSG_78;调整大小数据 HISTORY_MSG_79;调整大小-宽度 HISTORY_MSG_80;调整大小-高度 HISTORY_MSG_81;调整大小 HISTORY_MSG_82;档案修改 -HISTORY_MSG_83;阴影/高光-锐度蒙板 HISTORY_MSG_84;视角矫正 HISTORY_MSG_85;镜头矫正-LCP档案 HISTORY_MSG_86;RGB曲线-色度模式 diff --git a/rtdata/languages/Czech b/rtdata/languages/Czech index 07877ce98..61e6af4bf 100644 --- a/rtdata/languages/Czech +++ b/rtdata/languages/Czech @@ -297,7 +297,6 @@ HISTORY_CUSTOMCURVE;Vlastní křivka HISTORY_FROMCLIPBOARD;Ze schránky HISTORY_LABEL;Historie HISTORY_MSG_1;Fotka načtena -HISTORY_MSG_2;PP3 načten HISTORY_MSG_3;PP3 změněn HISTORY_MSG_4;Prohlížení historie HISTORY_MSG_5;Expozice - Světlost @@ -311,9 +310,6 @@ HISTORY_MSG_12;Expozice - Automatické úrovně HISTORY_MSG_13;Expozice - Oříznutí HISTORY_MSG_14;L*a*b* - Světlost HISTORY_MSG_15;L*a*b* - Kontrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - L* křivka HISTORY_MSG_20;Doostření HISTORY_MSG_21;Doostření - Poloměr @@ -339,10 +335,6 @@ HISTORY_MSG_40;VB - Odstín HISTORY_MSG_41;Expozice - Tónová křivka - mód 1 HISTORY_MSG_42;Expozice - Tónová křivka 2 HISTORY_MSG_43;Expozice - Tónová křivka - mód 2 -HISTORY_MSG_44;Poloměr redukce šumu v jasech -HISTORY_MSG_45;Okrajová tolerance redukce šumu v jasech -HISTORY_MSG_46;Redukce barevného šumu -HISTORY_MSG_47;Smísení ICC světel s matici HISTORY_MSG_48;DCP - Tónová křivka HISTORY_MSG_49;DCP osvětlení HISTORY_MSG_50;Stíny/Světla @@ -350,7 +342,6 @@ HISTORY_MSG_51;S/S - Světla HISTORY_MSG_52;S/S - Stíny HISTORY_MSG_53;S/S - Tónový rozsah světel HISTORY_MSG_54;S/S - Tónový rozsah stínů -HISTORY_MSG_55;S/S - Místní kontrast HISTORY_MSG_56;S/S - Poloměr HISTORY_MSG_57;Hrubé otáčení HISTORY_MSG_58;Horizontální překlopení @@ -362,7 +353,6 @@ HISTORY_MSG_63;Snímek vybrán HISTORY_MSG_64;Ořez HISTORY_MSG_65;Korekce CA HISTORY_MSG_66;Expozice - Rekonstrukce světel -HISTORY_MSG_67;Expozice - míra HLR HISTORY_MSG_68;Expozice - metoda HLR HISTORY_MSG_69;Pracovní barevný prostor HISTORY_MSG_70;Výstupní barevný prostor @@ -373,12 +363,10 @@ HISTORY_MSG_74;Změna rozměrů - Míra HISTORY_MSG_75;Změna rozměrů - Metoda HISTORY_MSG_76;Exif metadata HISTORY_MSG_77;IPTC metadata -HISTORY_MSG_78;- HISTORY_MSG_79;Změna velikosti - šířka HISTORY_MSG_80;Změna velikosti - délka HISTORY_MSG_81;Změna velikosti HISTORY_MSG_82;Profil změněn -HISTORY_MSG_83;S/S - Maska ostrosti HISTORY_MSG_84;Korekce perspektivy HISTORY_MSG_85;Korekce objektivu - LCP soubor HISTORY_MSG_86;RGB křivky - Režim svítivost diff --git a/rtdata/languages/Dansk b/rtdata/languages/Dansk index 387e67464..2cfbf4e27 100644 --- a/rtdata/languages/Dansk +++ b/rtdata/languages/Dansk @@ -250,7 +250,6 @@ HISTORY_CUSTOMCURVE;Standardkurve HISTORY_FROMCLIPBOARD;Fra udklipsholder HISTORY_LABEL;Historik HISTORY_MSG_1;Foto indlæst -HISTORY_MSG_2;PP3 indlæst HISTORY_MSG_3;PP3 ændret HISTORY_MSG_4;Historik browsing HISTORY_MSG_5;Eksponering - Lyshed @@ -264,9 +263,6 @@ HISTORY_MSG_12;Eksponering - Autoniveauer HISTORY_MSG_13;Eksponering - Klip HISTORY_MSG_14;L*a*b* - Lyshed HISTORY_MSG_15;L*a*b* - Kontrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - L* kurve HISTORY_MSG_20;Skærpe HISTORY_MSG_21;USM - Radius @@ -292,10 +288,6 @@ HISTORY_MSG_40;WB - Farvenuance HISTORY_MSG_41;Eksponering - Tonekurve 1 mode HISTORY_MSG_42;Eksponering - Tonekurve 2 HISTORY_MSG_43;Eksponering - Tonekurve 2 mode -HISTORY_MSG_44;Lum. støjreduktionsradius -HISTORY_MSG_45;Lum. støjreduktion kant tolerance -HISTORY_MSG_46;Farvestøjreducering -HISTORY_MSG_47;Bland ICC-højlys med matrix HISTORY_MSG_48;DCP - Tonekurve HISTORY_MSG_49;DCP lyskilde HISTORY_MSG_50;Skygger/Højlys @@ -303,7 +295,6 @@ HISTORY_MSG_51;S/H - Højlys HISTORY_MSG_52;S/H - Skygger HISTORY_MSG_53;S/H – Højlysenes tonale bredde HISTORY_MSG_54;S/H – Skyggernes tonale bredde -HISTORY_MSG_55;S/H - Lokal kontrast HISTORY_MSG_56;S/H - Radius HISTORY_MSG_57;Grov rotation HISTORY_MSG_58;Vandret vending @@ -315,7 +306,6 @@ HISTORY_MSG_63;Snapshot valgt HISTORY_MSG_64;Beskær HISTORY_MSG_65;CA korrektion HISTORY_MSG_66;Eksponering – Højlys rekonstruktion -HISTORY_MSG_67;Eksponering - HLR mængde HISTORY_MSG_68;Eksponering - HLR metode HISTORY_MSG_69;Arbejdsfarverum HISTORY_MSG_70;Output farverum @@ -326,12 +316,10 @@ HISTORY_MSG_74;Ændre størrelse - Skala HISTORY_MSG_75;Ændre størrelse - Metode HISTORY_MSG_76;Exif metadata HISTORY_MSG_77;IPTC metadata -HISTORY_MSG_78;- HISTORY_MSG_79;Ændre størrelse - Bredde HISTORY_MSG_80;Ændre størrelse - Højde HISTORY_MSG_81;Ændre størrelse HISTORY_MSG_82;Profil ændret -HISTORY_MSG_83;S/H - Skærpemaske HISTORY_MSG_84;Perspektivkorrektion HISTORY_MSG_85;Objektivkorrektion - LCP fil HISTORY_MSG_86;RGB Kurver - Luminanstilstand diff --git a/rtdata/languages/Espanol (Latin America) b/rtdata/languages/Espanol (Latin America) index 952909889..56a73d30f 100644 --- a/rtdata/languages/Espanol (Latin America) +++ b/rtdata/languages/Espanol (Latin America) @@ -302,7 +302,6 @@ HISTORY_CUSTOMCURVE;Curva a medida HISTORY_FROMCLIPBOARD;Desde el portapapeles HISTORY_LABEL;Historial HISTORY_MSG_1;Foto abierta -HISTORY_MSG_2;Perfil Abierto HISTORY_MSG_3;Perfil cambiado HISTORY_MSG_4;Búsqueda de historial HISTORY_MSG_5;Brillo @@ -316,9 +315,6 @@ HISTORY_MSG_12;Exposición automática HISTORY_MSG_13;Recorte de exposición HISTORY_MSG_14;Lab - Claridad HISTORY_MSG_15;Lab - Contraste -HISTORY_MSG_16;Luminancia - Negro -HISTORY_MSG_17;Luminancia - Compr. de luces altas -HISTORY_MSG_18;Luminancia - Compr. de sombras HISTORY_MSG_19;Curva 'L' HISTORY_MSG_20;Enfoque HISTORY_MSG_21;Enfoque - Radio @@ -344,10 +340,6 @@ HISTORY_MSG_40;Equilibrio de Blancos - Tinte HISTORY_MSG_41;Curva tonal modo 1 HISTORY_MSG_42;Curva tonal 2 HISTORY_MSG_43;Curva tonal modo 2 -HISTORY_MSG_44;Red. ruido de lum. - Radio -HISTORY_MSG_45;Red. ruido de lum. - Tolerancia de Bordes -HISTORY_MSG_46;Red. ruido de color -HISTORY_MSG_47;Mezcla luces altas ICC con matriz HISTORY_MSG_48;Usar curva de tono DCP HISTORY_MSG_49;Iluminante DCP HISTORY_MSG_50;Sombras/Luces altas (S/LA) @@ -355,7 +347,6 @@ HISTORY_MSG_51;S/LA - Luces altas HISTORY_MSG_52;S/LA - Sombras HISTORY_MSG_53;S/LA - Ancho tonal Luces Altas HISTORY_MSG_54;S/LA - Ancho tonal Sombras -HISTORY_MSG_55;S/LA - Contraste local HISTORY_MSG_56;S/LA - Radio HISTORY_MSG_57;Rotación basta HISTORY_MSG_58;Volteo horizontal @@ -367,7 +358,6 @@ HISTORY_MSG_63;Marcador seleccionado HISTORY_MSG_64;Recortar foto HISTORY_MSG_65;Corrección aberraciones cromáticas HISTORY_MSG_66;Recuperación de luces altas -HISTORY_MSG_67;Recuperación de luces altas - Cantidad HISTORY_MSG_68;Recuperación de luces altas - Método HISTORY_MSG_69;Espacio de color de trabajo HISTORY_MSG_70;Espacio de color de salida @@ -378,12 +368,10 @@ HISTORY_MSG_74;Cambiar tamaño - Escala HISTORY_MSG_75;Cambiar tamaño - Método HISTORY_MSG_76;Metadatos de Exif HISTORY_MSG_77;Metadatos de IPTC -HISTORY_MSG_78;Datos especificados para cambio tamaño HISTORY_MSG_79;Cambiar tamaño - Anchura HISTORY_MSG_80;Cambiar tamaño - Altura HISTORY_MSG_81;Cambio tamaño activado HISTORY_MSG_82;Perfil cambiado -HISTORY_MSG_83;Sombras/Luces Altas - Enfoque HISTORY_MSG_84;Corrección de perspectiva HISTORY_MSG_85;Perfil Corrector de Lente HISTORY_MSG_86;Curvas RGB - Modo luminosidad diff --git a/rtdata/languages/Francais b/rtdata/languages/Francais index abb68fdbc..b7b2c7ec7 100644 --- a/rtdata/languages/Francais +++ b/rtdata/languages/Francais @@ -241,7 +241,6 @@ HISTORY_CUSTOMCURVE;Courbe personnelle HISTORY_FROMCLIPBOARD;Du presse-papier HISTORY_LABEL;Historique HISTORY_MSG_1;Photo chargée -HISTORY_MSG_2;Profil chargé HISTORY_MSG_3;Profil changé HISTORY_MSG_4;Navigation dans l'historique HISTORY_MSG_5;Luminosité @@ -255,9 +254,6 @@ HISTORY_MSG_12;Niveaux auto HISTORY_MSG_13;Rognage de l'exposition HISTORY_MSG_14;Lab - Luminosité HISTORY_MSG_15;Lab - Contraste -HISTORY_MSG_16;Luminance - Noir -HISTORY_MSG_17;Luminance - Compression hautes lumières -HISTORY_MSG_18;Luminance - Compression des ombres HISTORY_MSG_19;Courbe 'L' HISTORY_MSG_20;Netteté HISTORY_MSG_21;Netteté (USM) - Rayon @@ -283,10 +279,6 @@ HISTORY_MSG_40;BdB - Teinte HISTORY_MSG_41;Mode courbe tonale 1 HISTORY_MSG_42;Courbe tonale2 HISTORY_MSG_43;Mode courbe tonale 2 -HISTORY_MSG_44;Débruitage Lum. - Rayon -HISTORY_MSG_45;Débruitage Lum. - Tolérance des bords -HISTORY_MSG_46;Débruitage Chromatique -HISTORY_MSG_47;Mélange HL du profil ICC et la matrice HISTORY_MSG_48;Courbe tonale du profil DCP HISTORY_MSG_49;Illuminant DCP HISTORY_MSG_50;Ombres/Hautes lumières @@ -294,7 +286,6 @@ HISTORY_MSG_51;O/HL - Hautes lumières HISTORY_MSG_52;O/HL - Ombres HISTORY_MSG_53;O/HL - Amplitude tonale des HL HISTORY_MSG_54;O/HL - Amplitude tonale des ombres -HISTORY_MSG_55;O/HL - Contraste Local HISTORY_MSG_56;O/HL - Rayon HISTORY_MSG_57;Rotation grossière HISTORY_MSG_58;Symétrisation / axe vertical @@ -306,7 +297,6 @@ HISTORY_MSG_63;Signet sélectionné HISTORY_MSG_64;Recadrage HISTORY_MSG_65;Aberration chromatique HISTORY_MSG_66;Reconst. Hautes lumières -HISTORY_MSG_67;Reconst. HL - Quantité HISTORY_MSG_68;Reconst. HL - Méthode HISTORY_MSG_69;Espace de couleur de travail HISTORY_MSG_70;Espace de couleur de sortie @@ -317,12 +307,10 @@ HISTORY_MSG_74;Redim. - Échelle HISTORY_MSG_75;Méthode de redimensionnement HISTORY_MSG_76;Métadonnées EXIF HISTORY_MSG_77;Métadonnées IPTC -HISTORY_MSG_78;Type de redimensionnement HISTORY_MSG_79;Redim. - Largeur HISTORY_MSG_80;Redim. - Hauteur HISTORY_MSG_81;Redimensionnement HISTORY_MSG_82;Changement de profil -HISTORY_MSG_83;O/HL - Masque haute précision HISTORY_MSG_84;Correction de la perspective HISTORY_MSG_85;LCP HISTORY_MSG_86;Courbes RVB - Mode luminosité diff --git a/rtdata/languages/Italiano b/rtdata/languages/Italiano index dbc751e18..e4447f7f6 100644 --- a/rtdata/languages/Italiano +++ b/rtdata/languages/Italiano @@ -196,7 +196,6 @@ HISTORY_CUSTOMCURVE;Curva personalizzata HISTORY_FROMCLIPBOARD;Dagli appunti HISTORY_LABEL;Cronologia HISTORY_MSG_1;Foto caricata -HISTORY_MSG_2;PP3 caricato HISTORY_MSG_3;PP3 modificato HISTORY_MSG_4;Visualizzazione cronologia HISTORY_MSG_5;Luminosità @@ -210,9 +209,6 @@ HISTORY_MSG_12;Livelli Automatici HISTORY_MSG_13;Tosaggio Esposizione HISTORY_MSG_14;Lab - Luminosità HISTORY_MSG_15;Lab - Contrasto -HISTORY_MSG_16;Luminanza: Livello del nero -HISTORY_MSG_17;Luminanza: Compr. alteluci -HISTORY_MSG_18;Luminanza: Compr. ombre HISTORY_MSG_19;Curva per 'L' HISTORY_MSG_20;Nitidezza HISTORY_MSG_21;USM - Raggio @@ -238,10 +234,6 @@ HISTORY_MSG_40;WB - Tinta HISTORY_MSG_41;Curva Tono Modo 1 HISTORY_MSG_42;Curva Tono 2 HISTORY_MSG_43;Curva Tono Modo 2 -HISTORY_MSG_44;Rid. rumore lum. - Raggio -HISTORY_MSG_45;Rid. rumore lum. - Tolleranza bordi -HISTORY_MSG_46;Riduzione Rumore Crominanza -HISTORY_MSG_47;Fondi alteluci ICC con matrix HISTORY_MSG_48;Usa curva tono del DCP HISTORY_MSG_49;DCP - Illuminazione HISTORY_MSG_50;Ombre/Alteluci @@ -249,7 +241,6 @@ HISTORY_MSG_51;S/H - Alteluci HISTORY_MSG_52;S/H - Ombre HISTORY_MSG_53;S/H - Ampiezza tonale - Alteluci HISTORY_MSG_54;S/H - Ampiezza tonale - Ombre -HISTORY_MSG_55;S/H - Contrasto locale HISTORY_MSG_56;S/H - Ombre/Alteluci - Raggio HISTORY_MSG_57;Rotazione semplice HISTORY_MSG_58;Ribaltamento orizzontale @@ -261,7 +252,6 @@ HISTORY_MSG_63;Istantanea Selezionata HISTORY_MSG_64;Ritaglia HISTORY_MSG_65;Correzione AC HISTORY_MSG_66;Ricostruzione Alteluci -HISTORY_MSG_67;Ricostruzione Alteluci - Quantità HISTORY_MSG_68;Ricostruzione Alteluci - Metodo HISTORY_MSG_69;Spazio Colore di Lavoro HISTORY_MSG_70;Spazio Colore di Uscita @@ -272,12 +262,10 @@ HISTORY_MSG_74;Ridimensiona - Scala HISTORY_MSG_75;Ridimensiona - Metodo HISTORY_MSG_76;Metadati Exif HISTORY_MSG_77;Metadati IPTC -HISTORY_MSG_78;Misure specificate per Ridimensiona HISTORY_MSG_79;Ridimensiona - Larghezza HISTORY_MSG_80;Ridimensiona - Altezza HISTORY_MSG_81;Ridimensiona - Abilitato HISTORY_MSG_82;Profilo modificato -HISTORY_MSG_83;S/H - Maschera di Nitidezza HISTORY_MSG_84;Correzione prospettiva HISTORY_MSG_85;Profilo di Correzione Obiettivo HISTORY_MSG_86;Curve RGB - Modalità Luminosità diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index 0984b5a4b..913ee8112 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -273,7 +273,6 @@ HISTORY_CUSTOMCURVE;カスタムカーブ HISTORY_FROMCLIPBOARD;クリップボードから HISTORY_LABEL;履歴 HISTORY_MSG_1;写真を読み込みました -HISTORY_MSG_2;PP3を読み込みました HISTORY_MSG_3;PP3を変更しました HISTORY_MSG_4;履歴ブラウジング HISTORY_MSG_5;明るさ @@ -287,9 +286,6 @@ HISTORY_MSG_12;自動露光補正 HISTORY_MSG_13;露光 クリッピング HISTORY_MSG_14;L*a*b* - 明度 HISTORY_MSG_15;L*a*b* - コントラスト -HISTORY_MSG_16;輝度 黒レベル -HISTORY_MSG_17;輝度 ハイライト圧縮 -HISTORY_MSG_18;輝度 シャドウ圧縮 HISTORY_MSG_19;L*a*b* - L*カーブ HISTORY_MSG_20;シャープニング HISTORY_MSG_21;シャープニング 半径 @@ -315,10 +311,6 @@ HISTORY_MSG_40;色偏差 HISTORY_MSG_41;トーンカーブ1のモード HISTORY_MSG_42;トーンカーブ 2 HISTORY_MSG_43;トーンカーブ2のモード -HISTORY_MSG_44;輝度ノイズ低減 半径 -HISTORY_MSG_45;輝度ノイズ低減 エッジの許容度 -HISTORY_MSG_46;色ノイズ低減 -HISTORY_MSG_47;マトリクスでICCハイライト・ブレンド HISTORY_MSG_48;DCPトーンカーブ使用 HISTORY_MSG_49;色ノイズ低減 エッジの感度 HISTORY_MSG_50;シャドウ/ハイライト @@ -326,7 +318,6 @@ HISTORY_MSG_51;ハイライト HISTORY_MSG_52;シャドウ HISTORY_MSG_53;ハイライト トーンの幅 HISTORY_MSG_54;シャドウ トーンの幅 -HISTORY_MSG_55;ローカルコントラスト HISTORY_MSG_56;シャドウ/ハイライト 半径 HISTORY_MSG_57;90度 回転 HISTORY_MSG_58;左右反転 @@ -338,7 +329,6 @@ HISTORY_MSG_63;スナップショット選択 HISTORY_MSG_64;写真切り抜き HISTORY_MSG_65;色収差補正 HISTORY_MSG_66;ハイライト復元 -HISTORY_MSG_67;ハイライト復元 量 HISTORY_MSG_68;ハイライト復元 方式 HISTORY_MSG_69;作業色空間 HISTORY_MSG_70;出力色空間 @@ -349,12 +339,10 @@ HISTORY_MSG_74;リサイズ スケール HISTORY_MSG_75;リサイズ 方式 HISTORY_MSG_76;Exif メタデータ HISTORY_MSG_77;IPTC メタデータ -HISTORY_MSG_78;リサイズ指定のデータ HISTORY_MSG_79;リサイズ幅 HISTORY_MSG_80;リサイズ 高さ HISTORY_MSG_81;リサイズの有効・無効 HISTORY_MSG_82;プロファイル変更 -HISTORY_MSG_83;高画質 シャドウ/ハイライト HISTORY_MSG_84;パースペクティブの補正 HISTORY_MSG_85;レンズ補正 プロファイル HISTORY_MSG_86;RGB カーブ - 輝度モード diff --git a/rtdata/languages/Magyar b/rtdata/languages/Magyar index 8d1985924..6283dbe4b 100644 --- a/rtdata/languages/Magyar +++ b/rtdata/languages/Magyar @@ -161,7 +161,6 @@ HISTORY_CUSTOMCURVE;Saját görbe HISTORY_FROMCLIPBOARD;Vágólapról HISTORY_LABEL;Előzmények HISTORY_MSG_1;Kép betöltve -HISTORY_MSG_2;Beállítások betöltése HISTORY_MSG_3;Beállítások változtatása HISTORY_MSG_4;Előzményböngészés HISTORY_MSG_5;Fényerő @@ -175,9 +174,6 @@ HISTORY_MSG_12;Auto szint HISTORY_MSG_13;Vágás HISTORY_MSG_14;Luminancia, fényerő HISTORY_MSG_15;Luminancia, kontraszt -HISTORY_MSG_16;Luminancia, fekete szint -HISTORY_MSG_17;Luminancia, világos tónusok tömörítése -HISTORY_MSG_18;Luminancia, sötét tónusok tömörítése HISTORY_MSG_19;Luminancia görbe HISTORY_MSG_20;Élesítés HISTORY_MSG_21;Élesítés sugara @@ -203,10 +199,6 @@ HISTORY_MSG_40;Fehér árnyalat HISTORY_MSG_41;Színeltolás "A" HISTORY_MSG_42;Színeltolás "B" HISTORY_MSG_43;Luminanciazaj-csökkentés -HISTORY_MSG_44;Lum. zajcsökkentés sugara -HISTORY_MSG_45;Lum. zajcsökkentés éltoleranciája -HISTORY_MSG_46;Színzaj-csökkentés -HISTORY_MSG_47;Színzaj-csökkentés sugara HISTORY_MSG_48;Színzaj-csökkentés éltoleranciája HISTORY_MSG_49;Élérzékeny színzaj-csökkentés HISTORY_MSG_50;Árnyékok/Fények korrekció @@ -214,7 +206,6 @@ HISTORY_MSG_51;Fényes részek HISTORY_MSG_52;Sötét részek HISTORY_MSG_53;Világos tónustartomány HISTORY_MSG_54;Sötét tónustartomány -HISTORY_MSG_55;Lokális kontraszt HISTORY_MSG_56;Árnyékok/Fények sugár HISTORY_MSG_57;Durva forgatás HISTORY_MSG_58;Vízszintes tükrözés @@ -226,7 +217,6 @@ HISTORY_MSG_63;Pillanatkép kiválasztása HISTORY_MSG_64;Képkivágás HISTORY_MSG_65;Kromatikus aberráció korrekciója HISTORY_MSG_66;Kiégett részek megmentése -HISTORY_MSG_67;Kiégett részek visszaállítása HISTORY_MSG_68;Kiégett részek algoritmus HISTORY_MSG_69;Feldolgozási (munka-) színprofil HISTORY_MSG_70;Kimeneti színprofil @@ -237,12 +227,10 @@ HISTORY_MSG_74;Átméretezés szorzója HISTORY_MSG_75;Átméretezés algoritmusa HISTORY_MSG_76;EXIF Metaadatok HISTORY_MSG_77;IPTC Metaadatok -HISTORY_MSG_78;Data specified for resize HISTORY_MSG_79;Átméretezés szélesség szerint HISTORY_MSG_80;Átméretezés magasság szerint HISTORY_MSG_81;Átméretezés engedélyezve HISTORY_MSG_82;Megváltozott profil -HISTORY_MSG_83;Árnyékok/csúcsfények - kiváló minőség HISTORY_MSG_84;Perspektívakorrekció HISTORY_MSG_85;Wavelet együtthatók HISTORY_MSG_86;Wavelet equalizer diff --git a/rtdata/languages/Nederlands b/rtdata/languages/Nederlands index 210a6e86c..63eaeccc6 100644 --- a/rtdata/languages/Nederlands +++ b/rtdata/languages/Nederlands @@ -266,7 +266,6 @@ HISTORY_CUSTOMCURVE;Handmatig HISTORY_FROMCLIPBOARD;Van klembord HISTORY_LABEL;Geschiedenis HISTORY_MSG_1;Foto geladen -HISTORY_MSG_2;Profiel geladen HISTORY_MSG_3;Profiel aangepast HISTORY_MSG_4;Door geschiedenis bladeren HISTORY_MSG_5;Helderheid @@ -280,9 +279,6 @@ HISTORY_MSG_12;Automatische belichting HISTORY_MSG_13;Drempel HISTORY_MSG_14;L*a*b* - Helderheid HISTORY_MSG_15;L*a*b* - Contrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - L* curve HISTORY_MSG_20;Verscherpen HISTORY_MSG_21;OSM - Straal @@ -308,10 +304,6 @@ HISTORY_MSG_40;Witbalans Groentint HISTORY_MSG_41;Tooncurve Mode 1 HISTORY_MSG_42;Tooncurve 2 HISTORY_MSG_43;Tooncurve Mode 2 -HISTORY_MSG_44;Lum. Straal ruisond. -HISTORY_MSG_45;Lum. Randtolerantie ruisond. -HISTORY_MSG_46;Ruisonderdrukking kleur -HISTORY_MSG_47;Meng hoge lichten met matrix HISTORY_MSG_48;Gebruik DCP's toon curve HISTORY_MSG_49;DCP Illuminant HISTORY_MSG_50;Schaduwen/hoge lichten @@ -319,7 +311,6 @@ HISTORY_MSG_51;S/HL - Hoge lichten HISTORY_MSG_52;S/HL - Schaduwen HISTORY_MSG_53;S/HL - Toonomvang HL. HISTORY_MSG_54;S/HL - Toonomvang S. -HISTORY_MSG_55;S/HL - Lokaal contrast HISTORY_MSG_56;S/HL - Straal HISTORY_MSG_57;Grof roteren HISTORY_MSG_58;Horizontaal spiegelen @@ -331,7 +322,6 @@ HISTORY_MSG_63;Snapshot HISTORY_MSG_64;Bijsnijden HISTORY_MSG_65;CA-correctie HISTORY_MSG_66;Hoge lichten herstellen -HISTORY_MSG_67;HL herstellen hoeveelheid HISTORY_MSG_68;HL herstellen methode HISTORY_MSG_69;Kleurwerkruimte HISTORY_MSG_70;Uitvoerkleurruimte @@ -342,12 +332,10 @@ HISTORY_MSG_74;Schalingsinstelling HISTORY_MSG_75;Schalingsmethode HISTORY_MSG_76;Exif-metadata HISTORY_MSG_77;IPTC-metadata -HISTORY_MSG_78;Schalen HISTORY_MSG_79;Schalen - Breedte HISTORY_MSG_80;Schalen - Hoogte HISTORY_MSG_81;Schalen geactiveerd HISTORY_MSG_82;Profiel veranderd -HISTORY_MSG_83;S/HL - Verscherpingsmasker HISTORY_MSG_84;Perspectiefcorrectie HISTORY_MSG_85;Lenscorrectie Profiel HISTORY_MSG_86;RGB Curven - Luminos. Mode diff --git a/rtdata/languages/Polish b/rtdata/languages/Polish index 0d41a80c1..06ed63aba 100644 --- a/rtdata/languages/Polish +++ b/rtdata/languages/Polish @@ -243,7 +243,6 @@ HISTORY_CUSTOMCURVE;Krzywa własna HISTORY_FROMCLIPBOARD;Ze schowka HISTORY_LABEL;Historia HISTORY_MSG_1;Zdjęcie załadowane -HISTORY_MSG_2;Profil załadowany HISTORY_MSG_3;Profil zmieniony HISTORY_MSG_4;Przeglądanie historii HISTORY_MSG_5;Światłość @@ -257,9 +256,6 @@ HISTORY_MSG_12;Automatyczna ekspozycja HISTORY_MSG_13;Przycinanie ekspozycji HISTORY_MSG_14;L*a*b* - Światłość HISTORY_MSG_15;L*a*b* - Kontrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;Krzywa L* HISTORY_MSG_20;Wyostrzanie HISTORY_MSG_21;USM - Promień @@ -285,10 +281,6 @@ HISTORY_MSG_40;BB - Odcień HISTORY_MSG_41;Tryb krzywej 1 HISTORY_MSG_42;Krzywa 1 HISTORY_MSG_43;Tryb krzywej 2 -HISTORY_MSG_44;Odszumianie lum. - Promień -HISTORY_MSG_45;Odszumianie lum. - Tolerancja krawędzi -HISTORY_MSG_46;Odszumianie koloru -HISTORY_MSG_47;Mieszanie podświetleń ICC z matrycą HISTORY_MSG_48;Użycie krzywej tonalnej z DCP HISTORY_MSG_49;Illuminant DCP HISTORY_MSG_50;Cienie/Podświetlenia @@ -296,7 +288,6 @@ HISTORY_MSG_51;C/P - Podświetlenia HISTORY_MSG_52;C/P - Cienie HISTORY_MSG_53;C/P - Szerokość tonalna podśw. HISTORY_MSG_54;C/P - Szerokość tonalna cieni -HISTORY_MSG_55;C/P - Kontrast lokalny HISTORY_MSG_56;C/P - Promień HISTORY_MSG_57;Obrót dyskretny HISTORY_MSG_58;Odbicie w poziomie @@ -308,7 +299,6 @@ HISTORY_MSG_63;Migawka wybrana HISTORY_MSG_64;Kadrowanie HISTORY_MSG_65;Korekcja aberracji chromatycznej HISTORY_MSG_66;Rekonstrukcja prześwietleń -HISTORY_MSG_67;Rekonstrukcja prześwietleń - Siła HISTORY_MSG_68;Rekonstrukcja prześwietleń - Metoda HISTORY_MSG_69;Robocza przestrzeń kolorów HISTORY_MSG_70;Wyjściowa przestrzeń kolorów @@ -319,12 +309,10 @@ HISTORY_MSG_74;Zmiany rozmiaru - Skala HISTORY_MSG_75;Zmiany rozmiaru - Metoda HISTORY_MSG_76;Metadane Exif HISTORY_MSG_77;Metadane IPTC -HISTORY_MSG_78;- HISTORY_MSG_79;Zmiany rozmiaru - Szerokość HISTORY_MSG_80;Zmiany rozmiaru - Wysokość HISTORY_MSG_81;Zmiany rozmiaru HISTORY_MSG_82;Profil zmieniony -HISTORY_MSG_83;C/P - Ostra maska HISTORY_MSG_84;Korekcja perspektywy HISTORY_MSG_85;LCP HISTORY_MSG_86;Krzywe RGB - Tryb luminancji diff --git a/rtdata/languages/Portugues b/rtdata/languages/Portugues index a887d92fe..09d3aa790 100644 --- a/rtdata/languages/Portugues +++ b/rtdata/languages/Portugues @@ -242,7 +242,6 @@ HISTORY_CUSTOMCURVE;Curva personalizada HISTORY_FROMCLIPBOARD;Da área de transferência HISTORY_LABEL;Histórico HISTORY_MSG_1;Foto carregada -HISTORY_MSG_2;PP3 carregado HISTORY_MSG_3;PP3 alterado HISTORY_MSG_4;Histórico de navegação HISTORY_MSG_5;Exposição - Claridade @@ -256,9 +255,6 @@ HISTORY_MSG_12;Exposição - Níveis automáticos HISTORY_MSG_13;Exposição - Cortado HISTORY_MSG_14;L*a*b* - Claridade HISTORY_MSG_15;L*a*b* - Contraste -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - Curva L* HISTORY_MSG_20;Nitidez HISTORY_MSG_21;Nitidez - Raio @@ -284,10 +280,6 @@ HISTORY_MSG_40;Balanço de brancos - Tingimento HISTORY_MSG_41;Exposição - Modo de curva de tom 1 HISTORY_MSG_42;Exposição - Curva de tom 2 HISTORY_MSG_43;Exposição - Modo de curva de tom 2 -HISTORY_MSG_44;Raio de redução de ruídos da luminância -HISTORY_MSG_45;Tolerância de bordas da redução de ruídos da luminância -HISTORY_MSG_46;Redução de ruídos da cor -HISTORY_MSG_47;Misturar as altas luzes ICC com a matriz HISTORY_MSG_48;DCP - Curva de tom HISTORY_MSG_49;DCP iluminante HISTORY_MSG_50;Sombras/altas luzes @@ -295,7 +287,6 @@ HISTORY_MSG_51;Sombras/altas luzes - Altas luzes HISTORY_MSG_52;Sombras/altas luzes - Sombras HISTORY_MSG_53;Sombras/altas luzes - Largura tonal das altas luzes HISTORY_MSG_54;Sombras/altas luzes - Largura tonal das sombras -HISTORY_MSG_55;Sombras/altas luzes - Contraste local HISTORY_MSG_56;Sombras/altas luzes - Raio HISTORY_MSG_57;Rotação em ângulos retos HISTORY_MSG_58;Espelhamento horizontal @@ -307,7 +298,6 @@ HISTORY_MSG_63;Instantâneo selecionado HISTORY_MSG_64;Cortar HISTORY_MSG_65;Correção de aberração cromática HISTORY_MSG_66;Exposição - Reconstrução das altas luzes -HISTORY_MSG_67;Exposição - Quantidade de Reconstrução das altas luzes HISTORY_MSG_68;Exposição - Método de Reconstrução das altas luzes HISTORY_MSG_69;Espaço de cor de trabalho HISTORY_MSG_70;Espaço de cor de saída @@ -318,12 +308,10 @@ HISTORY_MSG_74;Redimensionar - Escala HISTORY_MSG_75;Redimensionar - Método HISTORY_MSG_76;Metadados Exif HISTORY_MSG_77;Metadados IPTC -HISTORY_MSG_78;- HISTORY_MSG_79;Redimensionar - Largura HISTORY_MSG_80;Redimensionar - Altura HISTORY_MSG_81;Redimensionar HISTORY_MSG_82;Perfil alterado -HISTORY_MSG_83;Sombras/altas luzes - Máscara de nitidez HISTORY_MSG_84;Correção de perspetiva HISTORY_MSG_85;Correção da lente - Ficheiro LCP HISTORY_MSG_86;Curvas RGB - Modo de luminosidade diff --git a/rtdata/languages/Portugues (Brasil) b/rtdata/languages/Portugues (Brasil) index ffed0f612..cf386f5ff 100644 --- a/rtdata/languages/Portugues (Brasil) +++ b/rtdata/languages/Portugues (Brasil) @@ -249,7 +249,6 @@ HISTORY_CUSTOMCURVE;Curva personalizada HISTORY_FROMCLIPBOARD;Da área de transferência HISTORY_LABEL;Histórico HISTORY_MSG_1;Foto Carregada -HISTORY_MSG_2;PP3 Perfil carregado HISTORY_MSG_3;PP3 Perfil alterado HISTORY_MSG_4;Histórico de navegação HISTORY_MSG_5;Exposição - Claridade @@ -263,9 +262,6 @@ HISTORY_MSG_12;Exposição - Níveis automáticos HISTORY_MSG_13;Exposição - Clip HISTORY_MSG_14;L*a*b* - Claridade HISTORY_MSG_15;L*a*b* - Contraste -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - L* curva HISTORY_MSG_20;Nitidez HISTORY_MSG_21;USM - Raio @@ -291,10 +287,6 @@ HISTORY_MSG_40;Balanço de Branco - Matiz HISTORY_MSG_41;Exposição - Modo de curva de tom 1 HISTORY_MSG_42;Exposição - Curva de tom 2 HISTORY_MSG_43;Exposição - Modo de curva de tom 2 -HISTORY_MSG_44;Raio de remoção de ruídos da Lum. -HISTORY_MSG_45;Tolerância de bordas da remoção de ruídos da Lum. -HISTORY_MSG_46;Remoção de ruídos da cor -HISTORY_MSG_47;Misture os realces ICC com a matriz HISTORY_MSG_48;DCP - Curva de tom HISTORY_MSG_49;DCP iluminante HISTORY_MSG_50;Sombras/Realces @@ -302,7 +294,6 @@ HISTORY_MSG_51;S/H - Realces HISTORY_MSG_52;S/H - Sombras HISTORY_MSG_53;S/H - Largura tonal dos realces HISTORY_MSG_54;S/H - Largura tonal das sombras -HISTORY_MSG_55;S/H - Contraste local HISTORY_MSG_56;S/H - Raio HISTORY_MSG_57;Rotação grosseira HISTORY_MSG_58;Giro Horizontal @@ -314,7 +305,6 @@ HISTORY_MSG_63;Instantâneo selecionado HISTORY_MSG_64;Cortar HISTORY_MSG_65;Correção CA HISTORY_MSG_66;Exposição - Reconstrução do realce -HISTORY_MSG_67;Exposição - Montante HLR HISTORY_MSG_68;Exposição - Método HLR HISTORY_MSG_69;Espaço de cor de trabalho HISTORY_MSG_70;Espaço de cor de saída @@ -325,12 +315,10 @@ HISTORY_MSG_74;Redimensionar - Escala HISTORY_MSG_75;Redimensionar - Método HISTORY_MSG_76;Metadados Exif HISTORY_MSG_77;Metadados IPTC -HISTORY_MSG_78;- HISTORY_MSG_79;Redimensionar - Largura HISTORY_MSG_80;Redimensionar - Altura HISTORY_MSG_81;Redimensionar HISTORY_MSG_82;Perfil alterado -HISTORY_MSG_83;S/H - Máscara de nitidez HISTORY_MSG_84;Correção de perspectiva HISTORY_MSG_85;Correção de Lente - Arquivo LCP HISTORY_MSG_86;Curvas RGB - Modo de Luminosidade diff --git a/rtdata/languages/Russian b/rtdata/languages/Russian index a1cb237c2..6b0aa6ca0 100644 --- a/rtdata/languages/Russian +++ b/rtdata/languages/Russian @@ -230,7 +230,6 @@ HISTORY_CUSTOMCURVE;Пользовательская кривая HISTORY_FROMCLIPBOARD;Из буфера обмена HISTORY_LABEL;История HISTORY_MSG_1;Фото загружено -HISTORY_MSG_2;Профиль загружен HISTORY_MSG_3;Профиль изменён HISTORY_MSG_4;Просмотр истории HISTORY_MSG_5;Яркость @@ -244,9 +243,6 @@ HISTORY_MSG_12;Автоматические уровни HISTORY_MSG_13;Обрезка экспозиции HISTORY_MSG_14;L*a*b*: Яркость HISTORY_MSG_15;L*a*b*: Контраст -HISTORY_MSG_16;Освещенность: Уровень чёрного -HISTORY_MSG_17;Освещенность: Сжатие светов -HISTORY_MSG_18;Освещенность: Сжатие теней HISTORY_MSG_19;Кривая 'L' HISTORY_MSG_20;Резкость HISTORY_MSG_21;Резкость: Радиус @@ -272,10 +268,6 @@ HISTORY_MSG_40;Баланс белого: оттенок HISTORY_MSG_41;Режим тоновой кривой 1 HISTORY_MSG_42;Тоновая кривая 2 HISTORY_MSG_43;Режим тоновой кривой 2 -HISTORY_MSG_44;Удаление шума: радиус -HISTORY_MSG_45;Удаление шума: чувств. к границам -HISTORY_MSG_46;Удаление цв. шума -HISTORY_MSG_47;Смешение ICC светов с матрицей HISTORY_MSG_48;Использование тональной кривой ICC HISTORY_MSG_49;Источник цвета DCP HISTORY_MSG_50;Тени/Света @@ -283,7 +275,6 @@ HISTORY_MSG_51;Т/С: Света HISTORY_MSG_52;Т/С: Тени HISTORY_MSG_53;Т/С: Уровень светов HISTORY_MSG_54;Т/С: Уровень теней -HISTORY_MSG_55;Т/С: Локальный контраст HISTORY_MSG_56;Т/С: Радиус HISTORY_MSG_57;Грубый поворот HISTORY_MSG_58;Горизонтальное отражение @@ -295,7 +286,6 @@ HISTORY_MSG_63;Снимок выбран HISTORY_MSG_64;Кадрирование HISTORY_MSG_65;Коррекция ХА HISTORY_MSG_66;Восстановление пересветов -HISTORY_MSG_67;ВП: Величина восстановления HISTORY_MSG_68;ВП: Способ восстановления HISTORY_MSG_69;Рабочая цветовая модель HISTORY_MSG_70;Выходная цветовая модель @@ -306,12 +296,10 @@ HISTORY_MSG_74;Масштабирование: Величина HISTORY_MSG_75;Масштабирование: Способ HISTORY_MSG_76;Метаданные Exif HISTORY_MSG_77;Метаданные IPTC -HISTORY_MSG_78;- HISTORY_MSG_79;Масштаб: Ширина HISTORY_MSG_80;Масштаб: Высота HISTORY_MSG_81;Масштабирование HISTORY_MSG_82;Изменение профиля -HISTORY_MSG_83;Т/С: Маска резкости HISTORY_MSG_84;Коррекция перспективы HISTORY_MSG_85;Профиль коррекции объектива HISTORY_MSG_86;Кривая RGB: Яркость diff --git a/rtdata/languages/Serbian (Cyrilic Characters) b/rtdata/languages/Serbian (Cyrilic Characters) index 8cccee745..2c48f771b 100644 --- a/rtdata/languages/Serbian (Cyrilic Characters) +++ b/rtdata/languages/Serbian (Cyrilic Characters) @@ -176,7 +176,6 @@ HISTORY_CUSTOMCURVE;Произвољна крива HISTORY_FROMCLIPBOARD;Из оставе HISTORY_LABEL;Историјат HISTORY_MSG_1;Слика је учитана -HISTORY_MSG_2;Профил је учитан HISTORY_MSG_3;Измена профила HISTORY_MSG_4;Разгледање историјата HISTORY_MSG_5;Осветљеност @@ -190,9 +189,6 @@ HISTORY_MSG_12;Ауто експозиција HISTORY_MSG_13;Одсецање експозиције HISTORY_MSG_14;Светлина луминансе HISTORY_MSG_15;Контраст луминансе -HISTORY_MSG_16;Црна луминансе -HISTORY_MSG_17;Сабијање сенки л. -HISTORY_MSG_18;Сабијање светлог л. HISTORY_MSG_19;Крива луминансе HISTORY_MSG_20;Оштрење HISTORY_MSG_21;Полупречник оштрења @@ -218,10 +214,6 @@ HISTORY_MSG_40;Заленило боје HISTORY_MSG_41;Померање боје „А“ HISTORY_MSG_42;Померање боје „Б“ HISTORY_MSG_43;Уклањање светлосног шума -HISTORY_MSG_44;Радијус укл. светлосног шума -HISTORY_MSG_45;Толеранција ивице укл. с. шума -HISTORY_MSG_46;Уклањање колорног шума -HISTORY_MSG_47;Полупречник укл. колорног шума HISTORY_MSG_48;Толеранција ивице укл. к. шума HISTORY_MSG_49;Осетљивост ивице укл. к. шума HISTORY_MSG_50;Алат за сенке/светло @@ -229,7 +221,6 @@ HISTORY_MSG_51;Појачавање светлине HISTORY_MSG_52;Појачавање сенки HISTORY_MSG_53;Ширина тонова за светло HISTORY_MSG_54;Ширина тонова за сенке -HISTORY_MSG_55;Ликални контраст HISTORY_MSG_56;Полупречник сенки/светлог HISTORY_MSG_57;Груба ротација HISTORY_MSG_58;Хоризонтално извртање @@ -241,7 +232,6 @@ HISTORY_MSG_63;Ибор снимка HISTORY_MSG_64;Исеци фотографију HISTORY_MSG_65;Исправљање хр. аберација HISTORY_MSG_66;Чупање светла -HISTORY_MSG_67;Количина чупања светла HISTORY_MSG_68;Начин чупања светла HISTORY_MSG_69;Радни простор боја HISTORY_MSG_70;Излазни простор боја @@ -252,12 +242,10 @@ HISTORY_MSG_74;Промена величине HISTORY_MSG_75;Начин промене величине HISTORY_MSG_76;Exif метаподаци HISTORY_MSG_77;ИПТЦ метаподаци -HISTORY_MSG_78;Подаци за промени величине HISTORY_MSG_79;Ширина при промени величине HISTORY_MSG_80;Висина при промени величине HISTORY_MSG_81;Укључена промена величина HISTORY_MSG_82;Профил је измењен -HISTORY_MSG_83;Квалитетно светлост/сенке HISTORY_MSG_84;Исправљање перспективе HISTORY_MSG_85;Талоасни коефицијенти HISTORY_MSG_86;Таласно уједначење diff --git a/rtdata/languages/Slovenian b/rtdata/languages/Slovenian index c058b16e8..f3d71c543 100644 --- a/rtdata/languages/Slovenian +++ b/rtdata/languages/Slovenian @@ -249,7 +249,6 @@ HISTORY_CUSTOMCURVE;Prilagojena krivulja HISTORY_FROMCLIPBOARD;Iz odložišča HISTORY_LABEL;Zgodovina HISTORY_MSG_1;Slika naložena -HISTORY_MSG_2;PP3 naložena HISTORY_MSG_3;PP3 spremenjena HISTORY_MSG_4;Brskanje po zgodovini HISTORY_MSG_5;Ekspozicija - Osvetljenost @@ -263,9 +262,6 @@ HISTORY_MSG_12;Ekspozicija - Avtomatski nivoji HISTORY_MSG_13;Ekspozicija - Klip HISTORY_MSG_14;L*a*b* - Osvetljenost HISTORY_MSG_15;L*a*b* - Kontrast -HISTORY_MSG_16;- -HISTORY_MSG_17;- -HISTORY_MSG_18;- HISTORY_MSG_19;L*a*b* - krivulja L* HISTORY_MSG_20;Ostrenje HISTORY_MSG_21;USM - Radij @@ -291,10 +287,6 @@ HISTORY_MSG_40;WB - Odtenek HISTORY_MSG_41;Ekspozicija - način krivulje odtenkov 1 HISTORY_MSG_42;Ekspozicija - krivulja odtenkov 2 HISTORY_MSG_43;Ekspozicija - način krivulje odtenkov 2 -HISTORY_MSG_44;Lum. radij odstranjevanja šuma -HISTORY_MSG_45;Lum. toleranca roba odstranjevanja šuma -HISTORY_MSG_46;Odstranjevanje barvnega šuma -HISTORY_MSG_47;Zmešaj ICC bleščave z matriko HISTORY_MSG_48;DCP - Krivulja tonov HISTORY_MSG_49;DCP osvetljava HISTORY_MSG_50;Sence/bleščave @@ -302,7 +294,6 @@ HISTORY_MSG_51;S/H - Bleščave HISTORY_MSG_52;S/H - Sence HISTORY_MSG_53;S/H - Tonska širina bleščav HISTORY_MSG_54;S/H - Tonska širina senc -HISTORY_MSG_55;S/H - Lokalni kontrast HISTORY_MSG_56;S/H - Radij HISTORY_MSG_57;Groba rotacija HISTORY_MSG_58;Horizontalni preobrat @@ -314,7 +305,6 @@ HISTORY_MSG_63;Izbran posnetek stanja HISTORY_MSG_64;Izrez HISTORY_MSG_65;CA popravki HISTORY_MSG_66;Ekspozicija - Rekonstrukcija bleščav -HISTORY_MSG_67;Ekspozicija - HLR količina HISTORY_MSG_68;Ekspozicija - HLR metoda HISTORY_MSG_69;Delovni barvni prostor HISTORY_MSG_70;Izhodni barvni prostor @@ -325,12 +315,10 @@ HISTORY_MSG_74;Sprememba velikosti - Merilo HISTORY_MSG_75;Spremeba velikosti - Metoda HISTORY_MSG_76;Exif metapodatki HISTORY_MSG_77;IPTC metapodatki -HISTORY_MSG_78;- HISTORY_MSG_79;Sprememba velikosti - Širina HISTORY_MSG_80;Sprememba velikosti - Višina HISTORY_MSG_81;Spremeni velikost HISTORY_MSG_82;Profil spremenjen -HISTORY_MSG_83;S/H - maska ostrenja HISTORY_MSG_84;Popravek perspektive HISTORY_MSG_85;Popravek objektiva - datoteka LCP HISTORY_MSG_86;RGB krivulje - Način svetilnosti diff --git a/rtdata/languages/Swedish b/rtdata/languages/Swedish index 187e223d1..de612ad73 100644 --- a/rtdata/languages/Swedish +++ b/rtdata/languages/Swedish @@ -209,7 +209,6 @@ HISTORY_CUSTOMCURVE;Egen kurva HISTORY_FROMCLIPBOARD;Från klippbordet HISTORY_LABEL;Historia HISTORY_MSG_1;Fotot laddades -HISTORY_MSG_2;Profil laddad HISTORY_MSG_3;Profil ändrad HISTORY_MSG_4;Historia-bläddrande HISTORY_MSG_5;Ljusstyrka @@ -223,9 +222,6 @@ HISTORY_MSG_12;Autonivåer HISTORY_MSG_13;Exponeringsmarkering HISTORY_MSG_14;Lab - Ljushet HISTORY_MSG_15;Lab - Kontrast -HISTORY_MSG_16;Svart luminans -HISTORY_MSG_17;Luminans högdagerkompr. -HISTORY_MSG_18;Luminans skuggkompr. HISTORY_MSG_19;'L'-kurva HISTORY_MSG_20;Skärpning HISTORY_MSG_21;USM - Radie @@ -251,10 +247,6 @@ HISTORY_MSG_40;VB - Färgton HISTORY_MSG_41;Tonkurva läge 1 HISTORY_MSG_42;Tonkurva 2 HISTORY_MSG_43;Tonkurva läge 2 -HISTORY_MSG_44;Brusreduceringsradie -HISTORY_MSG_45;Kanttolerans för lum.brusreducering -HISTORY_MSG_46;Färgbrusreducering -HISTORY_MSG_47;Mixa högdagrar med matris HISTORY_MSG_48;Använd tonkurvan i DCP HISTORY_MSG_49;DCP ljuskälla HISTORY_MSG_50;Skuggor/Högdagrar @@ -262,7 +254,6 @@ HISTORY_MSG_51;S/H - Högdagrar HISTORY_MSG_52;S/H - Skuggor HISTORY_MSG_53;S/H - Högdagertonvidd HISTORY_MSG_54;S/H - Skuggtonvidd -HISTORY_MSG_55;S/H - Lokal kontrast HISTORY_MSG_56;S/H - Radie HISTORY_MSG_57;Enkel rotering HISTORY_MSG_58;Vänd horisontellt @@ -274,7 +265,6 @@ HISTORY_MSG_63;Bokmärke valt HISTORY_MSG_64;Beskär HISTORY_MSG_65;Korrigera kromatiska abberationer HISTORY_MSG_66;Högdageråterställning -HISTORY_MSG_67;Mängd på högdageråterställning HISTORY_MSG_68;Metod för högdageråterställning HISTORY_MSG_69;Färgrymd HISTORY_MSG_70;Utmatningsfärgrymd @@ -285,12 +275,10 @@ HISTORY_MSG_74;Ändra storleksskala HISTORY_MSG_75;Metod för ändring av storlek HISTORY_MSG_76;Exif Metadata HISTORY_MSG_77;IPTC Metadata -HISTORY_MSG_78;Data som ska ändra storlek HISTORY_MSG_79;Storleksändring, bredd HISTORY_MSG_80;Storleksändring, höjd HISTORY_MSG_81;Storleksändring HISTORY_MSG_82;Profilen ändrades -HISTORY_MSG_83;S/H - Skarp mask HISTORY_MSG_84;Korrigering av perspektiv HISTORY_MSG_85;LCP HISTORY_MSG_86;RGB-kurvor - Luminansläge From 93aac451044f7522ad4e6c75b5826153c1f8b9d9 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Mon, 3 Oct 2022 08:00:53 +0200 Subject: [PATCH 123/170] Added 1 Canon lens identifier based on ExifTool 12.46 update (1-10-2022) --- rtexif/canonattribs.cc | 1 + 1 file changed, 1 insertion(+) diff --git a/rtexif/canonattribs.cc b/rtexif/canonattribs.cc index 073fe2894..5300abe02 100644 --- a/rtexif/canonattribs.cc +++ b/rtexif/canonattribs.cc @@ -935,6 +935,7 @@ public: {368, "Sigma 35mm f/1.4 DG HSM | A"}, {368, "Sigma 70mm f/2.8 DG Macro"}, {368, "Sigma 18-35mm f/1.8 DC HSM | A"}, + {368, "Sigma 24-105mm f/4 DG OS HSM | A"}, {488, "Canon EF-S 15-85mm f/3.5-5.6 IS USM"}, {489, "Canon EF 70-300mm f/4-5.6L IS USM"}, {490, "Canon EF 8-15mm f/4L Fisheye USM"}, From 30f9cc71d968263a41046376d8c97ca91420013d Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 7 Oct 2022 11:09:19 +0200 Subject: [PATCH 124/170] Writing release notes --- RELEASE_NOTES.txt | 205 +++++++++++++++++++++++++++++++++++++++------- 1 file changed, 177 insertions(+), 28 deletions(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index eb8d96379..aa63fb18a 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,21 +1,14 @@ -RAWTHERAPEE 5.8-dev RELEASE NOTES +RAWTHERAPEE 5.9-rc1 RELEASE NOTES -This is a development version of RawTherapee. We update the code almost daily. Every few months, once enough changes have accumulated and the code is stabilized, we make a new official release. Every code change between these releases is known as a "development" version, and this is one of them. +This is Release Candidate 1 of RawTherapee 5.9, release on 2022-10-07. This is not the final release yet. + + + +IN GENERAL Start by reading the "Getting Started" article on RawPedia: https://rawpedia.rawtherapee.com/ -While we only commit tested and relatively stable code and so the development versions should be fairly stable, you should be aware that: -- Development versions only had limited testing, so there may be bugs unknown to us. -- You should report these bugs so that they get fixed for the next stable release. See - https://rawpedia.rawtherapee.com/How_to_write_useful_bug_reports -- The way new tools work in the development versions is likely to change as we tweak and tune them, so your processing profiles may produce different results when used in a future stable version. -- Bugs present in the stable versions get fixed in the development versions, and make it into the next stable version when we make a new official release. That means that in some ways the development versions can be "more stable" than the latest stable release. At the same time, new features may introduce new bugs. This is a trade-off you should be aware of. - - - -NEWS RELEVANT TO PHOTOGRAPHERS - RawTherapee supports most raw formats, including Pentax and Sony Pixel Shift, Canon Dual-Pixel, and those from Foveon and X-Trans sensors. If you're wondering whether it supports your camera's raw format, first download RawTherapee and try for yourself. If a raw format is not supported it will either not open, or the preview in the Editor tab will appear black, white, or have a strong color cast - usually magenta. In that case, read the "Adding Support for New Raw Formats" RawPedia article. @@ -25,16 +18,184 @@ In order to use RawTherapee efficiently you should know that: - To change slider values or drop-down list items with the mouse scroll-wheel, hold the Shift key. This is so that you can safely scroll the panels without accidentally changing a slider or other tool setting. - All curves support the Shift and Ctrl keys while dragging a point. Shift+drag makes the point snap to a meaningful axis (top, bottom, diagonal, other), while Ctrl+drag makes your mouse movement super-fine for precise point positioning. - There are many keyboard shortcuts which make working with RawTherapee much faster and give you greater control. Make sure you familiarize yourself with them on RawPedia's "Keyboard Shortcuts" page! +- All sliders support a fine-tuning mode which you can toggle by pressing the Shift key while dragging a slider. -New features since 5.8: -- TODO + + +NEW FEATURES SINCE 5.8 + +- The Spot Removal tool (Detail tab) was added, for removing dust specks and small objects. +- The Color Appearance & Lighting tool (Advanced tab), formerly known as CIECAM02, now includes CAM16. By taking into account the conditions of the photographed scene and the conditions under which the image is viewed, it allows you to adjust the image in a way which matches human color perception. +- The Local Adjustments tool (Local tab) was added, for performing a wide range of operations on an area of the image determined by its geometry or color. +- The Wavelet Levels tool (Advanced tab) received various improvements. +- The White Balance tool (Color tab) received new automatic white balance methods. +- The Film Negative tool (Color tab) received various improvements including support for non-raw files. TODO new or improved? +- The Preprocess White Balance tool (Raw tab) was added, allowing you to specify whether channels should be balanced automatically or whether the white balance values recorded by the camera should be used instead. +- The Perspective Correction tool (Transform tab) received various improvements, including automatic modes. TODO is auto new? +- The Main Histogram was improved with new modes: waveform, vectorscope and RGB parade. +- Improvements to the Inspect feature (File Browser tab). TODO undocumented, and don't work for me. +- New dual-demosaicing methods in the Demosaicing tool (Raw tab). +- The Haze Removal tool (Detail tab) received a saturation adjuster. +- The RawTherapee theme was improved, including changes to make it easier to see which tools are enabled. +- The Navigator (Editor tab) can now be resized. +- The Resize tool (Transform tab) now allows to resize by the long or short edge. +- The Crop tool (Transform tab) received a "centered square" crop guide, useful when the resulting non-square image will also be used on social media which crop to a square format. +- The Pixel Shift demosaicing method (Raw tab) now allows using an average of all frames for regions with motion. +- Support for Canon CR3 raw files [TODO wasn't basic support added in 5.8? What exactly is new? What is still lacking?] +- Added support for and improvement of (raw formats and color profiles): + - Canon EOS 100D / Rebel SL1 / Kiss X7 (#6187) + - Canon EOS 1DX Mark III + - Canon EOS 2000D / Rebel T7 / Kiss X90 + - Canon EOS 400D DIGITAL + - Canon EOS 5D Mark II + - Canon EOS 5D Mark IV (DCP) + - Canon EOS 90D (DCP) + - Canon EOS M6 Mark II (DCP) + - Canon EOS R (DCP) + - Canon EOS R3, R7 and R10 + - Canon EOS R5 (DCP) + - Canon EOS R6 (DCP) + - Canon EOS RP + - Canon EOS-1D Mark III + - Canon EOS-1Ds + - Canon EOS-1Ds Mark II + - Canon PowerShot G1 X Mark II (DCP) + - Canon PowerShot G9 X Mark II + - Canon PowerShot S120 (DCP) + - Canon PowerShot SX50 HS + - Canon PowerShot SX70 HS + - DJI FC3170 + - FUJIFILM X-A5 (DCP) + - FUJIFILM X-E4 + - Nikon Z fc + - Sony ILCE-7M4 + - Support for compressed CR3, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. + - Canon EOS R3, R7 and R10. + - Samsung Galaxy S7 + - Canon EOS 1DX Mark III + - Canon EOS 5D Mark II + - Canon EOS-1Ds Mark II + - Fujifilm X-T4 + - Nikon D5100 + - FUJIFILM X-H1 (DCP) + - FUJIFILM X-PRO2 + - FUJIFILM X-PRO3 (DCP) + - FUJIFILM X-S10 + - FUJIFILM X-T1 + - FUJIFILM X-T100 + - FUJIFILM X-T2 + - FUJIFILM X-T3 (DCP) + - FUJIFILM X-T30 + - FUJIFILM X-T4 + - FUJIFILM X100V + - Fujifilm GFX 100 + - Fujifilm GFX100S Note that lossy compression is not supported, nor are alternative crop modes (e.g. 4:3) + - Fujifilm X-A20 + - Fujifilm X-T4 + - HASSELBLAD NEX-7 (Lunar) + - Hasselblad L1D-20c (DJI Mavic 2 Pro) + - LEICA C-LUX + - LEICA CAM-DC25 + - LEICA D-LUX 7 + - LEICA M8 + - LEICA V-LUX 5 + - Leica SL2-S + - NIKON COOLPIX P1000 + - NIKON D500 (DCP) + - NIKON D5300 (DCP) + - NIKON D610 (DCP) + - NIKON D7100 (DCP) + - NIKON D7500 (DCP) + - NIKON D800 (DCP) + - NIKON D850 (DCP) + - NIKON Z 6 (DCP) + - NIKON Z 7 (DCP) + - Nikon 1 J4 + - Nikon COOLPIX P950 + - Nikon D2Hs + - Nikon D2Xs + - Nikon D300s + - Nikon D3500 + - Nikon D5100 + - Nikon D6 + - Nikon D70s + - Nikon D780 + - Nikon D810A + - Nikon Z 5 (#5905) + - Nikon Z 50 (#5851) (DCP) + - Nikon Z 6_2 + - Nikon Z 7_2 + - Nikon Z fc + - OLYMPUS E-M10MarkIV + - OLYMPUS E-M1MarkIII + - OLYMPUS E-M1X + - OLYMPUS E-M5MarkII (DCP) + - OLYMPUS E-M5MarkIII + - OLYMPUS E-PL10 + - OLYMPUS E-PL9 + - OLYMPUS STYLUS1 + - OLYMPUS STYLUS1,1s + - OLYMPUS TG-6 + - PENTAX K-50 (DCP) + - PENTAX K10D + - Panasonic DC-FZ1000M2 + - Panasonic DC-FZ80 + - Panasonic DC-FZ81 + - Panasonic DC-FZ82 + - Panasonic DC-FZ83 + - Panasonic DC-G100 + - Panasonic DC-G110 + - Panasonic DC-G90 + - Panasonic DC-G95 + - Panasonic DC-G99 + - Panasonic DC-S1H + - Panasonic DC-S5 (DCP) + - Panasonic DC-TZ95 + - Panasonic DC-ZS80 + - Panasonic DMC-TZ80 + - Panasonic DMC-TZ85 + - Panasonic DMC-ZS60 + - RICOH PENTAX K-1 Mark II + - RICOH PENTAX K-3 MARK III + - SONY ILCE-9 (DCP) + - SONY NEX-7 + - Samsung Galaxy S7 + - Sigma fp + - Sony DCZV1B + - Sony DSC-HX95 + - Sony DSC-HX99 + - Sony DSC-RX0 + - Sony DSC-RX0M2 + - Sony DSC-RX100 + - Sony DSC-RX100M5A + - Sony DSC-RX100M6 + - Sony DSC-RX100M7 + - Sony DSC-RX10M2 + - Sony DSC-RX10M3 + - Sony DSC-RX10M4 + - Sony DSC-RX1R + - Sony ILCE-1 + - Sony ILCE-6100 + - Sony ILCE-6400 (DCP) + - Sony ILCE-6600 (DCP) + - Sony ILCE-7C + - Sony ILCE-7M3 + - Sony ILCE-7M4 + - Sony ILCE-7RM4 (DCP) + - Sony ILCE-7SM3 + - Sony ILCE-9M2 + - Sony NEX-F3 + - Sony SLT-A99V + - Support for compressed CR3, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. NEWS RELEVANT TO PACKAGE MAINTAINERS New since 5.8: -- TODO +- Automated build system moved from Travis CI to GitHub Actions: + https://github.com/Beep6581/RawTherapee/actions +- libcanberra made optional in CMake via USE_LIBCANBERRA, default ON. In general: - To get the source code, either clone from git or use the tarball from https://rawtherapee.com/shared/source/ . Do not use the auto-generated GitHub release tarballs. @@ -74,18 +235,6 @@ https://discuss.pixls.us/c/software/rawtherapee -LIVE CHAT WITH USERS AND DEVELOPERS - -Network: freenode -Server: chat.freenode.net -Channel: #rawtherapee - -You can use freenode webchat to communicate without installing anything: -https://webchat.freenode.net/?randomnick=1&channels=rawtherapee&prompt=1 -More information here: https://rawpedia.rawtherapee.com/IRC - - - REVISION HISTORY The complete changelog is available at: From b08ed74cb84aeec5c93919e03c868e2375ee9fac Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Fri, 7 Oct 2022 12:25:16 +0200 Subject: [PATCH 125/170] Preparing for release 5.9-rc1 --- RELEASE_NOTES.txt | 40 +++-- rtdata/images/svg/splash.svg | 236 ++++++++++++++++++-------- rtdata/images/svg/splash_template.svg | 168 +++++++++--------- 3 files changed, 267 insertions(+), 177 deletions(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index aa63fb18a..de254c0d7 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,6 +1,6 @@ RAWTHERAPEE 5.9-rc1 RELEASE NOTES -This is Release Candidate 1 of RawTherapee 5.9, release on 2022-10-07. This is not the final release yet. +This is Release Candidate 1 of RawTherapee 5.9, released on 2022-10-07. This is not the final release yet. @@ -29,11 +29,11 @@ NEW FEATURES SINCE 5.8 - The Local Adjustments tool (Local tab) was added, for performing a wide range of operations on an area of the image determined by its geometry or color. - The Wavelet Levels tool (Advanced tab) received various improvements. - The White Balance tool (Color tab) received new automatic white balance methods. -- The Film Negative tool (Color tab) received various improvements including support for non-raw files. TODO new or improved? +- The Film Negative tool (Color tab) received various improvements including support for non-raw files. - The Preprocess White Balance tool (Raw tab) was added, allowing you to specify whether channels should be balanced automatically or whether the white balance values recorded by the camera should be used instead. -- The Perspective Correction tool (Transform tab) received various improvements, including automatic modes. TODO is auto new? +- A new Perspective Correction tool (Transform tab) was added which includes an automated perspective correction feature. - The Main Histogram was improved with new modes: waveform, vectorscope and RGB parade. -- Improvements to the Inspect feature (File Browser tab). TODO undocumented, and don't work for me. +- Improvements to the Inspect feature (File Browser tab). - New dual-demosaicing methods in the Demosaicing tool (Raw tab). - The Haze Removal tool (Detail tab) received a saturation adjuster. - The RawTherapee theme was improved, including changes to make it easier to see which tools are enabled. @@ -41,24 +41,27 @@ NEW FEATURES SINCE 5.8 - The Resize tool (Transform tab) now allows to resize by the long or short edge. - The Crop tool (Transform tab) received a "centered square" crop guide, useful when the resulting non-square image will also be used on social media which crop to a square format. - The Pixel Shift demosaicing method (Raw tab) now allows using an average of all frames for regions with motion. -- Support for Canon CR3 raw files [TODO wasn't basic support added in 5.8? What exactly is new? What is still lacking?] -- Added support for and improvement of (raw formats and color profiles): - - Canon EOS 100D / Rebel SL1 / Kiss X7 (#6187) +- Added or improved support for cameras, raw formats and color profiles: + - Canon EOS 100D / Rebel SL1 / Kiss X7 + - Canon EOS 1DX Mark III - Canon EOS 1DX Mark III - Canon EOS 2000D / Rebel T7 / Kiss X90 - Canon EOS 400D DIGITAL - Canon EOS 5D Mark II + - Canon EOS 5D Mark II - Canon EOS 5D Mark IV (DCP) - Canon EOS 90D (DCP) - Canon EOS M6 Mark II (DCP) - Canon EOS R (DCP) - Canon EOS R3, R7 and R10 + - Canon EOS R3, R7 and R10. - Canon EOS R5 (DCP) - Canon EOS R6 (DCP) - Canon EOS RP - Canon EOS-1D Mark III - Canon EOS-1Ds - Canon EOS-1Ds Mark II + - Canon EOS-1Ds Mark II - Canon PowerShot G1 X Mark II (DCP) - Canon PowerShot G9 X Mark II - Canon PowerShot S120 (DCP) @@ -67,16 +70,6 @@ NEW FEATURES SINCE 5.8 - DJI FC3170 - FUJIFILM X-A5 (DCP) - FUJIFILM X-E4 - - Nikon Z fc - - Sony ILCE-7M4 - - Support for compressed CR3, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. - - Canon EOS R3, R7 and R10. - - Samsung Galaxy S7 - - Canon EOS 1DX Mark III - - Canon EOS 5D Mark II - - Canon EOS-1Ds Mark II - - Fujifilm X-T4 - - Nikon D5100 - FUJIFILM X-H1 (DCP) - FUJIFILM X-PRO2 - FUJIFILM X-PRO3 (DCP) @@ -89,11 +82,13 @@ NEW FEATURES SINCE 5.8 - FUJIFILM X-T4 - FUJIFILM X100V - Fujifilm GFX 100 - - Fujifilm GFX100S Note that lossy compression is not supported, nor are alternative crop modes (e.g. 4:3) + - Fujifilm GFX100S though lossy compression and alternative crop modes (e.g. 4:3) are not supported yet - Fujifilm X-A20 - Fujifilm X-T4 + - Fujifilm X-T4 - HASSELBLAD NEX-7 (Lunar) - Hasselblad L1D-20c (DJI Mavic 2 Pro) + - Improved support for the Canon CR3 raw format, added support for compressed files, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. - LEICA C-LUX - LEICA CAM-DC25 - LEICA D-LUX 7 @@ -117,15 +112,17 @@ NEW FEATURES SINCE 5.8 - Nikon D300s - Nikon D3500 - Nikon D5100 + - Nikon D5100 - Nikon D6 - Nikon D70s - Nikon D780 - Nikon D810A - - Nikon Z 5 (#5905) - - Nikon Z 50 (#5851) (DCP) + - Nikon Z 5 + - Nikon Z 50 (DCP) - Nikon Z 6_2 - Nikon Z 7_2 - Nikon Z fc + - Nikon Z fc - OLYMPUS E-M10MarkIV - OLYMPUS E-M1MarkIII - OLYMPUS E-M1X @@ -160,6 +157,7 @@ NEW FEATURES SINCE 5.8 - SONY ILCE-9 (DCP) - SONY NEX-7 - Samsung Galaxy S7 + - Samsung Galaxy S7 - Sigma fp - Sony DCZV1B - Sony DSC-HX95 @@ -181,12 +179,12 @@ NEW FEATURES SINCE 5.8 - Sony ILCE-7C - Sony ILCE-7M3 - Sony ILCE-7M4 + - Sony ILCE-7M4 - Sony ILCE-7RM4 (DCP) - Sony ILCE-7SM3 - Sony ILCE-9M2 - Sony NEX-F3 - Sony SLT-A99V - - Support for compressed CR3, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. diff --git a/rtdata/images/svg/splash.svg b/rtdata/images/svg/splash.svg index 1e7c9f745..4695d9bc6 100644 --- a/rtdata/images/svg/splash.svg +++ b/rtdata/images/svg/splash.svg @@ -7,7 +7,7 @@ viewBox="0 0 160 99.999999" version="1.1" id="svg783" - inkscape:version="1.1.1 (3bf5ae0d25, 2021-09-20)" + inkscape:version="1.2.1 (9c6d41e410, 2022-07-14, custom)" sodipodi:docname="splash.svg" inkscape:export-filename="/tmp/splash.png" inkscape:export-xdpi="96" @@ -151,10 +151,10 @@ style="stop-color:#feab27;stop-opacity:1;" /> + + + + + + + + + + + + + width="157.40977mm" + inkscape:showpageshadow="2" + inkscape:deskcolor="#d1d1d1" /> @@ -1124,41 +1188,6 @@ style="fill:#ffffff;enable-background:new" transform="matrix(0.24804687,0,0,0.2480469,-127.75775,273.1232)" id="g220" /> - - - - - - - - - - - + style="font-size:21.3333px;line-height:1.25;font-family:'Eras BQ';-inkscape-font-specification:'Eras BQ';white-space:pre;shape-inside:url(#rect181038);display:inline" /> + id="g151445-6" + transform="translate(5.1000209,-186.11437)" + style="filter:url(#filter4749-2)"> + + + + + + + + + + + + id="path1849" /> + id="path1851" /> + id="path1853" /> + id="path1855" /> + id="path1857" /> + id="path1859" /> + id="path1861" /> + id="path1863" /> + id="path1865" /> + id="path1867" /> + id="path1869" /> + + + + + + diff --git a/rtdata/images/svg/splash_template.svg b/rtdata/images/svg/splash_template.svg index b6b42d07a..e9f67ff92 100644 --- a/rtdata/images/svg/splash_template.svg +++ b/rtdata/images/svg/splash_template.svg @@ -7,7 +7,7 @@ viewBox="0 0 160 99.999999" version="1.1" id="svg783" - inkscape:version="1.1.1 (3bf5ae0d25, 2021-09-20)" + inkscape:version="1.2.1 (9c6d41e410, 2022-07-14, custom)" sodipodi:docname="splash_template.svg" inkscape:export-filename="/tmp/splash.png" inkscape:export-xdpi="96" @@ -236,10 +236,10 @@ operator="in" /> + width="157.40977mm" + inkscape:showpageshadow="2" + inkscape:deskcolor="#d1d1d1" /> @@ -1120,7 +1122,7 @@ id="tspan40748" style="font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;font-size:11.9944px;font-family:'ITC Eras Std';-inkscape-font-specification:'ITC Eras Std Bold';fill:#ffffff;fill-opacity:1;stroke-width:0.537916" x="64.642754" - y="252.72681">8 + y="252.72681">9 PrerequisitesPrerequisites + id="tspan4443"> Obtain and install the font family ITC Eras Std. + id="tspan4447">Obtain and install the font family ITC Eras Std. + id="tspan4451"> DetailsDetails + id="tspan4457"> The color wheel is copied from rt-logo.svg and a glow filter is added + id="tspan4461">The color wheel is copied from rt-logo.svg and a glow filter is added to each segment and the wheel as a whole. + id="tspan4465">to each segment and the wheel as a whole. "Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing + id="tspan4469">"Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing "Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing + id="tspan4473">"Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing Version (big number): ITC Eras Bold, 58 pt, skewed -3° + id="tspan4477">Version (big number): ITC Eras Bold, 58 pt, skewed -3° Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° + id="tspan4481">Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan4485">Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan4489"> PublishingPublishing + id="tspan4495"> 1. To prepare a splash screen for deployment, select all text and 1. To prepare a splash screen for deployment, select all text and choose choose Path > Object to Path. + id="tspan4505">Path > Object to Path. 2. Change release type text to whatever is required, or hide the layer 2. Change release type text to whatever is required, or hide the layer "Release type" entirely. + id="tspan4513">"Release type" entirely. 3. Remove this text field. + id="tspan4517">3. Remove this text field. 44. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan4523">. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan4527"> RawTherapee splash screen design 1.5 (March 2022) + id="tspan4531">RawTherapee splash screen design 1.5 (March 2022) www.rawtherapee.com + id="tspan4535">www.rawtherapee.com Date: Wed, 12 Oct 2022 22:59:29 +0200 Subject: [PATCH 126/170] Apply suggestions from code review Thanks Lawrence37 Co-authored-by: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> --- RELEASE_NOTES.txt | 27 +++++++++------------------ 1 file changed, 9 insertions(+), 18 deletions(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index de254c0d7..f6036fbcc 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -44,24 +44,20 @@ NEW FEATURES SINCE 5.8 - Added or improved support for cameras, raw formats and color profiles: - Canon EOS 100D / Rebel SL1 / Kiss X7 - Canon EOS 1DX Mark III - - Canon EOS 1DX Mark III - Canon EOS 2000D / Rebel T7 / Kiss X90 - Canon EOS 400D DIGITAL - Canon EOS 5D Mark II - - Canon EOS 5D Mark II - Canon EOS 5D Mark IV (DCP) - Canon EOS 90D (DCP) - Canon EOS M6 Mark II (DCP) - Canon EOS R (DCP) - Canon EOS R3, R7 and R10 - - Canon EOS R3, R7 and R10. - Canon EOS R5 (DCP) - Canon EOS R6 (DCP) - Canon EOS RP - Canon EOS-1D Mark III - Canon EOS-1Ds - Canon EOS-1Ds Mark II - - Canon EOS-1Ds Mark II - Canon PowerShot G1 X Mark II (DCP) - Canon PowerShot G9 X Mark II - Canon PowerShot S120 (DCP) @@ -85,7 +81,6 @@ NEW FEATURES SINCE 5.8 - Fujifilm GFX100S though lossy compression and alternative crop modes (e.g. 4:3) are not supported yet - Fujifilm X-A20 - Fujifilm X-T4 - - Fujifilm X-T4 - HASSELBLAD NEX-7 (Lunar) - Hasselblad L1D-20c (DJI Mavic 2 Pro) - Improved support for the Canon CR3 raw format, added support for compressed files, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. @@ -112,26 +107,24 @@ NEW FEATURES SINCE 5.8 - Nikon D300s - Nikon D3500 - Nikon D5100 - - Nikon D5100 - Nikon D6 - Nikon D70s - Nikon D780 - Nikon D810A - Nikon Z 5 - Nikon Z 50 (DCP) - - Nikon Z 6_2 - - Nikon Z 7_2 + - Nikon Z 6II + - Nikon Z 7II - Nikon Z fc - - Nikon Z fc - - OLYMPUS E-M10MarkIV - - OLYMPUS E-M1MarkIII + - OLYMPUS E-M10 Mark IV + - OLYMPUS E-M1 Mark III - OLYMPUS E-M1X - - OLYMPUS E-M5MarkII (DCP) - - OLYMPUS E-M5MarkIII + - OLYMPUS E-M5 Mark II (DCP) + - OLYMPUS E-M5 Mark III - OLYMPUS E-PL10 - OLYMPUS E-PL9 - - OLYMPUS STYLUS1 - - OLYMPUS STYLUS1,1s + - OLYMPUS Stylus 1 + - OLYMPUS Stylus 1s - OLYMPUS TG-6 - PENTAX K-50 (DCP) - PENTAX K10D @@ -153,11 +146,10 @@ NEW FEATURES SINCE 5.8 - Panasonic DMC-TZ85 - Panasonic DMC-ZS60 - RICOH PENTAX K-1 Mark II - - RICOH PENTAX K-3 MARK III + - RICOH PENTAX K-3 Mark III - SONY ILCE-9 (DCP) - SONY NEX-7 - Samsung Galaxy S7 - - Samsung Galaxy S7 - Sigma fp - Sony DCZV1B - Sony DSC-HX95 @@ -179,7 +171,6 @@ NEW FEATURES SINCE 5.8 - Sony ILCE-7C - Sony ILCE-7M3 - Sony ILCE-7M4 - - Sony ILCE-7M4 - Sony ILCE-7RM4 (DCP) - Sony ILCE-7SM3 - Sony ILCE-9M2 From 190f11b1229eb3995679a9dddb00773a162bc62f Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Wed, 12 Oct 2022 23:01:01 +0200 Subject: [PATCH 127/170] Update release notes regarding white balance #6596 --- RELEASE_NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index f6036fbcc..de50d7d7d 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -28,7 +28,7 @@ NEW FEATURES SINCE 5.8 - The Color Appearance & Lighting tool (Advanced tab), formerly known as CIECAM02, now includes CAM16. By taking into account the conditions of the photographed scene and the conditions under which the image is viewed, it allows you to adjust the image in a way which matches human color perception. - The Local Adjustments tool (Local tab) was added, for performing a wide range of operations on an area of the image determined by its geometry or color. - The Wavelet Levels tool (Advanced tab) received various improvements. -- The White Balance tool (Color tab) received new automatic white balance methods. +- The White Balance tool (Color tab) received a new automatic white balance method named "temperature correlation" (the old one was renamed to "RGB grey"). - The Film Negative tool (Color tab) received various improvements including support for non-raw files. - The Preprocess White Balance tool (Raw tab) was added, allowing you to specify whether channels should be balanced automatically or whether the white balance values recorded by the camera should be used instead. - A new Perspective Correction tool (Transform tab) was added which includes an automated perspective correction feature. From b0725b44e2f2f94708eb248b52d5540ba6794415 Mon Sep 17 00:00:00 2001 From: Martin <78749513+marter001@users.noreply.github.com> Date: Thu, 13 Oct 2022 09:07:15 +0200 Subject: [PATCH 128/170] Update AUTHORS.txt --- AUTHORS.txt | 2 ++ 1 file changed, 2 insertions(+) diff --git a/AUTHORS.txt b/AUTHORS.txt index 471bf3da4..ff859768b 100644 --- a/AUTHORS.txt +++ b/AUTHORS.txt @@ -69,6 +69,7 @@ Other contributors (profiles, ideas, mockups, testing, forum activity, translati Wim ter Meer Alberto Righetto Kostia (Kildor) Romanov + Henning Sidow Kalle Söderman Wayne Sutton Johan Thor @@ -76,3 +77,4 @@ Other contributors (profiles, ideas, mockups, testing, forum activity, translati TooWaBoo Franz Trischberger Colin Walker + Martin Werner From fa18c9faa3148127cf700deb93deb53135a87fa5 Mon Sep 17 00:00:00 2001 From: Benitoite Date: Fri, 14 Oct 2022 22:05:12 -0700 Subject: [PATCH 129/170] macOS: Adding Barber to Authors --- AUTHORS.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/AUTHORS.txt b/AUTHORS.txt index 471bf3da4..1ed4068bf 100644 --- a/AUTHORS.txt +++ b/AUTHORS.txt @@ -6,6 +6,7 @@ Project initiator: Development contributors, in last name alphabetical order: Roel Baars + Richard E Barber Martin Burri Pierre Cabrera Javier Celaya From ba2a15a6afabc11b2492c56059148126b2260a42 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Sat, 22 Oct 2022 20:18:04 +0200 Subject: [PATCH 130/170] Espanol (Castellano) translation updated by TechXavAl Closes #6597 --- rtdata/languages/Espanol (Castellano) | 256 +++++++++++++------------- 1 file changed, 124 insertions(+), 132 deletions(-) diff --git a/rtdata/languages/Espanol (Castellano) b/rtdata/languages/Espanol (Castellano) index e18188142..ede64894f 100644 --- a/rtdata/languages/Espanol (Castellano) +++ b/rtdata/languages/Espanol (Castellano) @@ -1,5 +1,5 @@ #01 Español - Castellano -#02 2022-07-22 Francisco Lorés y Javier Bartol, para la versión 5.9 +#02 2022-10-08 Francisco Lorés y Javier Bartol, para la versión 5.9 ABOUT_TAB_BUILD;Versión ABOUT_TAB_CREDITS;Reconocimientos @@ -250,7 +250,7 @@ HISTOGRAM_TOOLTIP_G;Muestra/oculta el canal verde en el histograma. HISTOGRAM_TOOLTIP_L;Muestra/oculta el histograma de luminancia CIELAB. HISTOGRAM_TOOLTIP_MODE;Cambia entre la escala lineal, la logarítmica-lineal y la escala logarítmica (o doble logarítmica) del histograma. HISTOGRAM_TOOLTIP_R;Muestra/oculta el canal rojo en el histograma. -HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Muestra/oculta opciones adicionales. +HISTOGRAM_TOOLTIP_SHOW_OPTIONS;Muestra/oculta opciones adicionales del histograma. HISTOGRAM_TOOLTIP_TRACE_BRIGHTNESS;Ajusta el brillo del vectorscopio. HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM;Histograma HISTOGRAM_TOOLTIP_TYPE_HISTOGRAM_RAW;Histograma raw @@ -416,39 +416,39 @@ HISTORY_MSG_170;Vivacidad - curva HH HISTORY_MSG_171;L*a*b* - curva LC HISTORY_MSG_172;L*a*b* - Restringir curva LC HISTORY_MSG_173;Reducción de ruido - Reconstrucción de detalle -HISTORY_MSG_174;CIECAM02/16 -HISTORY_MSG_175;CIECAM02/16 - Adaptación CAT02 -HISTORY_MSG_176;CIECAM02/16 - Contexto visual -HISTORY_MSG_177;CIECAM02/16 - Luminosidad de la escena -HISTORY_MSG_178;CIECAM02/16 - Luminosidad ambiental -HISTORY_MSG_179;CIECAM02/16 - Modelo de punto blanco -HISTORY_MSG_180;CIECAM02/16 - Claridad (J) -HISTORY_MSG_181;CIECAM02/16 - Cromaticidad (C) -HISTORY_MSG_182;CIECAM02/16 - CAT02 automático -HISTORY_MSG_183;CIECAM02/16 - Contraste (J) -HISTORY_MSG_184;CIECAM02/16 - Contexto de la escena -HISTORY_MSG_185;CIECAM02/16 - Control del rango de colores -HISTORY_MSG_186;CIECAM02/16 - Algoritmo -HISTORY_MSG_187;CIECAM02/16 - Protección de rojos/piel -HISTORY_MSG_188;CIECAM02/16 - Brillo (Q) -HISTORY_MSG_189;CIECAM02/16 - Contraste (Q) -HISTORY_MSG_190;CIECAM02/16 - Saturación (S) -HISTORY_MSG_191;CIECAM02/16 - Colorido (M) -HISTORY_MSG_192;CIECAM02/16 - Matiz (h) -HISTORY_MSG_193;CIECAM02/16 - Curva tonal 1 -HISTORY_MSG_194;CIECAM02/16 - Curva tonal 2 -HISTORY_MSG_195;CIECAM02/16 - Curva tonal 1 -HISTORY_MSG_196;CIECAM02/16 - Curva tonal 2 -HISTORY_MSG_197;CIECAM02/16 - Curva de color -HISTORY_MSG_198;CIECAM02/16 - Curva de color -HISTORY_MSG_199;CIECAM02/16 - Histogramas de salida -HISTORY_MSG_200;CIECAM02/16 - Mapeo tonal +HISTORY_MSG_174;Apariencia de color e Iluminación (AC & I) +HISTORY_MSG_175;AC & I - Condic. escena - Adaptación +HISTORY_MSG_176;AC & I - Condic. visualiz. - Contexto visual +HISTORY_MSG_177;AC & I - Condic. escena - Luminosidad absoluta +HISTORY_MSG_178;AC & I - Condic. visualiz. - Luminosidad absoluta +HISTORY_MSG_179;AC & I - Condic. escena - Modelo de punto blanco +HISTORY_MSG_180;AC & I - Ajustes imagen - Claridad (J) +HISTORY_MSG_181;AC & I - Ajustes imagen - Cromaticidad (C) +HISTORY_MSG_182;AC & I - Condic. escena - Adapt. automática +HISTORY_MSG_183;AC & I - Ajustes imagen - Contraste (J) +HISTORY_MSG_184;AC & I - Condic. escena - Contexto de la escena +HISTORY_MSG_185;AC & I - Control del rango de colores +HISTORY_MSG_186;AC & I - Ajustes imagen - Algoritmo +HISTORY_MSG_187;AC & I - Ajustes imagen - Protección de rojos/piel +HISTORY_MSG_188;AC & I - Ajustes imagen - Brillo (Q) +HISTORY_MSG_189;AC & I - Ajustes imagen - Contraste (Q) +HISTORY_MSG_190;AC & I - Ajustes imagen - Saturación (S) +HISTORY_MSG_191;AC & I - Ajustes imagen - Colorido (M) +HISTORY_MSG_192;AC & I - Ajustes imagen - Matiz (h) +HISTORY_MSG_193;AC & I - Ajustes imagen - Curva tonal 1 +HISTORY_MSG_194;AC & I - Ajustes imagen - Curva tonal 2 +HISTORY_MSG_195;AC & I - Ajustes imagen - Curva tonal 1 +HISTORY_MSG_196;AC & I - Ajustes imagen - Curva tonal 2 +HISTORY_MSG_197;AC & I - Ajustes imagen - Curva de color +HISTORY_MSG_198;AC & I - Ajustes imagen - Modo curva de color +HISTORY_MSG_199;AC & I - Ajustes imagen - Usar salida CAM para histogramas de salida +HISTORY_MSG_200;AC & I - Ajustes imagen - Usar CAM para mapeo tonal HISTORY_MSG_201;Reducción de ruido - Cromaticidad R/V HISTORY_MSG_202;Reducción de ruido - Cromaticidad A/Am HISTORY_MSG_203;Reducción de ruido - Espacio de color HISTORY_MSG_204;Pasos de mejora de LMMSE -HISTORY_MSG_205;CAT02/16 - Filtro de píxel caliente/muerto -HISTORY_MSG_206;CAT02/16 - Luminosidad automática de la escena +HISTORY_MSG_205;AC & I - Filtro de píxel caliente/muerto +HISTORY_MSG_206;AC & I - Luminosidad automática de la escena HISTORY_MSG_207;Quitar borde púrpura - Curva de matiz HISTORY_MSG_208;Balance de blancos - Compensador azul/rojo HISTORY_MSG_210;Filtro graduado - Ángulo @@ -661,7 +661,7 @@ HISTORY_MSG_421;Retinex - Gamma HISTORY_MSG_422;Retinex - Gamma HISTORY_MSG_423;Retinex - Pendiente de gamma HISTORY_MSG_424;Retinex - Umbral luces -HISTORY_MSG_425;Retinex - Base del logaritmo +HISTORY_MSG_425;-- no usado -- HISTORY_MSG_426;Retinex - Ecualizador de matiz HISTORY_MSG_427;Tipo de conversión del rango de colores de salida HISTORY_MSG_428;Tipo de conversión del rango de colores del monitor @@ -682,28 +682,44 @@ HISTORY_MSG_442;Retinex - Escala HISTORY_MSG_443;Compensación punto negro de salida HISTORY_MSG_444;Balance de blancos - Sesgo de temperatura HISTORY_MSG_445;Sub-imagen raw +HISTORY_MSG_446;-- no usado -- +HISTORY_MSG_447;-- no usado -- +HISTORY_MSG_448;-- no usado -- HISTORY_MSG_449;PixelShift - Adaptación ISO +HISTORY_MSG_450;-- no usado -- +HISTORY_MSG_451;-- no usado -- HISTORY_MSG_452;PixelShift - Mostrar movimiento HISTORY_MSG_453;PixelShift - Mostrar sólo la máscara +HISTORY_MSG_454;-- no usado -- +HISTORY_MSG_455;-- no usado -- +HISTORY_MSG_456;-- no usado -- HISTORY_MSG_457;PixelShift - Comprobar rojo/azul +HISTORY_MSG_458;-- no usado -- +HISTORY_MSG_459;-- no usado -- +HISTORY_MSG_460;-- no usado -- +HISTORY_MSG_461;-- no usado -- HISTORY_MSG_462;PixelShift - Comprobar verde +HISTORY_MSG_463;-- no usado -- HISTORY_MSG_464;PixelShift - Difuminar máscara de movimiento HISTORY_MSG_465;PixelShift - Radio de difuminado +HISTORY_MSG_466;-- no usado -- +HISTORY_MSG_467;-- no usado -- HISTORY_MSG_468;PixelShift - Rellenar huecos HISTORY_MSG_469;PixelShift - Mediana +HISTORY_MSG_470;-- no usado -- HISTORY_MSG_471;PixelShift - Corrección de movimiento HISTORY_MSG_472;PixelShift - Suavizar transiciones HISTORY_MSG_474;PixelShift - Ecualizar HISTORY_MSG_475;PixelShift - Ecualizar canal -HISTORY_MSG_476;CAM02 - Temperatura de salida -HISTORY_MSG_477;CAM02 - Verde de salida -HISTORY_MSG_478;CAM02 - Yb de salida -HISTORY_MSG_479;CAM02 - Adaptación CAT02 de salida -HISTORY_MSG_480;CAM02 - Salida automática CAT02 -HISTORY_MSG_481;CAM02 - Temperatura de la escena -HISTORY_MSG_482;CAM02 - Verde de la escena -HISTORY_MSG_483;CAM02 - Yb de la escena -HISTORY_MSG_484;CAM02 - Yb automático de la escena +HISTORY_MSG_476;AC & I - Condic. visualiz. - Temperatura +HISTORY_MSG_477;AC & I - Condic. visualiz. - Tinte +HISTORY_MSG_478;AC & I - Condic. visualiz. - Luminancia media +HISTORY_MSG_479;AC & I - Condic. visualiz. - Adaptación +HISTORY_MSG_480;AC & I - Condic. visualiz. - Adaptac. automática +HISTORY_MSG_481;AC & I - Condic. escena - Temperatura +HISTORY_MSG_482;AC & I - Condic. escena - Tinte +HISTORY_MSG_483;AC & I - Condic. escena - Luminancia media +HISTORY_MSG_484;AC & I - Condic. escena -Lumin. media auto HISTORY_MSG_485;Corrección de objetivo HISTORY_MSG_486;Corrección de objetivo - Cámara HISTORY_MSG_487;Corrección de objetivo - Objetivo @@ -716,23 +732,23 @@ HISTORY_MSG_493;Ajustes L*a*b* HISTORY_MSG_494;Nitidez en captura HISTORY_MSG_496;Local - Punto borrado HISTORY_MSG_497;Local - Punto seleccionado -HISTORY_MSG_498;Local - Nombre de punto -HISTORY_MSG_499;Local - Visibilidad de punto -HISTORY_MSG_500;Local - Forma de punto -HISTORY_MSG_501;Local - Método de punto -HISTORY_MSG_502;Local - Método de forma de punto -HISTORY_MSG_503;Local - locX de punto -HISTORY_MSG_504;Local - locXL de punto -HISTORY_MSG_505;Local - locY de punto -HISTORY_MSG_506;Local - locYT de punto -HISTORY_MSG_507;Local - Centro de punto -HISTORY_MSG_508;Local - Radio circular de punto -HISTORY_MSG_509;Local - Método de calidad de punto -HISTORY_MSG_510;Local - Transición de punto -HISTORY_MSG_511;Local - Umbral de punto -HISTORY_MSG_512;Local - Decaimiento de ΔE de punto -HISTORY_MSG_513;Local - Ámbito de punto -HISTORY_MSG_514;Local - Estructura de punto +HISTORY_MSG_498;Local - Nombre del punto +HISTORY_MSG_499;Local - Visibilidad del punto +HISTORY_MSG_500;Local - Forma del punto +HISTORY_MSG_501;Local - Método del punto +HISTORY_MSG_502;Local - Método de forma del punto +HISTORY_MSG_503;Local - locX del punto +HISTORY_MSG_504;Local - locXL del punto +HISTORY_MSG_505;Local - locY del punto +HISTORY_MSG_506;Local - locYT del punto +HISTORY_MSG_507;Local - Centro del punto +HISTORY_MSG_508;Local - Radio circular del punto +HISTORY_MSG_509;Local - Método de calidad del punto +HISTORY_MSG_510;Local - Transición del punto +HISTORY_MSG_511;Local - Umbral del punto +HISTORY_MSG_512;Local - Decaimiento de ΔE del punto +HISTORY_MSG_513;Local - Ámbito del punto +HISTORY_MSG_514;Local - Estructura del punto HISTORY_MSG_515;Ajustes Locales HISTORY_MSG_516;Local - Color y luz HISTORY_MSG_517;Local - Activar super @@ -798,7 +814,7 @@ HISTORY_MSG_576;Local - CPND Mult HISTORY_MSG_577;Local - CPND Cromaticidad HISTORY_MSG_578;Local - CPND Umbral HISTORY_MSG_579;Local - CPND Ámbito -HISTORY_MSG_580;Local - Reducción ruido +HISTORY_MSG_580;-- no usado -- HISTORY_MSG_581;Local - RD Lumin. fino 1 HISTORY_MSG_582;Local - RD Lumin. grueso HISTORY_MSG_583;Local - RD Lumin. detalle @@ -881,7 +897,7 @@ HISTORY_MSG_660;Local - CPND Claridad HISTORY_MSG_661;Local - CPND Contraste residual HISTORY_MSG_662;Local - Reducc. ruido Lumin. fino 0 HISTORY_MSG_663;Local - Reducc. ruido Lumin. fino 2 -HISTORY_MSG_664;Local - CPND Difuminado +HISTORY_MSG_664;-- no usado -- HISTORY_MSG_665;Local - CPND Mezcla máscara HISTORY_MSG_666;Local - CPND Radio máscara HISTORY_MSG_667;Local - CPND Cromaticidad máscara @@ -1129,7 +1145,7 @@ HISTORY_MSG_920;Local - Ondíc. sigma LC HISTORY_MSG_921;Local - Ondíc. Graduado sigma LC2 HISTORY_MSG_922;Local - Cambios en B/N HISTORY_MSG_923;Local - Modo Complejidad herram. -HISTORY_MSG_924;Local - Modo Complejidad herram. +HISTORY_MSG_924;-- no usado -- HISTORY_MSG_925;Local - Ámbito herram. color HISTORY_MSG_926;Local - Mostrar tipo máscara HISTORY_MSG_927;Local - Sombras @@ -1353,13 +1369,15 @@ HISTORY_MSG_1145;Local - Jz Codific. Log HISTORY_MSG_1146;Local - Jz Codific. Log gris objetivo HISTORY_MSG_1147;Local - Jz Ev Negro Ev Blanco HISTORY_MSG_1148;Local - Jz Sigmoide +HISTORY_MSG_1149;Local - Sigmoide Q +HISTORY_MSG_1150;Local - Codif. log. Q en vez de Sigmoide Q HISTORY_MSG_BLSHAPE;Difuminado por niveles HISTORY_MSG_BLURCWAV;Difuminar cromaticidad HISTORY_MSG_BLURWAV;Difuminar luminancia HISTORY_MSG_BLUWAV;Respuesta de atenuación -HISTORY_MSG_CATCAT;Modo Cat02/16 -HISTORY_MSG_CATCOMPLEX;Complejidad CIECAM -HISTORY_MSG_CATMODEL;Modelo CAM +HISTORY_MSG_CATCAT;AC & I - Ajustes - Modo +HISTORY_MSG_CATCOMPLEX;AC & I - Ajustes - Complejidad +HISTORY_MSG_CATMODEL;AC & I - Ajustes - CAM HISTORY_MSG_CLAMPOOG;Recortar colores fuera de rango HISTORY_MSG_COLORTONING_LABGRID_VALUE;Virado - Corrección de color HISTORY_MSG_COLORTONING_LABREGION_AB;Virado - Corrección de color @@ -1410,7 +1428,7 @@ HISTORY_MSG_ICM_WORKING_ILLUM_METHOD;Método de iluminante HISTORY_MSG_ICM_WORKING_PRIM_METHOD;Método de primarios HISTORY_MSG_ICM_WORKING_SLOPE;Espacio trabajo - Pendiente HISTORY_MSG_ICM_WORKING_TRC_METHOD;Espacio trabajo - Método TRC -HISTORY_MSG_ILLUM;Iluminante +HISTORY_MSG_ILLUM;AC & I - Condic. escena - Iluminante HISTORY_MSG_LOCALCONTRAST_AMOUNT;Contraste local - Cantidad HISTORY_MSG_LOCALCONTRAST_DARKNESS;Contraste local - Oscuridad HISTORY_MSG_LOCALCONTRAST_ENABLED;Contraste local @@ -1517,6 +1535,7 @@ ICCPROFCREATOR_ILL_41;D41 ICCPROFCREATOR_ILL_50;D50 ICCPROFCREATOR_ILL_55;D55 ICCPROFCREATOR_ILL_60;D60 +ICCPROFCREATOR_ILL_63;D63: DCI-P3 Sala de cine ICCPROFCREATOR_ILL_65;D65 ICCPROFCREATOR_ILL_80;D80 ICCPROFCREATOR_ILL_DEF;Predeterminado @@ -1531,6 +1550,7 @@ ICCPROFCREATOR_PRIM_BETA;BetaRGB ICCPROFCREATOR_PRIM_BLUX;Azul X ICCPROFCREATOR_PRIM_BLUY;Azul Y ICCPROFCREATOR_PRIM_BRUCE;BruceRGB +ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 ICCPROFCREATOR_PRIM_GREX;Verde X ICCPROFCREATOR_PRIM_GREY;Verde Y ICCPROFCREATOR_PRIM_PROPH;Prophoto @@ -1586,7 +1606,7 @@ IPTCPANEL_SUPPCATEGORIES;Categorías adicionales IPTCPANEL_SUPPCATEGORIESHINT;Refina aún más el tema de la imagen. IPTCPANEL_TITLE;Título IPTCPANEL_TITLEHINT;Nombre verbal y legible para la imagen. Puede ser el nombre del archivo de imagen. -IPTCPANEL_TRANSREFERENCE;Job ID +IPTCPANEL_TRANSREFERENCE;Identificador del trabajo IPTCPANEL_TRANSREFERENCEHINT;Número o identificador necesario para el control del flujo de trabajo o el seguimiento. MAIN_BUTTON_FULLSCREEN;Pantalla completa MAIN_BUTTON_ICCPROFCREATOR;Creador de perfiles ICC @@ -1690,7 +1710,7 @@ PARTIALPASTE_CACORRECTION;Corrección de aberración cromática PARTIALPASTE_CHANNELMIXER;Mezclador de canales PARTIALPASTE_CHANNELMIXERBW;Blanco y negro PARTIALPASTE_COARSETRANS;Rotación/Volteo grueso -PARTIALPASTE_COLORAPP;CIECAM02/16 +PARTIALPASTE_COLORAPP;Apariencia de color e Iluminación PARTIALPASTE_COLORGROUP;Ajustes de color PARTIALPASTE_COLORTONING;Virado de color PARTIALPASTE_COMMONTRANSFORMPARAMS;Auto-llenado @@ -1762,6 +1782,7 @@ PARTIALPASTE_SHARPENEDGE;Bordes PARTIALPASTE_SHARPENING;Nitidez (USM/RL) PARTIALPASTE_SHARPENMICRO;Microcontraste PARTIALPASTE_SOFTLIGHT;Luz suave +PARTIALPASTE_SPOT;Eliminación de manchas PARTIALPASTE_TM_FATTAL;Compresión de rango dinámico PARTIALPASTE_VIBRANCE;Vivacidad PARTIALPASTE_VIGNETTING;Corrección de viñeteado @@ -1902,7 +1923,7 @@ PREFERENCES_PERFORMANCE_MEASURE_HINT;Anota los tiempos de procesamiento en la co PREFERENCES_PERFORMANCE_THREADS;Hilos de ejecución PREFERENCES_PERFORMANCE_THREADS_LABEL;Número máximo de hilos para Reducción de ruido y Niveles de ondículas (0 = Automático) PREFERENCES_PREVDEMO;Método de desentramado de la vista previa -PREFERENCES_PREVDEMO_FAST;Fast +PREFERENCES_PREVDEMO_FAST;Rápido PREFERENCES_PREVDEMO_LABEL;Método de desentramado usado para la vista previa a ampliaciones <100%: PREFERENCES_PREVDEMO_SIDECAR;Como en PP3 PREFERENCES_PRINTER;Impresora (Prueba de impresión) @@ -2037,12 +2058,12 @@ SAVEDLG_WARNFILENAME;El archivo se nombrará SHCSELECTOR_TOOLTIP;La posición de estos tres deslizadores se reinicia haciendo clic en el botón derecho del ratón. SOFTPROOF_GAMUTCHECK_TOOLTIP;Destaca los píxels con colores fuera de rango con respecto a:\n\n- el perfil de la impresora, si éste está establecido y la prueba de impresión está activada,\n- el perfil de salida, si no se ha establecido un perfil de impresora y la prueba de impresión está activada,\n- el perfil del monitor, si la prueba de impresión está desactivada. SOFTPROOF_TOOLTIP;La prueba de impresión simula la apariencia de la imagen:\n\n- cuando se imprima, si se ha establecido un perfil de impresora en Preferencias > Gestión de color,\n- cuando se visualiza en una pantalla que usa el perfil de salida actual, si no se ha establecido un perfil de impresora. -TC_PRIM_BLUX;Bx -TC_PRIM_BLUY;By -TC_PRIM_GREX;Gx -TC_PRIM_GREY;Gy -TC_PRIM_REDX;Rx -TC_PRIM_REDY;Ry +TC_PRIM_BLUX;Azul X +TC_PRIM_BLUY;Azul Y +TC_PRIM_GREX;Verde X +TC_PRIM_GREY;Verde Y +TC_PRIM_REDX;Rojo X +TC_PRIM_REDY;Rojo Y THRESHOLDSELECTOR_B;Inferior THRESHOLDSELECTOR_BL;Inferior-izquierda THRESHOLDSELECTOR_BR;Inferior-derecha @@ -2140,7 +2161,7 @@ TP_COLORAPP_ALGO_TOOLTIP;Permite escoger entre subconjuntos de parámetros o tod TP_COLORAPP_BADPIXSL;Filtro de píxels calientes/muertos TP_COLORAPP_BADPIXSL_TOOLTIP;Supresión de píxels calientes/muertos (de un color brillante).\n0 = Sin efecto\n1 = Mediana\n2 = Gaussiano.\nAlternativamente, ajusta la imagen para evitar sombras muy oscuras.\n\nEstos artefactos se deben a limitaciones de CIECAM02. TP_COLORAPP_BRIGHT;Brillo (Q) -TP_COLORAPP_BRIGHT_TOOLTIP;El Brillo en CIECAM02/16 es la cantidad de luz percibida que emana de un estímulo, y difiere del brillo de L*a*b* y RGB. +TP_COLORAPP_BRIGHT_TOOLTIP;El Brillo en CIECAM es la cantidad de luz percibida que emana de un estímulo. Difiere del brillo de L*a*b* y RGB. TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;Si se ajusta manualmente, se recomiendan valores por encima de 65. TP_COLORAPP_CATCLASSIC;Clásico TP_COLORAPP_CATMET_TOOLTIP;Clásico: funcionamiento tradicional de CIECAM. Las transformaciones de adaptación cromática se aplican separadamente en «Condiciones de la escena» e iluminante básico por un lado, y en el iluminante básico y «Condiciones de entorno» por otro.\n\nSimétrico: La adaptación cromática se basa en el balance de blancos. Los ajustes «Condiciones de la escena», «Ajustes de imagen» y «Condiciones de entorno» se neutralizan.\n\nMezcla: Como la opción «Clásico», pero en este caso, la adaptación cromática se basa en el balance de blancos. @@ -2149,29 +2170,29 @@ TP_COLORAPP_CATSYMGEN;Automático simétrico TP_COLORAPP_CATSYMSPE;Mezcla TP_COLORAPP_CHROMA;Cromaticidad (C) TP_COLORAPP_CHROMA_M;Colorido (M) -TP_COLORAPP_CHROMA_M_TOOLTIP;El colorido en CIECAM02/16 es la cantidad percibida de matiz en relación al gris, un indicador de que un estímulo parece estar más o menos coloreado. +TP_COLORAPP_CHROMA_M_TOOLTIP;El colorido en CIECAM es la cantidad percibida de matiz en relación al gris, un indicador de que un estímulo parece estar más o menos coloreado. TP_COLORAPP_CHROMA_S;Saturación (S) -TP_COLORAPP_CHROMA_S_TOOLTIP;La Saturación en CIECAM02/16 corresponde al color de un estímulo en relación a su propio brillo. Difiere de la saturación L*a*b* y RGB. -TP_COLORAPP_CHROMA_TOOLTIP;La Cromaticidad en CIECAM02/16 corresponde al color de un estímulo relativo a la claridad de un estímulo que parece blanco bajo idénticas condiciones. Difiere de la cromaticidad L*a*b* y RGB. -TP_COLORAPP_CIECAT_DEGREE;Adaptación CAT02 +TP_COLORAPP_CHROMA_S_TOOLTIP;La Saturación en CIECAM corresponde al color de un estímulo en relación a su propio brillo. Difiere de la saturación L*a*b* y RGB. +TP_COLORAPP_CHROMA_TOOLTIP;La Cromaticidad en CIECAM corresponde al color de un estímulo relativo a la claridad de un estímulo que parece blanco bajo idénticas condiciones. Difiere de la cromaticidad L*a*b* y RGB. +TP_COLORAPP_CIECAT_DEGREE;Adaptación TP_COLORAPP_CONTRAST;Contraste (J) TP_COLORAPP_CONTRAST_Q;Contraste (Q) -TP_COLORAPP_CONTRAST_Q_TOOLTIP;El Contraste (Q) en CIECAM02/16 se basa en el brillo. Difiere del contraste en L*a*b* y RGB. -TP_COLORAPP_CONTRAST_TOOLTIP;El Contraste (J) en CIECAM02/16 se basa en la claridad. Difiere del contraste en L*a*b* y RGB. +TP_COLORAPP_CONTRAST_Q_TOOLTIP;El Contraste (Q) en CIECAM se basa en el brillo. Difiere del contraste en L*a*b* y RGB. +TP_COLORAPP_CONTRAST_TOOLTIP;El Contraste (J) en CIECAM se basa en la claridad. Difiere del contraste en L*a*b* y RGB. TP_COLORAPP_CURVEEDITOR1;Curva tonal 1 -TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Muestra el histograma de L* (L*a*b*) antes de CIECAM02/16.\nSi la casilla «Mostrar histogramas de salida de CIECAM02/16 en curvas» está activada, muestra el histograma de J después de CIECAM02/16.\n\nJ no se muestra en el panel del histograma principal.\n\nPara la salida final, se puede consultar el panel del histograma principal. +TP_COLORAPP_CURVEEDITOR1_TOOLTIP;Muestra el histograma de L* (L*a*b*) antes de CIECAM.\nSi la casilla «Mostrar histogramas de salida de CIECAM en curvas» está activada, muestra el histograma de J después de CIECAM.\n\nJ no se muestra en el panel del histograma principal.\n\nPara la salida final, se puede consultar el panel del histograma principal. TP_COLORAPP_CURVEEDITOR2;Curva tonal 2 TP_COLORAPP_CURVEEDITOR2_TOOLTIP;El mismo uso que la primera curva tonal J(J). TP_COLORAPP_CURVEEDITOR3;Curva de color -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Ajusta la cromaticidad, la saturación o el colorido.\n\nMuestra el histograma de cromaticidad (L*a*b*) antes de CIECAM02/16.\nSi la casilla «Mostrar histogramas de salida de CIECAM02/16 en curvas» está activada, muestra el histograma de C, S o M después de CIECAM02/16.\n\nC, S y M no se muestran en el panel del histograma principal.\nPara la salida final, se puede consultar el panel del histograma principal. -TP_COLORAPP_DATACIE;Histogramas de salida CIECAM02/16 en curvas -TP_COLORAPP_DATACIE_TOOLTIP;Si está activado, los histogramas en las curvas CIECAM02/16 muestran los valores/rangos aproximados de J, y C, S o M después de los ajustes de CIECAM02/16.\nEsta selección no influye en el histograma principal.\n\nSi está desactivado, los histogramas en las curvas CIECAM02/16 muestran los valores L*a*b* antes de los ajustes de CIECAM02/16. +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;Ajusta la cromaticidad, la saturación o el colorido.\n\nMuestra el histograma de cromaticidad (L*a*b*) antes de CIECAM.\nSi la casilla «Mostrar histogramas de salida de CIECAM en curvas» está activada, muestra el histograma de C, S o M después de CIECAM.\n\nC, S y M no se muestran en el panel del histograma principal.\nPara la salida final, se puede consultar el panel del histograma principal. +TP_COLORAPP_DATACIE;Histogramas de salida CIECAM en las curvas +TP_COLORAPP_DATACIE_TOOLTIP;Si está activado, los histogramas en las curvas CIECAM muestran los valores/rangos aproximados de J, y C, S o M después de los ajustes de CIECAM.\nEsta selección no influye en el histograma principal.\n\nSi está desactivado, los histogramas en las curvas CIECAM muestran los valores L*a*b* antes de los ajustes de CIECAM. TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los valores de una imagen cuyo punto blanco es el de un iluminante dado (por ejemplo D65) a nuevos valores cuyo punto blanco es el del nuevo iluminante. Consúltese el Modelo de Punto Blanco (por ejemplo, D50 or D55). TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16 es una adaptación cromática. Convierte los valores de una imagen cuyo punto blanco es el de un iluminante dado (por ejemplo D50) a nuevos valores cuyo punto blanco es el del nuevo iluminante. Consúltese el Modelo de Punto Blanco (por ejemplo D75). TP_COLORAPP_FREE;Temperatura+verde libres + CAT02/16 + [salida] -TP_COLORAPP_GAMUT;Control de rango de colores (L*a*b*) -TP_COLORAPP_GEN;Ajustes - Preselección -TP_COLORAPP_GEN_TOOLTIP;Este módulo está basado en el modelo de apariencia de color CIECAM, que se diseñó para simular mejor cómo la visión humana percibe los colores bajo diferentes condiciones de iluminación, por ejemplo, contra fondos diferentes.\n\nTiene en cuenta el entorno de cada color y modifica su apariencia para que sea lo más cercana posible a la percepción humana.\n\nTambién adapta la salida a las condiciones de visualización previstas (monitor, TV, proyector, impresora, etc.) de modo que la apariencia cromática se preserve para todos los entornos de escena y visualización. +TP_COLORAPP_GAMUT;Emplear el control de rango de colores en el modo L*a*b* +TP_COLORAPP_GEN;Ajustes +TP_COLORAPP_GEN_TOOLTIP;Este módulo está basado en los modelos de apariencia de color CIECAM, que se diseñaron para simular mejor cómo la visión humana percibe los colores bajo diferentes condiciones de iluminación, por ejemplo, contra fondos diferentes.\n\nTiene en cuenta el entorno de cada color y modifica su apariencia para que sea lo más cercana posible a la percepción humana.\n\nTambién adapta la salida a las condiciones de visualización previstas (monitor, TV, proyector, impresora, etc.) de modo que la apariencia cromática se preserve para todos los entornos de escena y visualización. TP_COLORAPP_HUE;Matiz (h) TP_COLORAPP_HUE_TOOLTIP;Matiz (h) es el grado en que un estímulo puede describirse como similar a un color descrito como rojo, verde, azul y amarillo. TP_COLORAPP_IL41;D41 @@ -2184,12 +2205,12 @@ TP_COLORAPP_ILA;Incandescente StdA 2856K TP_COLORAPP_ILFREE;Libre TP_COLORAPP_ILLUM;Iluminante TP_COLORAPP_ILLUM_TOOLTIP;Selecciona el iluminante más cercano a las condiciones de toma.\nEn general será D50, pero puede cambiar en función de la hora y la latitud. -TP_COLORAPP_LABEL;Apariencia de Color e Iluminación (CIECAM02/16) +TP_COLORAPP_LABEL;Apariencia de Color e Iluminación TP_COLORAPP_LABEL_CAM02;Ajustes de imagen TP_COLORAPP_LABEL_SCENE;Condiciones de la escena TP_COLORAPP_LABEL_VIEWING;Condiciones de visualización TP_COLORAPP_LIGHT;Claridad (J) -TP_COLORAPP_LIGHT_TOOLTIP;La Claridad en CIECAM02/16 es la claridad de un estímulo relativa a la claridad de un estímulo que parece blanco bajo condiciones de visualización similares. Difiere de la claridad en L*a*b* y RGB. +TP_COLORAPP_LIGHT_TOOLTIP;La Claridad en CIECAM es la claridad de un estímulo relativa a la claridad de un estímulo que parece blanco bajo condiciones de visualización similares. Difiere de la claridad en L*a*b* y RGB. TP_COLORAPP_MEANLUMINANCE;Luminancia media (Yb%) TP_COLORAPP_MOD02;CIECAM02 TP_COLORAPP_MOD16;CIECAM16 @@ -2202,14 +2223,13 @@ TP_COLORAPP_NEUTRAL_TOOLTIP;Restablece todos los deslizadores, casillas de verif TP_COLORAPP_RSTPRO;Protección de rojo y tonos de piel TP_COLORAPP_RSTPRO_TOOLTIP;La Protección de rojo y tonos de piel afecta tanto a los deslizadores como a las curvas. TP_COLORAPP_SOURCEF_TOOLTIP;Corresponde a las condiciones de toma y cómo llevar las condiciones y los datos a una zona «normal». «Normal» significa aquí condiciones y datos promedio o estándar, es decir, sin tener en cuenta las correcciones CIECAM. -TP_COLORAPP_SURROUND;Entorno -TP_COLORAPP_SURROUNDSRC;Entorno - Iluminación de escena +TP_COLORAPP_SURROUND;Entorno de visualización +TP_COLORAPP_SURROUNDSRC;Entorno (Iluminación de escena) TP_COLORAPP_SURROUND_AVER;Promedio TP_COLORAPP_SURROUND_DARK;Oscuro TP_COLORAPP_SURROUND_DIM;Luz tenue TP_COLORAPP_SURROUND_EXDARK;Muy oscuro TP_COLORAPP_SURROUND_TOOLTIP;Cambia los tonos y colores teniendo en cuenta las condiciones de visualización del dispositivo de salida.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nLuz tenue: Entorno con luz tenue (TV). La imagen se volverá un poco oscura.\n\nOscuro: Entorno oscuro (proyector). La imagen se volverá más oscura.\n\nMuy oscuro: Entorno muy oscuro. La imagen se volverá muy oscura. -TP_COLORAPP_SURSOURCE;Entorno origen TP_COLORAPP_SURSOURCE_TOOLTIP;Cambia tonos y colores para tener en cuenta las condiciones de la escena.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nTenue: Entorno tenue. La imagen se volverá ligeramente brillante.\n\nOscuro: Entorno oscuro. La imagen se volverá más brillante.\n\nMuy oscuro: Entorno muy oscuro. La imagen se volverá muy brillante. TP_COLORAPP_TCMODE_BRIGHTNESS;Brillo TP_COLORAPP_TCMODE_CHROMA;Cromaticidad @@ -2221,9 +2241,9 @@ TP_COLORAPP_TCMODE_LIGHTNESS;Claridad TP_COLORAPP_TCMODE_SATUR;Saturación TP_COLORAPP_TEMP2_TOOLTIP;O bien modo simétrico, Temp = balance de blancos.\nO bien, se selecciona el iluminante, poniendo siempre Tinte=1.\n\nA Temp=2856 K\nD41 Temp=4100 K\nD50 Temp=5003 K\nD55 Temp=5503 K\nD60 Temp=6000 K\nD65 Temp=6504 K\nD75 Temp=7504 K TP_COLORAPP_TEMP_TOOLTIP;Para seleccionar un iluminante, se ajusta siempre Tinte=1.\n\nTemp A=2856 K\nTemp D50=5003 K\nTemp D55=5503 K\nTemp D65=6504 K\nTemp D75=7504 K -TP_COLORAPP_TONECIE;Mapeo tonal mediante CIECAM02 +TP_COLORAPP_TONECIE;Mapeo tonal mediante CIECAM TP_COLORAPP_TONECIE_TOOLTIP;Si esta opción está desactivada, el mapeo tonal se realiza en el espacio L*a*b*.\nSi está activada, el mapeo tonal se realiza mediante CIECAM02.\nLa herramienta Mapeo tonal debe estar activada para que este ajuste tenga efectos. -TP_COLORAPP_VIEWINGF_TOOLTIP;Tiene en cuenta el medio en el que se visualizará la imagen final (monitor, TV, proyector, impresora, ...), así como su entorno. Este proceso tomará los datos procedentes del proceso «Ajustes de imagen» y los «llevará» al medio de visualización, de tal modo que se tendrán en cuenta las condiciones de visualización. +TP_COLORAPP_VIEWINGF_TOOLTIP;Tiene en cuenta el medio en el que se visualizará la imagen final (monitor, TV, proyector, impresora, etc.), así como su entorno. Este proceso tomará los datos procedentes del proceso «Ajustes de imagen» y los «llevará» al medio de visualización, de tal modo que se tendrán en cuenta las condiciones de visualización. TP_COLORAPP_VIEWING_ABSOLUTELUMINANCE_TOOLTIP;Luminancia absoluta del entorno de visualización\n(normalmente 16 cd/m²). TP_COLORAPP_WBCAM;WB [RT+CAT02] + [salida] TP_COLORAPP_WBRT;WB [RT] + [salida] @@ -2919,6 +2939,7 @@ TP_LOCALLAB_JZHJZFRA;Curva Jz(Hz) TP_LOCALLAB_JZHUECIE;Rotación de matiz TP_LOCALLAB_JZLIGHT;Luminosidad TP_LOCALLAB_JZLOG;Codificación Log Jz +TP_LOCALLAB_JZLOGWBS_TOOLTIP;Los ajustes Ev de Negro y Ev de Blanco pueden ser diferentes, dependiendo de si se usa Codificación logarítmica o Sigmoide.\nEn el caso de Sigmoide, puede ser necesario un cambio (aumento en la mayoría de los casos) de Ev de Blanco, para obtener una mejor representación de las altas luces, el contraste y la saturación. TP_LOCALLAB_JZLOGWB_TOOLTIP;Si Auto está activado, calculará y ajustará los niveles Ev y la «luminancia media Yb%» en el área del punto de edición. Los valores resultantes se usarán en todas las operaciones Jz, incluyendo «Codificación Log Jz».\nTambién calcula la luminancia absoluta en el momento de la toma. TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Yb es la luminosidad relativa del fondo, expresada como un porcentaje de gris. Un 18% de gris corresponde a una luminosidad del fondo del 50%, expresada en CIE L.\nLos datos se basan en la luminosidad media de la imagen.\nSi se usa con la Codificación logarítmica, la luminosidad media se utilizará para determinar la cantidad de ganancia que se necesita aplicar a la señal antes de la codificación logarítimica. Los valores bajos de luminosidad media darán como resultado un aumento de la ganancia. TP_LOCALLAB_JZMODECAM_TOOLTIP;Jz (sólo en modo «Avanzado»). Sólo funcionará si el dispositivo de salida (monitor) es HDR (luminancia pico mayor que 100 cd/m², idealmente entre 4000 y 10000 cd/m², y luminancia del punto negro inferior a 0.005 cd/m²). Esto supone que: a) el espacio de conexión de perfiles ICC (ICC-PCS) para la pantalla usa Jzazbz (o XYZ), b) trabaja con precisión de números reales (de coma flotante), c) el monitor está calibrado (si es posible, con un rango de colores DCI-P3 o Rec-2020), d) la gamma usual (sRGB o BT709) se substituye por una función Cuantificadora Perceptual (CP). @@ -2979,6 +3000,8 @@ TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;Calcula automáticamente la «luminancia media» TP_LOCALLAB_LOGAUTO_TOOLTIP;Al pulsar este botón se calculará el «rango dinámico» y la «luminancia media» para las condiciones de la escena si está activada la casilla «Luminancia media automática (Yb%)».\nTambién se calcula la luminancia absoluta en el momento de la toma.\nPara ajustar los valores calculados automáticamente hay que volver a pulsar el botón. TP_LOCALLAB_LOGBASE_TOOLTIP;Valor predeterminado = 2.\nLos valores menores que 2 reducen la acción del algoritmo, haciendo las sombras más oscuras y las luces más brillantes.\nCon valores mayores que 2, las sombras son más grises y las luces son más desteñidas. TP_LOCALLAB_LOGCATAD_TOOLTIP;La adaptación cromática permite interpretar un color en función de su entorno espacio-temporal.\nEs útil cuando el balance de blancos está lejos de la referencia D50.\nAdapta los colores al iluminante del dispositivo de salida. +TP_LOCALLAB_LOGCIE;Codificación logarítmica en lugar de Sigmoide +TP_LOCALLAB_LOGCIE_TOOLTIP;Permite el uso de Ev de Negro, Ev de Blanco, Luminancia media de la escena (Yb%) y Luminancia media de la visualización (Yb%) para el mapeo tonal con Codificación logarítmica Q. TP_LOCALLAB_LOGCOLORFL;Colorido (M) TP_LOCALLAB_LOGCOLORF_TOOLTIP;Cantidad de matiz percibida en relación al gris.\nIndicador de que un estímulo parece más o menos coloreado. TP_LOCALLAB_LOGCONQL;Contraste (Q) @@ -3003,6 +3026,7 @@ TP_LOCALLAB_LOGREPART;Intensidad TP_LOCALLAB_LOGREPART_TOOLTIP;Permite ajustar la intensidad relativa de la imagen codificada logarítmicamente con respecto a la imagen original.\nNo afecta al componente Ciecam. TP_LOCALLAB_LOGSATURL_TOOLTIP;La Saturación (s) en CIECAM16 corresponde al color de un estímulo en relación a su propio brillo.\nActúa principalmente en tonos medios y luces. TP_LOCALLAB_LOGSCENE_TOOLTIP;Corresponde a las condiciones de toma. +TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Cambia los tonos y colores teniendo en cuenta las condiciones de la escena.\n\nPromedio: Condiciones de luz promedio (estándar). La imagen no cambiará.\n\nTenue: Condiciones de luz tenue. La imagen será ligeramente más brillante.\n\nOscuro: Condiciones de oscuridad. La imagen será más brillante. TP_LOCALLAB_LOGVIEWING_TOOLTIP;Corresponde al medio en el que se visualizará la imagen final (monitor, TV, proyector, impresora,..), así como su entorno. TP_LOCALLAB_LOG_TOOLNAME;Codificación logarítmica - 0 TP_LOCALLAB_LUM;Curvas LL - CC @@ -3068,7 +3092,6 @@ TP_LOCALLAB_MASKRESWAV_TOOLTIP;Usado para modular el efecto de los ajustes de Co TP_LOCALLAB_MASKUNUSABLE;Máscara desactivada (Máscara y modificaciones) TP_LOCALLAB_MASKUSABLE;Máscara activada (Máscara y modificaciones) TP_LOCALLAB_MASK_TOOLTIP;Se puede activar varias máscaras para una herramienta, activando otra herramienta y usando solamente la máscara (ajusta los deslizadores de la herramienta a 0 ).\n\nTambién es posible duplicar el punto RT y situarlo cerca del primer punto. Las pequeñas variaciones en las referencias del punto permiten hacer ajustes finos. -TP_LOCALLAB_MED;Medio TP_LOCALLAB_MEDIAN;Mediana baja TP_LOCALLAB_MEDIANITER_TOOLTIP;El número de iteraciones sucesivas llevadas a cabo por el filtro de mediana. TP_LOCALLAB_MEDIAN_TOOLTIP;Se puede elegir un valor de mediana en el rango de 3x3 a 9x9 píxels. Los valores altos aumentan la reducción de ruido y el difuminado. @@ -3480,9 +3503,9 @@ TP_RAWEXPOS_LINEAR;Corrección de punto blanco TP_RAWEXPOS_RGB;Rojo, Verde, Azul TP_RAWEXPOS_TWOGREEN;Vincular verdes TP_RAW_1PASSMEDIUM;1 paso (Markesteijn) -TP_RAW_2PASS;1 paso + fast +TP_RAW_2PASS;1 paso + rápido TP_RAW_3PASSBEST;3 pasos (Markesteijn) -TP_RAW_4PASS;3 pasos + fast +TP_RAW_4PASS;3 pasos + rápido TP_RAW_AHD;AHD TP_RAW_AMAZE;AMaZE TP_RAW_AMAZEBILINEAR;AMaZE+Bilineal @@ -3502,7 +3525,7 @@ TP_RAW_DUALDEMOSAICAUTOCONTRAST_TOOLTIP;Si la casilla está activada (recomendad TP_RAW_DUALDEMOSAICCONTRAST;Umbral de contraste TP_RAW_EAHD;EAHD TP_RAW_FALSECOLOR;Pasos de supresión de falso color -TP_RAW_FAST;Fast +TP_RAW_FAST;Rápido TP_RAW_HD;Umbral TP_RAW_HD_TOOLTIP;Los valores bajos hacen más agresiva la detección de píxels muertos/calientes, pero los falsos positivos pueden dar lugar a artefactos. Si se observa la aparición de cualquier artefacto al activar el filtro de píxel muerto/caliente, debe incrementarse gradualmente el umbral hasta que desaparezcan. TP_RAW_HPHD;HPHD @@ -3549,11 +3572,11 @@ TP_RAW_RCD;RCD TP_RAW_RCDBILINEAR;RCD+Bilineal TP_RAW_RCDVNG4;RCD+VNG4 TP_RAW_SENSOR_BAYER_LABEL;Sensor con matriz Bayer -TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;El método de 3 pasos da los mejores resultados (recomendado para imágenes de ISO baja).\nEl método de 1 paso es casi indistinguible del de 3 pasos para imágenes de ISO alta y es más rápido.\n+fast genera menos artefactos en zonas planas. +TP_RAW_SENSOR_XTRANS_DMETHOD_TOOLTIP;El método de 3 pasos da los mejores resultados (recomendado para imágenes de ISO baja).\nEl método de 1 paso es casi indistinguible del de 3 pasos para imágenes de ISO alta y es más rápido.\n+rápido genera menos artefactos en zonas planas. TP_RAW_SENSOR_XTRANS_LABEL;Sensor con matriz X-Trans TP_RAW_VNG4;VNG4 TP_RAW_XTRANS;X-Trans -TP_RAW_XTRANSFAST;Fast X-Trans +TP_RAW_XTRANSFAST;X-Trans rápido TP_RESIZE_ALLOW_UPSCALING;Permitir aumento de tamaño TP_RESIZE_APPLIESTO;Se aplica a: TP_RESIZE_CROPPEDAREA;Área recortada @@ -4042,35 +4065,4 @@ ZOOMPANEL_ZOOMFITCROPSCREEN;Encajar recorte en la vista previa\nAtajo de teclado ZOOMPANEL_ZOOMFITSCREEN;Encajar la imagen entera en la vista previa\nAtajo de teclado: Alt-f ZOOMPANEL_ZOOMIN;Acercar\nAtajo de teclado: + ZOOMPANEL_ZOOMOUT;Alejar\nAtajo de teclado: - -xTP_LOCALLAB_LOGSURSOUR_TOOLTIP;Cambia los tonos y colores para tener en cuenta las condiciones de la escena.\n\nPromedio: Entorno de luz promedio (estándar). La imagen no cambiará.\n\nTenue: Entorno tenue. La imagen aumentará su brillo ligeramente. -//HISTORY_MSG_1099;Local - Curva Hz(Hz) -!!!!!!!!!!!!!!!!!!!!!!!!! -! Untranslated keys follow; remove the ! prefix after an entry is translated. -!!!!!!!!!!!!!!!!!!!!!!!!! - -!HISTORY_MSG_446;--unused-- -!HISTORY_MSG_447;--unused-- -!HISTORY_MSG_448;--unused-- -!HISTORY_MSG_450;--unused-- -!HISTORY_MSG_451;--unused-- -!HISTORY_MSG_454;--unused-- -!HISTORY_MSG_455;--unused-- -!HISTORY_MSG_456;--unused-- -!HISTORY_MSG_458;--unused-- -!HISTORY_MSG_459;--unused-- -!HISTORY_MSG_460;--unused-- -!HISTORY_MSG_461;--unused-- -!HISTORY_MSG_463;--unused-- -!HISTORY_MSG_466;--unused-- -!HISTORY_MSG_467;--unused-- -!HISTORY_MSG_470;--unused-- -!HISTORY_MSG_1149;Local - Q Sigmoid -!HISTORY_MSG_1150;Local - Log encoding Q instead Sigmoid Q -!ICCPROFCREATOR_ILL_63;D63 : DCI-P3 Theater -!ICCPROFCREATOR_PRIM_DCIP3;DCI-P3 -!PARTIALPASTE_SPOT;Spot removal -!TP_LOCALLAB_JZLOGWBS_TOOLTIP;Black Ev and White Ev adjustments can be different depending on whether Log encoding or Sigmoid is used.\nFor Sigmoid, a change (increase in most cases) of White Ev may be necessary to obtain a better rendering of highlights, contrast and saturation. -!TP_LOCALLAB_LOGCIE;Log encoding instead of Sigmoid -!TP_LOCALLAB_LOGCIE_TOOLTIP;Allows you tu use Black Ev, White Ev, Scene Mean luminance(Yb%) and Viewing Mean luminance(Yb%) for tone-mapping using Log encoding Q. -!TP_LOCALLAB_LOGSURSOUR_TOOLTIP;Changes tones and colors to take into account the Scene conditions.\n\nAverage: Average light conditions (standard). The image will not change.\n\nDim: Dim conditions. The image will become slightly brighter.\n\nDark: Dark conditions. The image will become more bright. From db1e7659a27a020f9eb00dc4656429d1889e1514 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Sat, 22 Oct 2022 20:19:10 +0200 Subject: [PATCH 131/170] Japanese translation updated by Yz2house Closes #6598 --- rtdata/languages/Japanese | 585 +++++++++++++++++++------------------- 1 file changed, 287 insertions(+), 298 deletions(-) diff --git a/rtdata/languages/Japanese b/rtdata/languages/Japanese index 913ee8112..0f35036db 100644 --- a/rtdata/languages/Japanese +++ b/rtdata/languages/Japanese @@ -1,15 +1,4 @@ -#01 2011-05-15 a3novy -#02 2011-11-13 a3novy -#03 2011-11-20 a3novy -#04 2011-12-03 a3novy -#05 2012-02-11 a3novy -#06 2012-04-04 a3novy -#07 2012-07-12 a3novy -#08 2012-12-22 a3novy -#09 2013-04-01 a3novy -#10 2013-04-19 a3novy -#11 2020-06-24 Yz2house -#12 2022-06-04 Yz2house +#Last update 10-12-2022 ABOUT_TAB_BUILD;バージョン ABOUT_TAB_CREDITS;クレジット @@ -19,9 +8,9 @@ ABOUT_TAB_SPLASH;スプラッシュ ADJUSTER_RESET_TO_DEFAULT;クリック - デフォルト値にリセット\nCtrl+クリック - 初期値にリセット BATCH_PROCESSING;バッチ処理 CURVEEDITOR_AXIS_IN;入力値: -CURVEEDITOR_AXIS_LEFT_TAN;LT: +CURVEEDITOR_AXIS_LEFT_TAN;左正接: CURVEEDITOR_AXIS_OUT;出力値: -CURVEEDITOR_AXIS_RIGHT_TAN;RT: +CURVEEDITOR_AXIS_RIGHT_TAN;右正接: CURVEEDITOR_CATMULLROM;フレキシブル CURVEEDITOR_CURVE;カーブ CURVEEDITOR_CURVES;カーブ @@ -38,7 +27,7 @@ CURVEEDITOR_PARAMETRIC;パラメトリック CURVEEDITOR_SAVEDLGLABEL;カーブの保存... CURVEEDITOR_SHADOWS;シャドウ CURVEEDITOR_TOOLTIPCOPY;クリップボードに現在のカーブをコピー -CURVEEDITOR_TOOLTIPLINEAR;リニアにリセット +CURVEEDITOR_TOOLTIPLINEAR;線形にリセット CURVEEDITOR_TOOLTIPLOAD;ファイルからカーブを読み込む CURVEEDITOR_TOOLTIPPASTE;クリップボードからカーブを貼り付け CURVEEDITOR_TOOLTIPSAVE;現在のカーブを保存 @@ -52,7 +41,7 @@ DYNPROFILEEDITOR_ENTRY_TOOLTIP;整合性が悪い場合は、入力する際に" DYNPROFILEEDITOR_IMGTYPE_ANY;任意 DYNPROFILEEDITOR_IMGTYPE_HDR;HDR DYNPROFILEEDITOR_IMGTYPE_PS;ピクセルシフト -DYNPROFILEEDITOR_IMGTYPE_STD;標準え +DYNPROFILEEDITOR_IMGTYPE_STD;標準 DYNPROFILEEDITOR_MOVE_DOWN;下に移動 DYNPROFILEEDITOR_MOVE_UP;上に移動 DYNPROFILEEDITOR_NEW;新規 @@ -197,7 +186,7 @@ FILEBROWSER_SHOWCOLORLABEL5HINT;パープル・ラベルの画像を表示\nシ FILEBROWSER_SHOWDIRHINT;全ての絞り込みをクリア\nショートカット: d FILEBROWSER_SHOWEDITEDHINT;編集済み画像を表示\nショートカット: 7 FILEBROWSER_SHOWEDITEDNOTHINT;未編集画像を表示\nショートカット: 6 -FILEBROWSER_SHOWEXIFINFO;EXIF情報を表示\nショートカット: i\n\nシングル・エディタ・タブのショートカット: Alt-i +FILEBROWSER_SHOWEXIFINFO;EXIF情報を表示\nショートカット: i\n\nシングル編集タブのショートカット: Alt-i FILEBROWSER_SHOWNOTTRASHHINT;ゴミ箱の中にある画像だけを表示 FILEBROWSER_SHOWORIGINALHINT;元画像だけを表示\n\nファイル名は同じだが拡張子が異なる画像がある場合は、環境設定の中のファイルブラウザタブにある拡張子リストの上位に位置する拡張子を持った画像を元画像とする。 FILEBROWSER_SHOWRANK1HINT;1つ星ランクを表示\nショートカット: 1 @@ -212,8 +201,8 @@ FILEBROWSER_SHOWUNCOLORHINT;カラー・ラベルのない画像を表示\nシ FILEBROWSER_SHOWUNRANKHINT;ランクなし画像を表示\nショートカット: 0 FILEBROWSER_THUMBSIZE;サムネイルのサイズ FILEBROWSER_UNRANK_TOOLTIP;ランクなし\nショートカット: Shift-0 -FILEBROWSER_ZOOMINHINT;サムネイルサイズの拡大\nショートカット: +\n\nシングル・エディタ・タブのショートカット: Alt-+ -FILEBROWSER_ZOOMOUTHINT;サムネイルサイズの縮小\nショートカット: -\n\nシングル・エディタ・タブのショートカット: Alt-- +FILEBROWSER_ZOOMINHINT;サムネイルサイズの拡大\nショートカット: +\n\nシングル編集タブのショートカット: Alt-+ +FILEBROWSER_ZOOMOUTHINT;サムネイルサイズの縮小\nショートカット: -\n\nシングル編集タブのショートカット: Alt-- FILECHOOSER_FILTER_ANY;全てのファイル FILECHOOSER_FILTER_COLPROF;カラープロファイル FILECHOOSER_FILTER_CURVE;カーブファイル @@ -311,14 +300,14 @@ HISTORY_MSG_40;色偏差 HISTORY_MSG_41;トーンカーブ1のモード HISTORY_MSG_42;トーンカーブ 2 HISTORY_MSG_43;トーンカーブ2のモード -HISTORY_MSG_48;DCPトーンカーブ使用 -HISTORY_MSG_49;色ノイズ低減 エッジの感度 +HISTORY_MSG_48;DCP トーンカーブ +HISTORY_MSG_49;DCP 光源 HISTORY_MSG_50;シャドウ/ハイライト -HISTORY_MSG_51;ハイライト -HISTORY_MSG_52;シャドウ -HISTORY_MSG_53;ハイライト トーンの幅 -HISTORY_MSG_54;シャドウ トーンの幅 -HISTORY_MSG_56;シャドウ/ハイライト 半径 +HISTORY_MSG_51;S/H - ハイライト +HISTORY_MSG_52;S/H - シャドウ +HISTORY_MSG_53;S/H - ハイライト トーンの幅 +HISTORY_MSG_54;S/H - シャドウ トーンの幅 +HISTORY_MSG_56;S/H - シャドウ/ハイライト 半径 HISTORY_MSG_57;90度 回転 HISTORY_MSG_58;左右反転 HISTORY_MSG_59;上下反転 @@ -339,9 +328,9 @@ HISTORY_MSG_74;リサイズ スケール HISTORY_MSG_75;リサイズ 方式 HISTORY_MSG_76;Exif メタデータ HISTORY_MSG_77;IPTC メタデータ -HISTORY_MSG_79;リサイズ幅 +HISTORY_MSG_79;リサイズ 幅 HISTORY_MSG_80;リサイズ 高さ -HISTORY_MSG_81;リサイズの有効・無効 +HISTORY_MSG_81;リサイズ HISTORY_MSG_82;プロファイル変更 HISTORY_MSG_84;パースペクティブの補正 HISTORY_MSG_85;レンズ補正 プロファイル @@ -426,39 +415,39 @@ HISTORY_MSG_170;自然な彩度 - カーブ HISTORY_MSG_171;L*a*b* LC カーブ HISTORY_MSG_172;LCの適用をレッドと肌色トーンだけに制限 HISTORY_MSG_173;ノイズ低減 - 細部の復元 -HISTORY_MSG_174;CIE色の見えモデル2002 -HISTORY_MSG_175;CAM02 - CAT02 -HISTORY_MSG_176;CAM02 - 観視環境 -HISTORY_MSG_177;CAM02 - 画像の輝度 -HISTORY_MSG_178;CAM02 - 観視の輝度 -HISTORY_MSG_179;CAM02 - ホワイトポイントモデル -HISTORY_MSG_180;CAM02 - 明度 (J) -HISTORY_MSG_181;CAM02 - 色度 (C) -HISTORY_MSG_182;CAM02 - 自動 CAT02 -HISTORY_MSG_183;CAM02 - コントラスト (J) -HISTORY_MSG_184;CAM02 - 画像の周辺環境 -HISTORY_MSG_185;CAM02 - 色域制御 -HISTORY_MSG_186;CAM02 - アルゴリズム -HISTORY_MSG_187;CAM02 - レッドと肌色トーンを保護 -HISTORY_MSG_188;CAM02 - 明るさ (Q) -HISTORY_MSG_189;CAM02 - コントラスト (Q) -HISTORY_MSG_190;CAM02 - 彩度 (S) -HISTORY_MSG_191;CAM02 - 彩度 (M) -HISTORY_MSG_192;CAM02 - 色相角 -HISTORY_MSG_193;CAM02 - トーンカーブ 1 -HISTORY_MSG_194;CAM02 - トーンカーブ 2 -HISTORY_MSG_195;CAM02 - トーンカーブ 1 -HISTORY_MSG_196;CAM02 - トーンカーブ 2 -HISTORY_MSG_197;CAM02 - カラー・カーブ -HISTORY_MSG_198;CAM02 - カラー・カーブ -HISTORY_MSG_199;CAM02 - 出力のヒストグラムを表示 -HISTORY_MSG_200;CAM02 - トーンマッピング +HISTORY_MSG_174;色の見え&明るさ +HISTORY_MSG_175;CAL - 場面 - 色順応 +HISTORY_MSG_176;CAL - 観視 - 周囲 +HISTORY_MSG_177;CAL - 場面 - 絶対輝度 +HISTORY_MSG_178;CAL - 観視 - 絶対輝度 +HISTORY_MSG_179;CAL - 場面 - ホワイトポイントモデル +HISTORY_MSG_180;CAL - 編集 - 明度(J) +HISTORY_MSG_181;CAL - 編集 - 色度(C) +HISTORY_MSG_182;CAL - 場面 - 自動色順応 +HISTORY_MSG_183;CAL - 編集 - コントラスト(J) +HISTORY_MSG_184;CAL - 場面 - 周囲 +HISTORY_MSG_185;CAL - 色域制御 +HISTORY_MSG_186;CAL - 編集 - アルゴリズム +HISTORY_MSG_187;CAL - 編集 - レッドと肌色トーンを保護 +HISTORY_MSG_188;CAL - 編集 - 明るさ(Q) +HISTORY_MSG_189;CAL - 編集 - コントラスト(Q) +HISTORY_MSG_190;CAL - 編集 - 彩度(S) +HISTORY_MSG_191;CAL - 編集 - 鮮やかさ(M) +HISTORY_MSG_192;CAL - 編集 - 色相(h) +HISTORY_MSG_193;CAL - 編集 - トーンカーブ 1 +HISTORY_MSG_194;CAL - 編集 - トーンカーブ 2 +HISTORY_MSG_195;CAL - 編集 - トーンカーブ1のモード +HISTORY_MSG_196;CAL - 編集 - トーンカーブ2のモード +HISTORY_MSG_197;CAL - 編集 - カラーカーブ +HISTORY_MSG_198;CAL - 編集 - カラーカーブのモード +HISTORY_MSG_199;CAL - 編集 - ヒストグラムにCAMの出力を使う +HISTORY_MSG_200;CAL - 編集 - トーンマッピングにCAMを使う HISTORY_MSG_201;色差 レッド/グリーン HISTORY_MSG_202;色差 ブルー/イエロー HISTORY_MSG_203;ノイズ低減 - 方式 HISTORY_MSG_204;LMMSE 拡張処理 -HISTORY_MSG_205;CAM02 ホット/バッドピクセル -HISTORY_MSG_206;CAT02 - 自動で順応 +HISTORY_MSG_205;CAL ホット/バッドピクセル +HISTORY_MSG_206;CAL - 場面 - 自動で絶対輝度 HISTORY_MSG_207;フリンジ低減 - 色相カーブ HISTORY_MSG_208;ブルー/レッド イコライザ HISTORY_MSG_210;減光フィルター - 角度 @@ -487,7 +476,7 @@ HISTORY_MSG_232;白黒 ‘前の‘カーブのタイプ HISTORY_MSG_233;白黒 ‘後の‘カーブ HISTORY_MSG_234;白黒 ‘後の‘カーブのタイプ HISTORY_MSG_235;白黒 チャンネルミキサー 自動 -HISTORY_MSG_236;--未使用-- +HISTORY_MSG_236;--未使用の文字列-- HISTORY_MSG_237;白黒 チャンネルミキサー HISTORY_MSG_238;減光フィルター フェザー HISTORY_MSG_239;減光フィルター 強さ @@ -500,8 +489,8 @@ HISTORY_MSG_245;ビネットフィルター 中央 HISTORY_MSG_246;L*a*b* CL カーブ HISTORY_MSG_247;L*a*b* LH カーブ HISTORY_MSG_248;L*a*b* HH カーブ -HISTORY_MSG_249;詳細レベルによるコントラスト調整 - しきい値 -HISTORY_MSG_251;白黒 - アルゴリズム +HISTORY_MSG_249;CbDL しきい値 +HISTORY_MSG_251;白黒 アルゴリズム HISTORY_MSG_252;CbDL 肌色の目標/保護 HISTORY_MSG_253;CbDL アーティファクトを軽減 HISTORY_MSG_254;CbDL 肌色の色相 @@ -525,7 +514,7 @@ HISTORY_MSG_271;カラートーン調整 - ハイライトのブルー HISTORY_MSG_272;カラートーン調整 - バランス HISTORY_MSG_273;カラートーン調整 - SMHでカラーバランス HISTORY_MSG_276;カラートーン調整 - 不透明度 -HISTORY_MSG_277;カラートーン調整 - カーブをリセット +HISTORY_MSG_277;--未使用の文字列-- HISTORY_MSG_278;カラートーン調整 - 明度を維持 HISTORY_MSG_279;カラートーン調整 - シャドウ HISTORY_MSG_280;カラートーン調整 - ハイライト @@ -545,7 +534,7 @@ HISTORY_MSG_293;フィルムシミュレーション HISTORY_MSG_294;フィルムシミュレーション - 強さ HISTORY_MSG_295;フィルムシミュレーション - フィルム HISTORY_MSG_296;輝度ノイズ低減のカーブ -HISTORY_MSG_297;ノイズ低減 - 質 +HISTORY_MSG_297;ノイズ低減 - モード HISTORY_MSG_298;デッドピクセルフィルター HISTORY_MSG_299;色ノイズ低減のカーブ HISTORY_MSG_301;輝度ノイズの調整方法 @@ -671,7 +660,7 @@ HISTORY_MSG_421;レティネックス - ガンマ HISTORY_MSG_422;レティネックス - ガンマ HISTORY_MSG_423;レティネックス - 勾配 HISTORY_MSG_424;レティネックス - HLしきい値 -HISTORY_MSG_425;レティネックス - 対数の基数 +HISTORY_MSG_425;--未使用の文字列-- HISTORY_MSG_426;レティネックス - 色相イコライザ HISTORY_MSG_427;出力レンダリングの意図 HISTORY_MSG_428;モニターレンダリングの意図 @@ -692,44 +681,44 @@ HISTORY_MSG_442;レティネックス - スケール HISTORY_MSG_443;出力のブラックポイント補正 HISTORY_MSG_444;WB - 色温度のバイアス HISTORY_MSG_445;Raw サブイメージ -HISTORY_MSG_446;EvPixelShiftMotion -HISTORY_MSG_447;EvPixelShiftMotionCorrection -HISTORY_MSG_448;EvPixelShiftStddevFactorGreen +HISTORY_MSG_446;--未使用の文字列-- +HISTORY_MSG_447;--未使用の文字列-- +HISTORY_MSG_448;--未使用の文字列-- HISTORY_MSG_449;PS - ISOへの適合 -HISTORY_MSG_450;EvPixelShiftNreadIso -HISTORY_MSG_451;EvPixelShiftPrnu -HISTORY_MSG_452;PS - モーションを表示 +HISTORY_MSG_450;--未使用の文字列-- +HISTORY_MSG_451;--未使用の文字列-- +HISTORY_MSG_452;PS - 動体部分を表示 HISTORY_MSG_453;PS - マスクだけを表示 -HISTORY_MSG_454;EvPixelShiftAutomatic -HISTORY_MSG_455;EvPixelShiftNonGreenHorizontal -HISTORY_MSG_456;EvPixelShiftNonGreenVertical +HISTORY_MSG_454;--未使用の文字列-- +HISTORY_MSG_455;--未使用の文字列-- +HISTORY_MSG_456;--未使用の文字列-- HISTORY_MSG_457;PS - レッド/ブルーを確認 -HISTORY_MSG_458;EvPixelShiftStddevFactorRed -HISTORY_MSG_459;EvPixelShiftStddevFactorBlue -HISTORY_MSG_460;EvPixelShiftGreenAmaze -HISTORY_MSG_461;EvPixelShiftNonGreenAmaze +HISTORY_MSG_458;--未使用の文字列-- +HISTORY_MSG_459;--未使用の文字列-- +HISTORY_MSG_460;--未使用の文字列-- +HISTORY_MSG_461;--未使用の文字列-- HISTORY_MSG_462;PS - グリーンを確認 -HISTORY_MSG_463;EvPixelShiftRedBlueWeight -HISTORY_MSG_464;PS - モーションマスクをぼかす +HISTORY_MSG_463;--未使用の文字列-- +HISTORY_MSG_464;PS - 動体マスクをぼかす HISTORY_MSG_465;PS - ぼかしの半径 -HISTORY_MSG_466;EvPixelShiftSum -HISTORY_MSG_467;EvPixelShiftExp0 +HISTORY_MSG_466;--未使用の文字列-- +HISTORY_MSG_467;--未使用の文字列-- HISTORY_MSG_468;PS - 穴を埋める HISTORY_MSG_469;PS - メディアン -HISTORY_MSG_470;EvPixelShiftMedian3 -HISTORY_MSG_471;PS - 振れの補正 +HISTORY_MSG_470;--未使用の文字列-- +HISTORY_MSG_471;PS - 動体補正 HISTORY_MSG_472;PS - 境界を滑らかにする HISTORY_MSG_474;PS - 均等化 HISTORY_MSG_475;PS - 色チャンネルの均等化 -HISTORY_MSG_476;CAM02 - 観視環境の色温度 -HISTORY_MSG_477;CAM02 - 観視環境の色偏差 -HISTORY_MSG_478;CAM02 - 観視環境のYb -HISTORY_MSG_479;CAM02 - 観視環境のCAT02 -HISTORY_MSG_480;CAM02 - 観視環境のCAT02 自動 -HISTORY_MSG_481;CAM02 - 撮影環境の色温度 -HISTORY_MSG_482;CAM02 - 撮影環境の色偏差 -HISTORY_MSG_483;CAM02 - 撮影環境のYb -HISTORY_MSG_484;CAM02 - 撮影環境のYb 自動 +HISTORY_MSG_476;CAL - 観視 - 色温度 +HISTORY_MSG_477;CAL - 観視 - 色偏差 +HISTORY_MSG_478;CAL - 観視 - 平均輝度 +HISTORY_MSG_479;CAL - 観視 - 色順応 +HISTORY_MSG_480;CAL - 観視 - 色順応(自動) +HISTORY_MSG_481;CAL - 場面 - 色温度 +HISTORY_MSG_482;CAL - 場面 - 色偏差 +HISTORY_MSG_483;CAL - 場面 - 平均輝度 +HISTORY_MSG_484;CAL - 場面 - 平均輝度(自動) HISTORY_MSG_485;レンズ補正 HISTORY_MSG_486;レンズ補正 - カメラ HISTORY_MSG_487;レンズ補正 - レンズ @@ -824,7 +813,7 @@ HISTORY_MSG_576;ローカル - CbDL 複数のレベル HISTORY_MSG_577;ローカル - CbDL 色度 HISTORY_MSG_578;ローカル - CbDL しきい値 HISTORY_MSG_579;ローカル - CbDL スコープ -HISTORY_MSG_580;ローカル - ノイズ除去 +HISTORY_MSG_580;--未使用の文字列-- HISTORY_MSG_581;ローカル - ノイズ除去 輝度 番手の低いレベル HISTORY_MSG_582;ローカル - ノイズ除去 輝度 番手の高いレベル HISTORY_MSG_583;ローカル - ノイズ除去 ディテールの回復 @@ -867,9 +856,9 @@ HISTORY_MSG_620;ローカル - 色と明るさ ぼかし HISTORY_MSG_621;ローカル - 露光補正 反対処理 HISTORY_MSG_622;ローカル - 構造の除外 HISTORY_MSG_623;ローカル - 露光補正 色の補間 -HISTORY_MSG_624;ローカル - 色と明るさ 補正グリッド -HISTORY_MSG_625;ローカル - 色と明るさ 補正の強さ -HISTORY_MSG_626;ローカル - 色と明るさ 補正の方式 +HISTORY_MSG_624;ローカル - カラー補正グリッド +HISTORY_MSG_625;ローカル - 補正グリッドの強さ +HISTORY_MSG_626;ローカル - 補正グリッドの方式 HISTORY_MSG_627;ローカル - シャドウ/ハイライト HISTORY_MSG_628;ローカル - シャドウハイライト ハイライト HISTORY_MSG_629;ローカル - シャドウハイライト ハイライトトーンの幅 @@ -907,7 +896,7 @@ HISTORY_MSG_660;ローカル - CbDL 明瞭 HISTORY_MSG_661;ローカル - CbDL 残差のコントラスト HISTORY_MSG_662;ローカル - deNoise 輝度 細かい0 HISTORY_MSG_663;ローカル - deNoise 輝度 細かい2 -HISTORY_MSG_664;ローカル - CbDL ぼかし +HISTORY_MSG_664;--未使用の文字列-- HISTORY_MSG_665;ローカル - CbDL ブレンドのマスク HISTORY_MSG_666;ローカル - CbDL 半径のマスク HISTORY_MSG_667;ローカル - CbDL 色度のマスク @@ -986,16 +975,16 @@ HISTORY_MSG_745;ローカル - Exp Fattal オフセット HISTORY_MSG_746;ローカル - Exp Fattal シグマ HISTORY_MSG_747;ローカル 作成されたスポット HISTORY_MSG_748;ローカル - Exp ノイズ除去 -HISTORY_MSG_749;ローカル - Reti 深度 -HISTORY_MSG_750;ローカル - Reti モード 対数 - 線形 -HISTORY_MSG_751;ローカル - Reti 霞除去 彩度 -HISTORY_MSG_752;ローカル - Reti オフセット -HISTORY_MSG_753;ローカル - Reti 透過マップ -HISTORY_MSG_754;ローカル - Reti クリップ +HISTORY_MSG_749;ローカル - レティネックス 深度 +HISTORY_MSG_750;ローカル - レティネックス モード 対数 - 線形 +HISTORY_MSG_751;ローカル - レティネックス 霞除去 彩度 +HISTORY_MSG_752;ローカル - レティネックス オフセット +HISTORY_MSG_753;ローカル - レティネックス 透過マップ +HISTORY_MSG_754;ローカル - レティネックス クリップ HISTORY_MSG_755;ローカル - TM マスクを使う HISTORY_MSG_756;ローカル - Exp 露光補正マスクのアルゴリズムを使う HISTORY_MSG_757;ローカル - Exp ラプラシアンマスク -HISTORY_MSG_758;ローカル - Reti ラプラシアンマスク +HISTORY_MSG_758;ローカル - レティネックス ラプラシアンマスク HISTORY_MSG_759;ローカル - Exp ラプラシアンマスク HISTORY_MSG_760;ローカル - Color ラプラシアンマスク HISTORY_MSG_761;ローカル - シャドウハイライト ラプラシアンマスク @@ -1011,7 +1000,7 @@ HISTORY_MSG_770;ローカル - Color コントラストカーブのマスク HISTORY_MSG_771;ローカル - Exp コントラストカーブのマスク HISTORY_MSG_772;ローカル - シャドウハイライト コントラストカーブのマスク HISTORY_MSG_773;ローカル - TM コントラストカーブのマスク -HISTORY_MSG_774;ローカル - Reti コントラストカーブのマスク +HISTORY_MSG_774;ローカル - レティネックス コントラストカーブのマスク HISTORY_MSG_775;ローカル - CBDL コントラストカーブのマスク HISTORY_MSG_776;ローカル - Blur Denoise コントラストカーブのマスク HISTORY_MSG_777;ローカル - Blur ローカルコントラストカーブのマスク @@ -1033,7 +1022,7 @@ HISTORY_MSG_792;ローカル - マスク 背景輝度 HISTORY_MSG_793;ローカル - シャドウハイライト TRCのガンマ HISTORY_MSG_794;ローカル - シャドウハイライト TRCのスロープ HISTORY_MSG_795;ローカル - マスク 復元したイメージの保存 -HISTORY_MSG_796;ローカル - 参考値の繰り返し +HISTORY_MSG_796;ローカル - 基準値の繰り返し HISTORY_MSG_797;ローカル - オリジナルとの融合方式 HISTORY_MSG_798;ローカル - 不透明度 HISTORY_MSG_799;ローカル - Color RGB トーンカーブ @@ -1078,9 +1067,9 @@ HISTORY_MSG_838;ローカル - 自然な彩度 階調 Hの強さ HISTORY_MSG_839;ローカル - ソフトウェアの難易度 HISTORY_MSG_840;ローカル - CL カーブ HISTORY_MSG_841;ローカル - LC カーブ -HISTORY_MSG_842;ローカル - ぼかしマスクの半径 -HISTORY_MSG_843;ローカル - ぼかしマスクのコントラストしきい値 -HISTORY_MSG_844;ローカル - ぼかしマスクのFFTW +HISTORY_MSG_842;ローカル - マスクぼかしの半径 +HISTORY_MSG_843;ローカル - マスクぼかしのコントラストしきい値 +HISTORY_MSG_844;ローカル - マスクぼかしのFFTW HISTORY_MSG_845;ローカル - 対数符号化 HISTORY_MSG_846;ローカル - 対数符号化 自動 HISTORY_MSG_847;ローカル - 対数符号化 情報源 @@ -1127,7 +1116,7 @@ HISTORY_MSG_890;ローカル - コントラスト ウェーブレット 階調 HISTORY_MSG_891;ローカル - コントラスト ウェーブレット 階調フィルタ HISTORY_MSG_892;ローカル - 対数符号化 階調の強さ HISTORY_MSG_893;ローカル - 対数符号化 階調の角度 -HISTORY_MSG_894;ローカル - 色と明るさ 色差のプレビュー +HISTORY_MSG_894;ローカル - 色と明るさ ΔEのプレビュー HISTORY_MSG_897;ローカル - コントラスト ウェーブレット ES 強さ HISTORY_MSG_898;ローカル - コントラスト ウェーブレット ES 半径 HISTORY_MSG_899;ローカル - コントラスト ウェーブレット ES ディテール @@ -1155,7 +1144,7 @@ HISTORY_MSG_920;ローカル - ウェーブレット シグマ LC HISTORY_MSG_921;ローカル - ウェーブレット 階調のシグマ LC2 HISTORY_MSG_922;ローカル - 白黒での変更 HISTORY_MSG_923;ローカル - 機能の複雑度モード -HISTORY_MSG_924;ローカル - 機能の複雑度モード +HISTORY_MSG_924;--未使用の文字列-- HISTORY_MSG_925;ローカル - カラー機能のスコープ HISTORY_MSG_926;ローカル - マスクのタイプを表示 HISTORY_MSG_927;ローカル - シャドウマスク @@ -1281,113 +1270,113 @@ HISTORY_MSG_1047;ローカル - シャドウ/ハイライトとトーンイコ HISTORY_MSG_1048;ローカル - ダイナミックレンジと露光補正 強さ HISTORY_MSG_1049;ローカル - トーンマッピング 強さ HISTORY_MSG_1050;ローカル - 対数符号化 色度 -HISTORY_MSG_1051;Local - 残差画像 ウェーブレット ガンマ -HISTORY_MSG_1052;Local - 残差画像 ウェーブレット スロープ -HISTORY_MSG_1053;Local - ノイズ除去 ガンマ -HISTORY_MSG_1054;Local - ウェーブレット ガンマ -HISTORY_MSG_1055;Local - 色と明るさ ガンマ -HISTORY_MSG_1056;Local - ダイナミックレンジ圧縮と露光補正 ガンマ -HISTORY_MSG_1057;Local - CIECAM 有効 -HISTORY_MSG_1058;Local - CIECAM 全体的な強さ -HISTORY_MSG_1059;Local - CIECAM 自動グレー -HISTORY_MSG_1060;Local - CIECAM 元画像のの平均輝度 -HISTORY_MSG_1061;Local - CIECAM 元画像の絶対輝度 -HISTORY_MSG_1062;Local - CIECAM 元画像の周囲環境 -HISTORY_MSG_1063;Local - CIECAM 彩度 -HISTORY_MSG_1064;Local - CIECAM 色度 -HISTORY_MSG_1065;Local - CIECAM 明度 J -HISTORY_MSG_1066;Local - CIECAM 明るさ Q -HISTORY_MSG_1067;Local - CIECAM コントラスト J -HISTORY_MSG_1068;Local - CIECAM しきい値 -HISTORY_MSG_1069;Local - CIECAM コントラスト Q -HISTORY_MSG_1070;Local - CIECAM 鮮やかさ -HISTORY_MSG_1071;Local - CIECAM 絶対輝度 -HISTORY_MSG_1072;Local - CIECAM 平均輝度 -HISTORY_MSG_1073;Local - CIECAM Cat16 -HISTORY_MSG_1074;Local - CIECAM ローカルコントラスト -HISTORY_MSG_1075;Local - CIECAM 観視条件 -HISTORY_MSG_1076;Local - CIECAM スロープ -HISTORY_MSG_1077;Local - CIECAM モード -HISTORY_MSG_1078;Local - レッドと肌色トーンを保護 -HISTORY_MSG_1079;Local - CIECAM シグモイドの強さ J -HISTORY_MSG_1080;Local - CIECAM シグモイドのしきい値 -HISTORY_MSG_1081;Local - CIECAM シグモイドのブレンド -HISTORY_MSG_1082;Local - CIECAM シグモイド Q ブラックEv ホワイトEv -HISTORY_MSG_1083;Local - CIECAM 色相 -HISTORY_MSG_1084;Local - ブラックEvとホワイトEvを使う -HISTORY_MSG_1085;Local - Jz 明度 -HISTORY_MSG_1086;Local - Jz コントラスト -HISTORY_MSG_1087;Local - Jz 色度 -HISTORY_MSG_1088;Local - Jz 色相 -HISTORY_MSG_1089;Local - Jz シグモイドの強さ -HISTORY_MSG_1090;Local - Jz シグモイドのしきい値 -HISTORY_MSG_1091;Local - Jz シグモイドのブレンド -HISTORY_MSG_1092;Local - Jz 順応 -HISTORY_MSG_1093;Local - CAMのモデル -HISTORY_MSG_1094;Local - Jz ハイライト -HISTORY_MSG_1095;Local - Jz ハイライトのしきい値 -HISTORY_MSG_1096;Local - Jz シャドウ -HISTORY_MSG_1097;Local - Jz シャドウのしきい値 -HISTORY_MSG_1098;Local - Jz SHの半径 -HISTORY_MSG_1099;Local - Cz(Hz)カーブ -HISTORY_MSG_1100;Local - 100カンデラのJzの参考値 -HISTORY_MSG_1101;Local - Jz PQ 再配分 -HISTORY_MSG_1102;Local - Jz(Hz)カーブ -HISTORY_MSG_1103;Local - 自然な彩度 ガンマ -HISTORY_MSG_1104;Local - シャープネス ガンマ -HISTORY_MSG_1105;Local - CIECAM トーン調整の方法 -HISTORY_MSG_1106;Local - CIECAM トーンカーブ -HISTORY_MSG_1107;Local - CIECAM 色調整の方法 -HISTORY_MSG_1108;Local - CIECAM カラーカーブ -HISTORY_MSG_1109;Local - Jz(Jz)カーブ -HISTORY_MSG_1110;Local - Cz(Cz)カーブ -HISTORY_MSG_1111;Local - Cz(Jz)カーブ -HISTORY_MSG_1112;Local - 強制的なJz -HISTORY_MSG_1113;Local - HDR PQ -HISTORY_MSG_1114;Local - Cie マスク 有効 -HISTORY_MSG_1115;Local - Cie マスク Cカーブ -HISTORY_MSG_1116;Local - Cie マスク Lカーブ -HISTORY_MSG_1117;Local - Cie マスク Hカーブ -HISTORY_MSG_1118;Local - Cie マスク ブレンド -HISTORY_MSG_1119;Local - Cie マスク 半径 -HISTORY_MSG_1120;Local - Cie マスク 色度 -HISTORY_MSG_1121;Local - Cie マスク コントラストカーブ -HISTORY_MSG_1122;Local - Cie マスク 復元のしきい値 -HISTORY_MSG_1123;Local - Cie マスク 復元 暗い部分 -HISTORY_MSG_1124;Local - Cie マスク 復元 明るい部分 -HISTORY_MSG_1125;Local - Cie マスク 復元の減衰 -HISTORY_MSG_1126;Local - Cie マスク ラプラシアン -HISTORY_MSG_1127;Local - Cie マスク ガンマ -HISTORY_MSG_1128;Local - Cie マスク スロープ -HISTORY_MSG_1129;Local - Cie 相対輝度 -HISTORY_MSG_1130;Local - Cie 彩度 Jz -HISTORY_MSG_1131;Local - マスク 色ノイズ除去  -HISTORY_MSG_1132;Local - Cie ウェーブレット シグマ Jz -HISTORY_MSG_1133;Local - Cie ウェーブレット レベル Jz -HISTORY_MSG_1134;Local - Cie ウェーブレット ローカルコントラスト Jz -HISTORY_MSG_1135;Local - Cie ウェーブレット 明瞭 Jz -HISTORY_MSG_1136;Local - Cie ウェーブレット 明瞭 Cz -HISTORY_MSG_1137;Local - Cie ウェーブレット 明瞭 ソフト -HISTORY_MSG_1138;Local - ローカル - Hz(Hz)カーブ -HISTORY_MSG_1139;Local - Jz ソフト Hカーブ -HISTORY_MSG_1140;Local - Jz 色度のしきい値 -HISTORY_MSG_1141;Local - 色度のカーブ Jz(Hz) -HISTORY_MSG_1142;Local - 強さ ソフト -HISTORY_MSG_1143;Local - Jz ブラックEv -HISTORY_MSG_1144;Local - Jz ホワイトEv -HISTORY_MSG_1145;Local - Jz 対数符号化 -HISTORY_MSG_1146;Local - Jz 対数符号化 目標のグレー -HISTORY_MSG_1147;Local - Jz ブラックEv ホワイトEv -HISTORY_MSG_1148;Local - Jz シグモイド -HISTORY_MSG_1149;Local - Q シグモイド -HISTORY_MSG_1150;Local - シグモイドQの代わりに対数符号化Qを使う +HISTORY_MSG_1051;ローカル - 残差画像 ウェーブレット ガンマ +HISTORY_MSG_1052;ローカル - 残差画像 ウェーブレット スロープ +HISTORY_MSG_1053;ローカル - ノイズ除去 ガンマ +HISTORY_MSG_1054;ローカル - ウェーブレット ガンマ +HISTORY_MSG_1055;ローカル - 色と明るさ ガンマ +HISTORY_MSG_1056;ローカル - ダイナミックレンジ圧縮と露光補正 ガンマ +HISTORY_MSG_1057;ローカル - CIECAM 有効 +HISTORY_MSG_1058;ローカル - CIECAM 全体的な強さ +HISTORY_MSG_1059;ローカル - CIECAM 自動グレー +HISTORY_MSG_1060;ローカル - CIECAM 元画像のの平均輝度 +HISTORY_MSG_1061;ローカル - CIECAM 元画像の絶対輝度 +HISTORY_MSG_1062;ローカル - CIECAM 元画像の周囲環境 +HISTORY_MSG_1063;ローカル - CIECAM 彩度 +HISTORY_MSG_1064;ローカル - CIECAM 色度 +HISTORY_MSG_1065;ローカル - CIECAM 明度 J +HISTORY_MSG_1066;ローカル - CIECAM 明るさ Q +HISTORY_MSG_1067;ローカル - CIECAM コントラスト J +HISTORY_MSG_1068;ローカル - CIECAM しきい値 +HISTORY_MSG_1069;ローカル - CIECAM コントラスト Q +HISTORY_MSG_1070;ローカル - CIECAM 鮮やかさ +HISTORY_MSG_1071;ローカル - CIECAM 絶対輝度 +HISTORY_MSG_1072;ローカル - CIECAM 平均輝度 +HISTORY_MSG_1073;ローカル - CIECAM Cat16 +HISTORY_MSG_1074;ローカル - CIECAM ローカルコントラスト +HISTORY_MSG_1075;ローカル - CIECAM 観視条件 +HISTORY_MSG_1076;ローカル - CIECAM スロープ +HISTORY_MSG_1077;ローカル - CIECAM モード +HISTORY_MSG_1078;ローカル - レッドと肌色トーンを保護 +HISTORY_MSG_1079;ローカル - CIECAM シグモイドの強さ J +HISTORY_MSG_1080;ローカル - CIECAM シグモイドのしきい値 +HISTORY_MSG_1081;ローカル - CIECAM シグモイドのブレンド +HISTORY_MSG_1082;ローカル - CIECAM シグモイド Q ブラックEv ホワイトEv +HISTORY_MSG_1083;ローカル - CIECAM 色相 +HISTORY_MSG_1084;ローカル - ブラックEvとホワイトEvを使う +HISTORY_MSG_1085;ローカル - Jz 明度 +HISTORY_MSG_1086;ローカル - Jz コントラスト +HISTORY_MSG_1087;ローカル - Jz 色度 +HISTORY_MSG_1088;ローカル - Jz 色相 +HISTORY_MSG_1089;ローカル - Jz シグモイドの強さ +HISTORY_MSG_1090;ローカル - Jz シグモイドのしきい値 +HISTORY_MSG_1091;ローカル - Jz シグモイドのブレンド +HISTORY_MSG_1092;ローカル - Jz 順応 +HISTORY_MSG_1093;ローカル - CAMのモデル +HISTORY_MSG_1094;ローカル - Jz ハイライト +HISTORY_MSG_1095;ローカル - Jz ハイライトのしきい値 +HISTORY_MSG_1096;ローカル - Jz シャドウ +HISTORY_MSG_1097;ローカル - Jz シャドウのしきい値 +HISTORY_MSG_1098;ローカル - Jz SHの半径 +HISTORY_MSG_1099;ローカル - Cz(Hz)カーブ +HISTORY_MSG_1100;ローカル - 100カンデラのJzの基準値 +HISTORY_MSG_1101;ローカル - Jz PQ 再配分 +HISTORY_MSG_1102;ローカル - Jz(Hz)カーブ +HISTORY_MSG_1103;ローカル - 自然な彩度 ガンマ +HISTORY_MSG_1104;ローカル - シャープネス ガンマ +HISTORY_MSG_1105;ローカル - CIECAM トーン調整の方法 +HISTORY_MSG_1106;ローカル - CIECAM トーンカーブ +HISTORY_MSG_1107;ローカル - CIECAM 色調整の方法 +HISTORY_MSG_1108;ローカル - CIECAM カラーカーブ +HISTORY_MSG_1109;ローカル - Jz(Jz)カーブ +HISTORY_MSG_1110;ローカル - Cz(Cz)カーブ +HISTORY_MSG_1111;ローカル - Cz(Jz)カーブ +HISTORY_MSG_1112;ローカル - 強制的なJz +HISTORY_MSG_1113;ローカル - HDR PQ +HISTORY_MSG_1114;ローカル - Cie マスク 有効 +HISTORY_MSG_1115;ローカル - Cie マスク Cカーブ +HISTORY_MSG_1116;ローカル - Cie マスク Lカーブ +HISTORY_MSG_1117;ローカル - Cie マスク Hカーブ +HISTORY_MSG_1118;ローカル - Cie マスク ブレンド +HISTORY_MSG_1119;ローカル - Cie マスク 半径 +HISTORY_MSG_1120;ローカル - Cie マスク 色度 +HISTORY_MSG_1121;ローカル - Cie マスク コントラストカーブ +HISTORY_MSG_1122;ローカル - Cie マスク 復元のしきい値 +HISTORY_MSG_1123;ローカル - Cie マスク 復元 暗い部分 +HISTORY_MSG_1124;ローカル - Cie マスク 復元 明るい部分 +HISTORY_MSG_1125;ローカル - Cie マスク 復元の減衰 +HISTORY_MSG_1126;ローカル - Cie マスク ラプラシアン +HISTORY_MSG_1127;ローカル - Cie マスク ガンマ +HISTORY_MSG_1128;ローカル - Cie マスク スロープ +HISTORY_MSG_1129;ローカル - Cie 相対輝度 +HISTORY_MSG_1130;ローカル - Cie 彩度 Jz +HISTORY_MSG_1131;ローカル - マスク 色ノイズ除去  +HISTORY_MSG_1132;ローカル - Cie ウェーブレット シグマ Jz +HISTORY_MSG_1133;ローカル - Cie ウェーブレット レベル Jz +HISTORY_MSG_1134;ローカル - Cie ウェーブレット ローカルコントラスト Jz +HISTORY_MSG_1135;ローカル - Cie ウェーブレット 明瞭 Jz +HISTORY_MSG_1136;ローカル - Cie ウェーブレット 明瞭 Cz +HISTORY_MSG_1137;ローカル - Cie ウェーブレット 明瞭 ソフト +HISTORY_MSG_1138;ローカル - ローカル - Hz(Hz)カーブ +HISTORY_MSG_1139;ローカル - Jz ソフト Hカーブ +HISTORY_MSG_1140;ローカル - Jz 色度のしきい値 +HISTORY_MSG_1141;ローカル - 色度のカーブ Jz(Hz) +HISTORY_MSG_1142;ローカル - 強さ ソフト +HISTORY_MSG_1143;ローカル - Jz ブラックEv +HISTORY_MSG_1144;ローカル - Jz ホワイトEv +HISTORY_MSG_1145;ローカル - Jz 対数符号化 +HISTORY_MSG_1146;ローカル - Jz 対数符号化 目標のグレー +HISTORY_MSG_1147;ローカル - Jz ブラックEv ホワイトEv +HISTORY_MSG_1148;ローカル - Jz シグモイド +HISTORY_MSG_1149;ローカル - Q シグモイド +HISTORY_MSG_1150;ローカル - シグモイドQの代わりに対数符号化Qを使う HISTORY_MSG_BLSHAPE;レベルによるぼかし HISTORY_MSG_BLURCWAV;色度のぼかし HISTORY_MSG_BLURWAV;輝度のぼかし HISTORY_MSG_BLUWAV;減衰応答 -HISTORY_MSG_CATCAT;モード Cat02/16 -HISTORY_MSG_CATCOMPLEX;色の見えモデルの機能水準 -HISTORY_MSG_CATMODEL;色の見えモデルのバージョン +HISTORY_MSG_CATCAT;CAL - モードの設定 +HISTORY_MSG_CATCOMPLEX;CAL - 機能水準の設定 +HISTORY_MSG_CATMODEL;CAL - 色の見えモデルの設定 HISTORY_MSG_CLAMPOOG;色域外の色を切り取る HISTORY_MSG_COLORTONING_LABGRID_VALUE;CT - 色の補正 HISTORY_MSG_COLORTONING_LABREGION_AB;CT - 色の補正 @@ -1422,7 +1411,7 @@ HISTORY_MSG_HISTMATCHING;トーンカーブの自動調節 HISTORY_MSG_HLBL;Color 色の波及 - ぼかし HISTORY_MSG_ICL_LABGRIDCIEXY;Cie xy HISTORY_MSG_ICM_AINTENT;アブストラクトプロファイルの意図 -HISTORY_MSG_ICM_BLUX;原色 ブルー X +HISTORY_MSG_ICM_BLUX;原色 ブルー X HISTORY_MSG_ICM_BLUY;原色 ブルー Y HISTORY_MSG_ICM_FBW;白黒 HISTORY_MSG_ICM_GREX;原色 グリーン X @@ -1462,7 +1451,7 @@ HISTORY_MSG_PERSP_PROJ_ANGLE;パースペクティブ - 回復 HISTORY_MSG_PERSP_PROJ_ROTATE;パースペクティブ - PCA 回転 HISTORY_MSG_PERSP_PROJ_SHIFT;パースペクティブ - PCA HISTORY_MSG_PIXELSHIFT_AVERAGE;PS - 平均 -HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - ブレに対するデモザイクの方式 +HISTORY_MSG_PIXELSHIFT_DEMOSAIC;PS - 動体に対するデモザイクの方式 HISTORY_MSG_PREPROCESS_LINEDENOISE_DIRECTION;ラインノイズフィルタの方向 HISTORY_MSG_PREPROCESS_PDAFLINESFILTER;PDAFラインフィルタ HISTORY_MSG_PREPROCWB_MODE;ホワイトバランスモードの前処理 @@ -1486,7 +1475,7 @@ HISTORY_MSG_SOFTLIGHT_ENABLED;ソフトライト HISTORY_MSG_SOFTLIGHT_STRENGTH;ソフトライト - 強さ HISTORY_MSG_SPOT;スポット除去 HISTORY_MSG_SPOT_ENTRY;スポット除去 - ポイント変更 -HISTORY_MSG_TEMPOUT;CAM02 自動色温度設定 +HISTORY_MSG_TEMPOUT;CAM02/16 自動色温度設定 HISTORY_MSG_THRESWAV;バランスのしきい値 HISTORY_MSG_TM_FATTAL_ANCHOR;DRC - アンカー HISTORY_MSG_TRANS_METHOD;ジオメトリ - 方式 @@ -1512,7 +1501,7 @@ HISTORY_MSG_WAVLIMDEN;相互作用 レベル5~6 とレベル1~4 HISTORY_MSG_WAVLOWTHR;最小コントラストのしきい値 HISTORY_MSG_WAVMERGEC;色度の融合 HISTORY_MSG_WAVMERGEL;輝度の融合 -HISTORY_MSG_WAVMIXMET;ローカルコントラストの参考値 +HISTORY_MSG_WAVMIXMET;ローカルコントラストの基準値 HISTORY_MSG_WAVOFFSET;オフセット HISTORY_MSG_WAVOLDSH;古いアルゴリズムを使う HISTORY_MSG_WAVQUAMET;ノイズ除去モード @@ -1574,7 +1563,7 @@ ICCPROFCREATOR_PROF_V2;ICC v2 ICCPROFCREATOR_PROF_V4;ICC v4 ICCPROFCREATOR_SAVEDIALOG_TITLE;...でICCプロファイルを保存 ICCPROFCREATOR_SLOPE;勾配 -ICCPROFCREATOR_TRC_PRESET;トーンレスポンスカーブ +ICCPROFCREATOR_TRC_PRESET;トーンリプレーススカーブ INSPECTOR_WINDOW_TITLE;カメラ出し画像 IPTCPANEL_CATEGORY;カテゴリ IPTCPANEL_CATEGORYHINT;画像の意図 @@ -1792,7 +1781,7 @@ PARTIALPASTE_SHARPENEDGE;エッジ PARTIALPASTE_SHARPENING;シャープニング (USM/RL) PARTIALPASTE_SHARPENMICRO;マイクロコントラスト PARTIALPASTE_SOFTLIGHT;ソフトライト -PARTIALPASTE_SPOT;染み除去 +PARTIALPASTE_SPOT;スポット除去 PARTIALPASTE_TM_FATTAL;ダイナミックレンジ圧縮 PARTIALPASTE_VIBRANCE;自然な彩度 PARTIALPASTE_VIGNETTING;周辺光量補正 @@ -1828,7 +1817,7 @@ PREFERENCES_CHUNKSIZE_RAW_CA;Raw 色収差補正 PREFERENCES_CHUNKSIZE_RAW_RCD;RCD デモザイク PREFERENCES_CHUNKSIZE_RAW_XT;Xtrans デモザイク PREFERENCES_CHUNKSIZE_RGB;RGB 処理 -PREFERENCES_CIE;Ciecam +PREFERENCES_CIE;色の見えモデル PREFERENCES_CIEARTIF;アーティファクトを回避 PREFERENCES_CLIPPINGIND;クリッピング警告の表示 PREFERENCES_CLUTSCACHE;HaldCLUT cache @@ -2068,6 +2057,12 @@ SAVEDLG_WARNFILENAME;ファイルに名前が付けられます SHCSELECTOR_TOOLTIP;この3つのスライダーの位置をリセットするには\nマウスの右ボタンをクリック SOFTPROOF_GAMUTCHECK_TOOLTIP;有効にすると、出力プロファイルの色域から外れた色のピクセルをグレーで表示します SOFTPROOF_TOOLTIP;ソフトプルーフィング\n有効にすると、ICMツールの出力プロファイルを使った疑似的なレンダリングを行います。印刷した場合などの画像の印象を掴むのに大変便利です。 +TC_PRIM_BLUX;Bx +TC_PRIM_BLUY;By +TC_PRIM_GREX;Gx +TC_PRIM_GREY;Gy +TC_PRIM_REDX;Rx +TC_PRIM_REDY;Ry THRESHOLDSELECTOR_B;下 THRESHOLDSELECTOR_BL;下-左 THRESHOLDSELECTOR_BR;下-右 @@ -2169,7 +2164,7 @@ TP_COLORAPP_BRIGHT_TOOLTIP;CIECAM02/16の明るさは 色刺激から発せら TP_COLORAPP_CAT02ADAPTATION_TOOLTIP;設定を手動で行う場合、65以上の設定値を推奨 TP_COLORAPP_CATCLASSIC;クラシック TP_COLORAPP_CATMET_TOOLTIP;クラシック - 従来のCIECAMの作用です。色順応変換が、基本的な光源をベースにした'場面条件'と、基本的な光源をベースにした'観視条件'に対し、別々に作用します。\n\nシンメトリック – 色順応がホワイトバランスをベースにして作用します。'場面条件'、'画像の調整'、'観視条件'の設定はニュートラルになります。\n\n混成 – 作用は'クラシック'と同じですが、色順応はホワイトバランスをベースにします。 -TP_COLORAPP_CATMOD;モード Cat02/16 +TP_COLORAPP_CATMOD;モード TP_COLORAPP_CATSYMGEN;自動シンメトリック TP_COLORAPP_CATSYMSPE;混成 TP_COLORAPP_CHROMA;色度 (C) @@ -2177,7 +2172,7 @@ TP_COLORAPP_CHROMA_M;鮮やかさ (M) TP_COLORAPP_CHROMA_M_TOOLTIP;CIECAM02/16の鮮やかさは、グレーと比較して知覚される色の量のことで、その色刺激の映り方に彩が多いか少ないかを意味します。 TP_COLORAPP_CHROMA_S;彩度 (S) TP_COLORAPP_CHROMA_S_TOOLTIP;CIECAM02/16の彩度は、色刺激自体が持つ明るさと比較したその色合いに該当するもので、L*a*b*やRGBの彩度とは異なります。 -TP_COLORAPP_CHROMA_TOOLTIP;CIECAM02の色度は、同一の観視環境の下では白に見える色刺激と比較した、その色刺激の'色合い'に相当するもので、L*a*b*やRGBの色度とは異なります。 +TP_COLORAPP_CHROMA_TOOLTIP;CIECAM02/16の色度は、同一の観視環境の下では白に見える色刺激と比較した、その色刺激の'色合い'に相当するもので、L*a*b*やRGBの色度とは異なります。 TP_COLORAPP_CIECAT_DEGREE;CAT02/16(色順応変換02/16) TP_COLORAPP_CONTRAST;コントラスト (J) TP_COLORAPP_CONTRAST_Q;コントラスト (Q) @@ -2188,9 +2183,9 @@ TP_COLORAPP_CURVEEDITOR1_TOOLTIP;CIECAM02/16調整前のL(L*a*b*)のヒス TP_COLORAPP_CURVEEDITOR2;トーンカーブ2 TP_COLORAPP_CURVEEDITOR2_TOOLTIP;最初のJ(J)カーブトーンカーブも同じ使い方です TP_COLORAPP_CURVEEDITOR3;カラーカーブ -TP_COLORAPP_CURVEEDITOR3_TOOLTIP;色度、彩度、鮮やかさのいずれかを調整します\n\nCIECAM02/16調整前の色度(L*a*b*)のヒストグラムを表示します\nチェックボックスの'カーブにCIECAM02出力のヒストグラム' が有効の場合、CIECAM02調整後のC,sまたはMのヒストグラムを表示します\n\nC, sとMは、メインのヒストグラム・パネルには表示されません\n最終出力は、メインのヒストグラム・パネルを参照してください +TP_COLORAPP_CURVEEDITOR3_TOOLTIP;色度、彩度、鮮やかさのいずれかを調整します\n\nCIECAM02/16調整前の色度(L*a*b*)のヒストグラムを表示します\nチェックボックスの'カーブにCIECAM02/16出力のヒストグラム' が有効の場合、CIECAM02/16調整後のC,sまたはMのヒストグラムを表示します\n\nC, sとMは、メインのヒストグラム・パネルには表示されません\n最終出力は、メインのヒストグラム・パネルを参照してください TP_COLORAPP_DATACIE;カーブでCIECAM02/16出力のヒストグラムを表示 -TP_COLORAPP_DATACIE_TOOLTIP;有効の場合、CIECAM02/16カーブのヒストグラムは、JかQ、CIECAM02調整後のCかs、またはMの値/範囲の近似値を表示します\nこの選択はメイン・ヒストグラムパネルには影響を与えません\n\n無効の場合、CIECAM02カーブのヒストグラムは、CIECAM調整前のL*a*b*値を表示します +TP_COLORAPP_DATACIE_TOOLTIP;有効の場合、CIECAM02/16カーブのヒストグラムは、JかQ、CIECAM02/16調整後のCかs、またはMの値/範囲の近似値を表示します\nこの選択はメイン・ヒストグラムパネルには影響を与えません\n\n無効の場合、CIECAM02/16カーブのヒストグラムは、CIECAM調整前のL*a*b*値を表示します TP_COLORAPP_DEGREE_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光源(例えばD65)のホワイトポイントの値を、別な光源(例えばD50 やD55)のホワイトポイントの値に変換することです(WPモデルを参照)。 TP_COLORAPP_DEGREOUT_TOOLTIP;CAT02/16は色順応変換の一つで、一定の光源(例えばD50)のホワイトポイントの値を、別な光源(例えばD75)のホワイトポイントの値に変換することです(WPモデルを参照)。 TP_COLORAPP_FREE;任意の色温度と色偏差 + CAT02/16 + [出力] @@ -2209,30 +2204,30 @@ TP_COLORAPP_ILA;白熱灯標準A 2856K TP_COLORAPP_ILFREE;フリー TP_COLORAPP_ILLUM;光源 TP_COLORAPP_ILLUM_TOOLTIP;撮影条件に最も近い条件を選択します\n一般的にはD50 ですが、時間と緯度に応じて変えます -TP_COLORAPP_LABEL;色の見えモデル(CIECAM02/16) -TP_COLORAPP_LABEL_CAM02;画像の調整 +TP_COLORAPP_LABEL;色の見え&明るさ +TP_COLORAPP_LABEL_CAM02;画像編集 TP_COLORAPP_LABEL_SCENE;場面条件 TP_COLORAPP_LABEL_VIEWING;観視条件 TP_COLORAPP_LIGHT;明度 (J) -TP_COLORAPP_LIGHT_TOOLTIP;CIECAM02の明度は、同じような環視環境の下で白に見える色刺激の明瞭度と、その色の明瞭度を比較したもので、L*a*b*やRGBの明度とは異なります。 +TP_COLORAPP_LIGHT_TOOLTIP;CIECAM02/16の明度は、同じような環視環境の下で白に見える色刺激の明瞭度と、その色の明瞭度を比較したもので、L*a*b*やRGBの明度とは異なります。 TP_COLORAPP_MEANLUMINANCE;平均輝度 (Yb%) -TP_COLORAPP_MOD02;CIECAM02 -TP_COLORAPP_MOD16;CIECAM16 +TP_COLORAPP_MOD02;CAM02 +TP_COLORAPP_MOD16;CAM16 TP_COLORAPP_MODEL;ホワイトポイント・モデル TP_COLORAPP_MODELCAT;色の見えモデル -TP_COLORAPP_MODELCAT_TOOLTIP;色の見えモデルはCIECAM02或いはCIECAM16のどちらかを選択出来ます\n CIECAM02の方がより正確な場合があります\n CIECAM16の方がアーティファクトの発生が少ないでしょう +TP_COLORAPP_MODELCAT_TOOLTIP;色の見えモデルはCAM02或いはCAM16のどちらかを選択出来ます\n CAM02の方がより正確な場合があります\n CAM16の方がアーティファクトの発生が少ないでしょう TP_COLORAPP_MODEL_TOOLTIP;ホワイトポイントモデル\n\nWB [RT] + [出力]\:周囲環境のホワイトバランスは、カラータブのホワイトバランスが使われます。CIECAM02/16の光源にはD50が使われ, 出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\nWB [RT+CAT02] + [出力]:カラータブのホワイトバランスがCAT02で使われます。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます\n\n任意の色温度と色偏差 + CAT02 + [出力]:色温度と色偏差はユーザーが設定します。出力デバイスのホワイトバランスには観視環境のホワイトバランスが使われます TP_COLORAPP_NEUTRAL;リセット TP_COLORAPP_NEUTRAL_TOOLTIP;全てのスライダーチェックボックスとカーブをデフォルトにリセットします TP_COLORAPP_RSTPRO;レッドと肌色トーンを保護 TP_COLORAPP_RSTPRO_TOOLTIP;レッドと肌色トーンを保護はスライダーとカーブの両方に影響します -TP_COLORAPP_SOURCEF_TOOLTIP;撮影条件に合わせて、その条件とデータを通常の範囲に収めます。ここで言う“通常”とは、平均的或いは標準的な条件とデータのことです。例えば、CIECAM02の補正を計算に入れずに収める。 +TP_COLORAPP_SOURCEF_TOOLTIP;撮影条件に合わせて、その条件とデータを通常の範囲に収めます。ここで言う“通常”とは、平均的或いは標準的な条件とデータのことです。例えば、CIECAM02/16の補正を計算に入れずに収める。 TP_COLORAPP_SURROUND;観視時の周囲環境 TP_COLORAPP_SURROUNDSRC;撮影時の周囲環境 TP_COLORAPP_SURROUND_AVER;平均 TP_COLORAPP_SURROUND_DARK;暗い TP_COLORAPP_SURROUND_DIM;薄暗い -TP_COLORAPP_SURROUND_EXDARK;非常に暗い +TP_COLORAPP_SURROUND_EXDARK;非常に暗い TP_COLORAPP_SURROUND_TOOLTIP;出力デバイスで観視する時の周囲環境を考慮するため、画像の明暗と色を変えます\n\n平均:\n周囲が平均的な明るさ(標準)\n画像は変わりません\n\n薄暗い:\n薄暗い環境、例、TVを見る環境\n画像は若干暗くなります\n\n暗い:\n暗い環境 例、プロジェクターを見る環境\n画像はかなり暗くなります\n\n非常に暗い:\n非常に暗い環境 (例、カットシートを使っている)\n画像はとても暗くなります TP_COLORAPP_SURSOURCE_TOOLTIP;撮影時の周囲環境を考慮するため、画像の明暗と色を変えます。\n平均:周囲が平均的な明るさ(標準)。画像は変化しません。\n\n薄暗い:画像が少し明るくなります。\n\n暗い:画像が更に明るくなります。\n\n非常に暗い:画像は非常に明るくなります。 TP_COLORAPP_TCMODE_BRIGHTNESS;明るさ @@ -2532,8 +2527,8 @@ TP_ICM_NEUTRAL;リセット TP_ICM_NOICM;No ICM: sRGB 出力 TP_ICM_OUTPUTPROFILE;出力プロファイル TP_ICM_OUTPUTPROFILE_TOOLTIP;デフォルトでは、全てのRTv4或いはRTv2プロファイルでTRC - sRGB: ガンマ=2.4 勾配=12.92が適用されています\n\n'ICCプロファイルクリエーター'でv4或いはv2のプロファイルを以下の条件で作成出来ます;\n 原色: Aces AP0, Aces AP1, AdobeRGB, Prophoto, Rec2020, sRGB, Widegamut, BestRGB, BetaRGB, BruceRGB, Custom\n TRC: BT709, sRGB, 線形, 標準ガンマ=2.2, 標準ガンマ=1.8, カスタム\n 光源: D41, D50, D55, D60, D65, D80, stdA 2856K -TP_ICM_PRIMBLU_TOOLTIP;原色 ブルー:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 -TP_ICM_PRIMGRE_TOOLTIP;原色 グリーン:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 +TP_ICM_PRIMBLU_TOOLTIP;原色 ブルー:\nsRGB x=0.15 y=0.06\nAdobe x=0.15 y=0.06\nWidegamut x=0.157 y=0.018\nRec2020 x=0.131 y=0.046\nACES P1 x=0.128 y= 0.044\nACES P0 x=0.0001 y=-0.077\nProphoto x=0.0366 y=0.0001\nBruceRGB x=0.15 y=0.06\nBeta RGB x=0.1265 y=0.0352\nBestRGB x=0.131 y=0.046 +TP_ICM_PRIMGRE_TOOLTIP;原色 グリーン:\nsRGB x=0.3 y=0.6\nAdobe x=0.21 y=0.71\nWidegamut x=0.115 y=0.826\nRec2020 x=0.17 y=0.797\nACES P1 x=0.165 y= 0.83\nACES P0 x=0.0 y=1.0\nProphoto x=0.1596 y=0.8404\nBruceRGB x=0.28 y=0.65\nBeta RGB x=0.1986 y=0.7551\nBest RGB x=0.2150 0.7750 TP_ICM_PRIMILLUM_TOOLTIP;画像を元のモード(“作業プロファイル”)から異なるモード(“変換先の原色”)に変えることが出来ます。画像に対し異なるカラーモードを選択すると、画像の色値を恒久的に変えることになります。\n\n‘原色’の変更は非常に複雑で、その使い方は非常に難しいものです。熟達した経験が必要です。\nチャンネルミキサーの原色のように、エキゾチックな色の調整が可能です。\nカスタム(スライダー)を使ってカメラのキャリブレーションを変えることが出来ます。 TP_ICM_PRIMRED_TOOLTIP;原色 レッド:\nsRGB x=0.64 y=0.33\nAdobe x=0.64 y=0.33\nWidegamut x=0.735 y=0.265\nRec2020 x=0.708 y=0.292\nACES P1 x=0.713 y= 0.293\nACES P0 x=0.7347 y=0.2653\nProphoto x=0.7347 y=0.2653\nBruceRGB x=0.64 y=0.33\nBeta RGB x=0.688 y=0.3112\nBestRGB x=0.7347 y=0.2653 TP_ICM_PROFILEINTENT;レンダリングの意図 @@ -2669,8 +2664,8 @@ TP_LOCALLAB_BILATERAL;平滑化フィルタ TP_LOCALLAB_BLACK_EV;ブラックEv TP_LOCALLAB_BLCO;色度だけ TP_LOCALLAB_BLENDMASKCOL;ブレンド -TP_LOCALLAB_BLENDMASKMASK;輝度マスクを強める/弱める -TP_LOCALLAB_BLENDMASKMASKAB;色度マスクを強める/弱める +TP_LOCALLAB_BLENDMASKMASK;マスクの輝度の加減 +TP_LOCALLAB_BLENDMASKMASKAB;マスクの色度の加減 TP_LOCALLAB_BLENDMASKMASK_TOOLTIP;スライダーの値が0の場合は作用しません\n元画像にマスクを追加したり、追加したマスクを削除します TP_LOCALLAB_BLENDMASK_TOOLTIP;ブレンド=0の場合は、形状検出だけが改善します\nブレンドが0より大きい場合は、画像にマスクが追加されます。 ブレンドが0より小さい場合は、画像からマスクが除かれます。 TP_LOCALLAB_BLGUID;ガイド付きフィルタ @@ -2730,7 +2725,7 @@ TP_LOCALLAB_CIEC;色の見えモデルの環境変数を使う TP_LOCALLAB_CIECAMLOG_TOOLTIP;このモジュールはCIE色の見えモデルをベースにしています。このモデルは異なる光源の下で人の目が知覚する色を真似るものです。\n最初の処理は’場面条件’で対数符号化によって実行されます。この際、撮影時の’絶対輝度’が使われます。\n次の処理は単純化した’画像の調整’で3つに絞り込んだ変数(ローカルコントラスト、コントラストJ、彩度S)を使います。\n3つ目の処理は’観視条件’で出力画像を見る条件(モニター、TV、プロジェクター、プリンターなどのこと)を考慮します。この処理により表示媒体に関わらず同じ画像の色やコントラストを維持します。 TP_LOCALLAB_CIECOLORFRA;色 TP_LOCALLAB_CIECONTFRA;コントラスト -TP_LOCALLAB_CIELIGHTCONTFRA;明度とコントラスト +TP_LOCALLAB_CIELIGHTCONTFRA;明るさとコントラスト TP_LOCALLAB_CIELIGHTFRA;明度 TP_LOCALLAB_CIEMODE;処理過程の位置の変更 TP_LOCALLAB_CIEMODE_COM;デフォルト @@ -2741,7 +2736,7 @@ TP_LOCALLAB_CIEMODE_WAV;ウェーブレット TP_LOCALLAB_CIETOOLEXP;カーブ TP_LOCALLAB_CIE_TOOLNAME;色の見えモデル(CAM16とJzCzHz) TP_LOCALLAB_CIRCRADIUS;スポットの中心の大きさ -TP_LOCALLAB_CIRCRAD_TOOLTIP;この円内の情報がRT-スポットの編集の参考値となります。色相、輝度、色度、Sobelの形状検出に使います。\n小さい半径は花の色などの補正に。\n大きな半径は肌などの補正に適しています。 +TP_LOCALLAB_CIRCRAD_TOOLTIP;この円内の情報がRT-スポットの編集の基準値となります。色相、輝度、色度、Sobelの形状検出に使います。\n小さい半径は花の色などの補正に。\n大きな半径は肌などの補正に適しています。 TP_LOCALLAB_CLARICRES;色度を融合 TP_LOCALLAB_CLARIFRA;明瞭とシャープマスク/ブレンド & ソフトイメージ TP_LOCALLAB_CLARIJZ_TOOLTIP;レベル0から4まではシャープマスクが働きます\nレベル5以上では明瞭が働きます @@ -2799,11 +2794,11 @@ TP_LOCALLAB_DENOICHRODET_TOOLTIP;漸進的にフーリエ変換(離散コサ TP_LOCALLAB_DENOICHROF_TOOLTIP;小さいディテールの色ノイズを調整します TP_LOCALLAB_DENOIEQUALCHRO_TOOLTIP;ブルー/イエロー、或いはレッド/グリーンの補色次元で色ノイズを軽減します TP_LOCALLAB_DENOIEQUAL_TOOLTIP;シャドウ、或いはハイライト部分で、ある程度ノイズ低減を実行出来ます -TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;漸進的にフーリエ変換(離散コサイン変換)を適用することで、輝度のディテールを回復します +TP_LOCALLAB_DENOILUMDETAIL_TOOLTIP;漸進的にフーリエ変換(離散コサイン変換)を適用することで、輝度のディテールを回復します TP_LOCALLAB_DENOIMASK;色ノイズのマスク TP_LOCALLAB_DENOIMASK_TOOLTIP;全ての機能でマスクの色ノイズの程度を加減することが出来ます。\nLC(h)カーブを使う際、アーティファクトを避けたり、色度をコントロールするのに便利です。 TP_LOCALLAB_DENOIQUA_TOOLTIP;’控え目’なモードでは、低周波ノイズは除去されません。’積極的’なモードは低周波ノイズも除去します。\n’控え目’も’積極的’も、ウェーブレットとDCTを使いますが、’輝度のノンローカルミーン’を併用することも出来ます。 -TP_LOCALLAB_DENOITHR_TOOLTIP;均一及び低コントラスト部分のノイズを減らす補助としてエッジ検出を調整します +TP_LOCALLAB_DENOITHR_TOOLTIP;均一及び低コントラスト部分のノイズを減らす補助としてエッジ検出を調整します TP_LOCALLAB_DENOI_EXP;ノイズ除去 TP_LOCALLAB_DENOI_TOOLTIP;このモジュールは単独のノイズ低減機能(処理工程の最後の方に位置)として、或いはメインのディテールタブに付属するノイズ低減(処理工程の最初の方に位置)の追加機能として使うことが出来ます。\n色(ΔE)を基本に、スコープを使って作用に差を付けることが出来ます。\n但し、RT-スポットは最低128x128の大きさの必要です TP_LOCALLAB_DEPTH;深度 @@ -2844,7 +2839,7 @@ TP_LOCALLAB_EXPCHROMA_TOOLTIP;色が褪せるのを避けるため、’露光 TP_LOCALLAB_EXPCOLOR_TOOLTIP;色、明度、コントラストの調整に使います。赤目やセンサーの汚れに起因する不良の補正にも使えます。 TP_LOCALLAB_EXPCOMP;露光量補正 ƒ TP_LOCALLAB_EXPCOMPINV;露光量補正 -TP_LOCALLAB_EXPCOMP_TOOLTIP;ポートレート或いは色の階調が少ない画像の場合、’設定’の’形状検出’を調整します:\n\n’ΔEスコープのしきい値’を増やします\n’ΔEの減衰’を減らします\n’バランス ab-L(ΔE)'を増やします +TP_LOCALLAB_EXPCOMP_TOOLTIP;ポートレート或いは色の階調が少ない画像の場合、’設定’の’形状検出’を調整します:\n\n’ΔEスコープのしきい値’を増やします\n’ΔEの減衰’を減らします\n’バランス ab-L(ΔE)'を増やします TP_LOCALLAB_EXPCONTRASTPYR_TOOLTIP;RawPediaの'ウェーブレットのレベル’を参照して下さい。\nローカル編集のウェーブレットのレベルは異なる部分が幾つかあります:各ディテールのレベルに対する調整機能がより多く、多様性が増します。\n例、ウェーブレットのレベルのトーンマッピングです。 TP_LOCALLAB_EXPCONTRAST_TOOLTIP;あまりに小さいRT-スポットの設定は避けます(少なくとも32x32ピクセル以上)。\n低い’境界値’と高い’境界の減衰’値、及び’スコープ’値を使い、小さいRT-スポットを真似て欠陥部分を補正します。\nアーティファクトを軽減するために、必要に応じて’ソフトな半径’を調整して ’明瞭とシャープマスク’、’ファイルの融合’を使います。 TP_LOCALLAB_EXPCURV;カーブ @@ -2890,7 +2885,7 @@ TP_LOCALLAB_GAMW;ガンマ(ウェーブレットピラミッド) TP_LOCALLAB_GRADANG;階調フィルタの角度 TP_LOCALLAB_GRADANG_TOOLTIP;-180度から+180度の間で角度を調整 TP_LOCALLAB_GRADFRA;階調フィルタのマスク -TP_LOCALLAB_GRADGEN_TOOLTIP;階調フィルタの機能は’色と明るさ’と、’露光’、'シャドウ/ハイライト”、’自然な彩度’に備わっています\n\n自然な彩度、色と明るさには輝度、色調、色相の階調フィルタが使えます\nフェザー処理は設定の中にあります +TP_LOCALLAB_GRADGEN_TOOLTIP;階調フィルタの機能は’色と明るさ’と、’露光’、'シャドウ/ハイライト”、’自然な彩度’に備わっています\n\n自然な彩度、色と明るさには輝度、色調、色相の階調フィルタが使えます\nフェザー処理は設定の中にあります TP_LOCALLAB_GRADLOGFRA;輝度の階調フィルタ TP_LOCALLAB_GRADSTR;階調フィルタ 強さ TP_LOCALLAB_GRADSTRAB_TOOLTIP;色度の階調の強さを調整します @@ -2911,7 +2906,7 @@ TP_LOCALLAB_GUIDBL;ソフトな半径 TP_LOCALLAB_GUIDBL_TOOLTIP;半径を変えられるガイド付きフィルタを適用します。アーティファクトを軽減したり、画像にぼかしを掛けたり出来ます。 TP_LOCALLAB_GUIDEPSBL_TOOLTIP;ガイド付きフィルタの配分機能を変化させます。マイナス値の設定はガウスぼかしに似た効果となります TP_LOCALLAB_GUIDFILTER;ガイド付きフィルタの半径 -TP_LOCALLAB_GUIDFILTER_TOOLTIP;アーティファクトが減ったり、増えたりします +TP_LOCALLAB_GUIDFILTER_TOOLTIP;アーティファクトが減ったり、増えたりします TP_LOCALLAB_GUIDSTRBL_TOOLTIP;ガイド付きフィルタの強さ TP_LOCALLAB_HHMASK_TOOLTIP;例えば肌の微妙な色相調整に使います TP_LOCALLAB_HIGHMASKCOL;ハイライト @@ -2926,10 +2921,10 @@ TP_LOCALLAB_INVERS_TOOLTIP;インバースを選択すると使える機能の TP_LOCALLAB_INVMASK;インバースアルゴリズム TP_LOCALLAB_ISOGR;配分(ISO) TP_LOCALLAB_JAB;ブラックEvとホワイトEvを使う -TP_LOCALLAB_JABADAP_TOOLTIP;均一的知覚の順応\n"絶対輝度"を考慮したJzと彩度の関係を自動的に調整します -TP_LOCALLAB_JZ100;Jz reference 100カンデラでのJzの参考値 -TP_LOCALLAB_JZ100_TOOLTIP;100カンデラ毎平方メートルでのJzの参考値(画像シグナル)を自動で調整します。\n彩度の値と“PU 順応” (均一的な知覚の順応)が変わります。 -TP_LOCALLAB_JZADAP;均一的知覚の順応 +TP_LOCALLAB_JABADAP_TOOLTIP;PU(均一的知覚)の順応\n"絶対輝度"を考慮したJzと彩度の関係を自動的に調整します +TP_LOCALLAB_JZ100;Jzの基準値 100カンデラ +TP_LOCALLAB_JZ100_TOOLTIP;100カンデラ毎平方メートルでのJzの基準値(画像シグナル)を自動で調整します。\n彩度の値と“PU 順応” (均一的な知覚の順応)が変わります。 +TP_LOCALLAB_JZADAP;PU-順応 TP_LOCALLAB_JZCH;色度 TP_LOCALLAB_JZCHROM;色度 TP_LOCALLAB_JZCLARICRES;色度Czを融合 @@ -2942,14 +2937,14 @@ TP_LOCALLAB_JZHFRA;Hzカーブ TP_LOCALLAB_JZHJZFRA;Jz(Hz)カーブ TP_LOCALLAB_JZHUECIE;色相の回転 TP_LOCALLAB_JZLIGHT;明るさ -TP_LOCALLAB_JZLOG;Jz 対数符号化 +TP_LOCALLAB_JZLOG;対数符号化 Jz TP_LOCALLAB_JZLOGWBS_TOOLTIP;対数符号化を使うかシグモイドを使うかでブラックEvとホワイトEvの調整が異なる場合があります\nシグモイドの場合、ハイライト、コントラスト、彩度の良好なレンダリングを得るために、ホワイトEvの調整(多くの場合、増やす方向)が必要になることがあります TP_LOCALLAB_JZLOGWB_TOOLTIP;自動を有効にすると、スポット内のEvレベルと'平均輝度 Yb%'が計算されて調整されます。計算結果は"対数符号化 Jz"を含む、全てのJzの働きに使われます。\nまた、撮影時の絶対輝度が計算されます。 TP_LOCALLAB_JZLOGYBOUT_TOOLTIP;Ybは背景の平均輝度を指し、グレーの割合(%)で表します。グレー18%は背景のCIE Labの輝度値が50%であることと同じです。\nデータは画像の平均輝度に基づいています\n対数符号化が使われている場合は、対数符号化が行われる前に適用するゲインの量を決めるために平均輝度が使われます。平均輝度の値が低い程、ゲインが増えます。 TP_LOCALLAB_JZMODECAM_TOOLTIP;Jzが使えるのは機能水準が'高度'な場合だけです。Jzが機能するのは出力デバイス(モニター)がHDRの場合だけです(最大出力輝度が100カンデラ毎平方メートル以上、理想的には4000から10000カンデラ毎平方メートル、ブラックポイントが0.005カンデラ毎平方メートル以下のモニターです)。ここで想定されるのは、a)モニターのICCのプロファイル接続色空間でJzazbz (或いはXYZ)が使える、b)実数精度で作業出来る、c)モニターがキャリブレートされている(出来れば、DCI-P3、或いはRec-2020の色域で)、d) 通常のガンマ(sRGB、或いはBT709)が知覚量子化の関数で置き換えられる、ことです。 TP_LOCALLAB_JZPQFRA;Jz 再マッピング -TP_LOCALLAB_JZPQFRA_TOOLTIP;Jzのアルゴリズムを以下の様にSDR(標準ダイナミックレンジ)の環境、或いはHDR(ハイダイナミックレンジ)の環境の特性に対して適応させることが出来ます:\n a) 輝度値が0から100カンデラ毎平方メートルの間では、システムがSDRであるように作用する\n b) 輝度値が100から10000カンデラ毎平方メートルの間では、画像とモニターのHDR特性にJzのアルゴリズムを適応させる。\n\n“PQ - 最大輝度P”を10000カンデラ毎平方メートルに設定すると、“Jzの再マッピング”がJzazbzのオリジナルアルゴリズムの特性を示します。 -TP_LOCALLAB_JZPQREMAP;PQ - 最大輝度 +TP_LOCALLAB_JZPQFRA_TOOLTIP;Jzのアルゴリズムを以下の様にSDR(標準ダイナミックレンジ)の環境、或いはHDR(ハイダイナミックレンジ)の環境の特性に対して適応させることが出来ます:\n a) 輝度値が0から100カンデラ毎平方メートルの間では、システムがSDRであるように作用する\n b) 輝度値が100から10000カンデラ毎平方メートルの間では、画像とモニターのHDR特性にJzのアルゴリズムを適応させる。\n\n“PQ - 最大輝度P”を10000カンデラ毎平方メートルに設定すると、“Jzの再マッピング”がJzazbzのオリジナルアルゴリズムの特性を示します。 +TP_LOCALLAB_JZPQREMAP;PQ - 最大輝度 TP_LOCALLAB_JZPQREMAP_TOOLTIP;PQ (知覚量子化) - PQの内部関数を変えることが出来ます。デフォルトでは120カンデラ毎平方メートルが設定されていますが、一般的な10000カンデラ毎平方メートルに変えられます。\n異なる画像、処理、デバイスに適応させるために使います。 TP_LOCALLAB_JZQTOJ;相対輝度 TP_LOCALLAB_JZQTOJ_TOOLTIP;"絶対輝度"の代わりに"相対輝度"が使えるようになります - 明るさが明度で表現されるようになります。\n変更により、明るさとコントラストのスライダー、及びJz(Jz)カーブが影響を受けます。 @@ -2960,7 +2955,7 @@ TP_LOCALLAB_JZSTRSOFTCIE;ガイド付きフィルタの強さ TP_LOCALLAB_JZTARGET_EV;観視の平均輝度(Yb%) TP_LOCALLAB_JZTHRHCIE;Jz(Hz)の色度のしきい値 TP_LOCALLAB_JZWAVEXP;Jz ウェーブレット -TP_LOCALLAB_LABBLURM;ぼかしマスク +TP_LOCALLAB_LABBLURM;マスクのぼかし TP_LOCALLAB_LABEL;ローカル編集 TP_LOCALLAB_LABGRID;カラー補正グリッド TP_LOCALLAB_LABGRIDMERG;背景 @@ -2999,6 +2994,7 @@ TP_LOCALLAB_LOG;対数符号化 TP_LOCALLAB_LOG1FRA;CAM16による画像の調整 TP_LOCALLAB_LOG2FRA;観視条件 TP_LOCALLAB_LOGAUTO;自動 +TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;場面条件の’平均輝度’を自動で計算します。 TP_LOCALLAB_LOGAUTOGRAY_TOOLTIP;相対的な露光レベルの中の’自動’ボタンを押すと、撮影画像の環境に関する平均輝度が自動的に計算されます。 TP_LOCALLAB_LOGAUTO_TOOLTIP;'自動平均輝度(Yb%)'のオプションが有効になっている時に、このボタンを押すと撮影画像の環境に関する’ダイナミックレンジ’と’平均輝度’が計算されます。\nまた、撮影時の絶対輝度も計算されます。\n再度ボタンを押すと自動的にこれら値が調整されます。 TP_LOCALLAB_LOGBASE_TOOLTIP;デフォルト値は2です\n2以下ではアルゴリズムの働きが弱まり、シャドウ部分が暗く、ハイライト部分が明るくなります\n2より大きい場合は、シャドウ部分が濃いグレーに変わり、ハイライト部分は白っぽくなります @@ -3020,9 +3016,9 @@ TP_LOCALLAB_LOGFRA;場面条件 TP_LOCALLAB_LOGFRAME_TOOLTIP;RT-スポットに関する露出のレベルと’平均輝度 Yb%'(グレーポイントの情報源)を計算し調整します。結果は全てのLab関連処理と殆どのRGB関連処理に使われます。\nまた、場面の絶対輝度も考慮します。 TP_LOCALLAB_LOGIMAGE_TOOLTIP;対応する色の見えモデルの変数(例えば、コントラストJと彩度S、及び機能水準が高度な場合の、コントラストQ、明るさQ、明度J、鮮やかさM)を考慮します。 TP_LOCALLAB_LOGLIGHTL;明度 (J) -TP_LOCALLAB_LOGLIGHTL_TOOLTIP;L*a*b*の明度に近いものですが、知覚される彩色の増加を考慮ています。 +TP_LOCALLAB_LOGLIGHTL_TOOLTIP;L*a*b*の明度に近いものですが、知覚される彩色の増加を考慮ています。 TP_LOCALLAB_LOGLIGHTQ;明るさ (Q) -TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;その色刺激から発せられる知覚された光の量を意味します。\nその色刺激の明るさの多寡の指標です。 +TP_LOCALLAB_LOGLIGHTQ_TOOLTIP;その色刺激から発せられる知覚された光の量を意味します。\nその色刺激の明るさの多寡の指標です。 TP_LOCALLAB_LOGLIN;対数モード TP_LOCALLAB_LOGPFRA;相対的な露光レベル TP_LOCALLAB_LOGREPART;全体の強さ @@ -3034,7 +3030,7 @@ TP_LOCALLAB_LOGVIEWING_TOOLTIP;最終画像を見る周囲環境同様、それ TP_LOCALLAB_LOG_TOOLNAME;対数符号化 TP_LOCALLAB_LUM;LL - CC TP_LOCALLAB_LUMADARKEST;最も暗い部分 -TP_LOCALLAB_LUMASK;背景の色/輝度のマスク +TP_LOCALLAB_LUMASK;マスクの背景色と輝度 TP_LOCALLAB_LUMASK_TOOLTIP;マスクの表示(マスクと修正領域)で、背景のグレーを調節します TP_LOCALLAB_LUMAWHITESEST;最も明るい部分 TP_LOCALLAB_LUMFRA;L*a*b* 標準 @@ -3094,8 +3090,7 @@ TP_LOCALLAB_MASKRESVIB_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マス TP_LOCALLAB_MASKRESWAV_TOOLTIP;'マスクと修正領域'のL(L)やLC(H)マスクに内包されている輝度の情報をベースに、”ローカルコントラスト ウェーブレット”の設定による効果を和らげるために使います。\n この機能を使うためにはL(L)やLC(H)のマスクを有効にする必要があります。\n 暗いしきい値以下と明るいしきい値以上の'暗い'領域と'明るい'領域は、'ローカルコントラスト ウェーブレット'の設定によって変更される前の値(元の値)に漸進的に復元されます。\n 2つのしきい値の間の部分では、'ローカルコントラスト ウェーブレット'の設定値が100%適用されます。 TP_LOCALLAB_MASKUNUSABLE;'マスクと修正領域'のマスクが無効 TP_LOCALLAB_MASKUSABLE;'マスクと修正領域'のマスクが有効 -TP_LOCALLAB_MASK_TOOLTIP;一つの機能の中で複数のマスクを活用することが出来ます。他の機能を有効にしてそのマスクだけを使います(機能の中のスライダー値は全て0にする)。\n\nまたは、RT-スポットを複製し、初めのスポットの近くに置き、そのRT-スポットのマスクを使います。この場合、調整のための参考値の違いが小さいため、より精緻な調整が可能です。 -TP_LOCALLAB_MED;中間 +TP_LOCALLAB_MASK_TOOLTIP;一つの機能の中で複数のマスクを活用することが出来ます。他の機能を有効にしてそのマスクだけを使います(機能の中のスライダー値は全て0にする)。\n\nまたは、RT-スポットを複製し、初めのスポットの近くに置き、そのRT-スポットのマスクを使います。この場合、調整のための基準値の違いが小さいため、より精緻な調整が可能です。 TP_LOCALLAB_MEDIAN;メディアン 低 TP_LOCALLAB_MEDIANITER_TOOLTIP;メディアンフィルタ適用の繰り返し回数を設定します TP_LOCALLAB_MEDIAN_TOOLTIP;メディアンの値を3x3~9x9ピクセルの範囲で選べます。値を高くするほどノイズ低減とぼかしが強くなります @@ -3138,7 +3133,7 @@ TP_LOCALLAB_MRFIV;背景 TP_LOCALLAB_MRFOU;前のRT-スポット TP_LOCALLAB_MRONE;なし TP_LOCALLAB_MRTHR;オリジナルRT-スポット -TP_LOCALLAB_MULTIPL_TOOLTIP;トーンの幅が広い画像、-18EV~+4EV、を調整します: 最初のスライダーは-18EV~-6EVの非常に暗い部分に作用します。2つ目のスライダーは-6EV~+4EVの部分に作用します +TP_LOCALLAB_MULTIPL_TOOLTIP;トーンの幅が広い画像、-18EV~+4EV、を調整します: 最初のスライダーは-18EV~-6EVの非常に暗い部分に作用します。2つ目のスライダーは-6EV~+4EVの部分に作用します TP_LOCALLAB_NEIGH;半径 TP_LOCALLAB_NLDENOISENLGAM_TOOLTIP;値を低くすると詳細と質感が保たれます。高くするとノイズ除去が強まります。\nガンマが3.0の場合は輝度ノイズの除去には線形が使われます。 TP_LOCALLAB_NLDENOISENLPAT_TOOLTIP;処理対象の大きさに対して適用するノイズ除去の量を調節するスライダーです。 @@ -3192,8 +3187,8 @@ TP_LOCALLAB_RADIUS_TOOLTIP;半径が30より大きい場合は、高速フーリ TP_LOCALLAB_RADMASKCOL;スムーズな半径 TP_LOCALLAB_RECOTHRES02_TOOLTIP;“回復のしきい値”が1より大きい場合は、“マスクと修正領域”に付属するマスクは、その前に画像に対して行われた全ての調整を考慮しますが、現在のツールで行われた調整(例、色と明るさや、ウェーブレット、CAM16、など)は考慮しません。\n“回復のしきい値”が1より小さい場合は、“マスクと修正領域”に付属するマスクは、その前に画像に対して行われた全ての調整を考慮しません。\n\nどちらの場合も、“回復のしきい値”は現在のツール(例、色と明るさや、ウェーブレット、CAM16、など)で調整されたマスクされた画像に作用します。 TP_LOCALLAB_RECT;長方形 -TP_LOCALLAB_RECURS;参考値の繰り返し -TP_LOCALLAB_RECURS_TOOLTIP;各機能の適用後に参考値を強制的に再計算させる機能です\nマスクを使った作業にも便利です +TP_LOCALLAB_RECURS;基準値を繰り返し更新 +TP_LOCALLAB_RECURS_TOOLTIP;各機能の適用後に基準値を強制的に再計算させる機能です\nマスクを使った作業にも便利です TP_LOCALLAB_REN_DIALOG_LAB;新しいコントロールスポットの名前を入力 TP_LOCALLAB_REN_DIALOG_NAME;コントロールスポットの名前変更 TP_LOCALLAB_REPARCOL_TOOLTIP;元画像に関する色と明るさの構成の相対的強さを調整出来るようにします。 @@ -3215,12 +3210,12 @@ TP_LOCALLAB_RETI;霞除去 & レティネックス TP_LOCALLAB_RETIFRA;レティネックス TP_LOCALLAB_RETIFRAME_TOOLTIP;画像処理においてレティネックスは便利な機能です\nぼけた、霧かかった、或いは霞んだ画像を補正出来ます\nこういった画像は輝度に大きな違いがあるのが特徴です\n特殊効果を付けるためにも使えます(トーンマッピング) TP_LOCALLAB_RETIM;独自のレティネックス -TP_LOCALLAB_RETITOOLFRA;高度なレティネックス機能 +TP_LOCALLAB_RETITOOLFRA;レティネックス機能 TP_LOCALLAB_RETI_LIGHTDARK_TOOLTIP;'明度=1'或いは'暗さ=2'の場合は効果がありません\n他の値の場合は、最終工程で'マルチスケールレティネックス'('ローカルコントラスト'の調整に似ています)が適用されます。'強さ'に関わる2つのスライダーでローカルコントラストのアップストリーの処理が調整されます TP_LOCALLAB_RETI_LIMDOFFS_TOOLTIP;効果の最適化を図るため内部の変数を変えます\n'修復されたデータ'は最低値が0、最大値が32768(対数モード)に近いことが望ましいのですが、必ずしも一致させる必要はありません。 TP_LOCALLAB_RETI_LOGLIN_TOOLTIP;対数モードを使うとコントラストが増えますが、ハロが発生することもあります TP_LOCALLAB_RETI_NEIGH_VART_TOOLTIP;半径と分散(バリアンス)のスライダーは霞を調整します。前景或いは背景を目標にします -TP_LOCALLAB_RETI_SCALE_TOOLTIP;スケールが1の時は、レティネックスはローカルコントラストを調整した様な効果になります\nスケールの値を増やすと回帰作用が強化されますが、その分処理時間も増加します +TP_LOCALLAB_RETI_SCALE_TOOLTIP;スケールが1の時は、レティネックスはローカルコントラストを調整した様な効果になります\nスケールの値を増やすと回帰作用が強化されますが、その分処理時間も増加します TP_LOCALLAB_RET_TOOLNAME;霞除去 & レティネックス TP_LOCALLAB_REWEI;再加重平均の繰り返し TP_LOCALLAB_RGB;RGB トーンカーブ @@ -3238,7 +3233,7 @@ TP_LOCALLAB_SCOPEMASK_TOOLTIP;ΔE画像のマスクが有効の場合に使え TP_LOCALLAB_SENSI;スコープ TP_LOCALLAB_SENSIEXCLU;スコープ TP_LOCALLAB_SENSIEXCLU_TOOLTIP;除外される色を調整します -TP_LOCALLAB_SENSIMASK_TOOLTIP;共通なマスクに付属するスコープを調整します\n元画像とマスクの違いに対して作用します\nRT-スポットの中心の輝度、色度、色相参考値を使います\n\nマスク自体のΔEを調整することも出来ます。'設定'の中の”スコープ(ΔE画像のマスク)”を使います。 +TP_LOCALLAB_SENSIMASK_TOOLTIP;共通なマスクに付属するスコープを調整します\n元画像とマスクの違いに対して作用します\nRT-スポットの中心の輝度、色度、色相の基準値を使います\n\nマスク自体のΔEを調整することも出来ます。'設定'の中の”スコープ(ΔE画像のマスク)”を使います。 TP_LOCALLAB_SENSI_TOOLTIP;スコープの作用を加減します:\n小さい値を設定すると、色に対する作用はRT-スポットの中心部付近に限定されます\n高い値を設定すると、広範囲の色に作用が及びます TP_LOCALLAB_SETTINGS;設定 TP_LOCALLAB_SH1;シャドウ/ハイライト @@ -3271,24 +3266,24 @@ TP_LOCALLAB_SHOWFOURIER;フーリエ (DCT) TP_LOCALLAB_SHOWLAPLACE;Δ ラプラシアン (一次) TP_LOCALLAB_SHOWLC;マスクと修正領域 TP_LOCALLAB_SHOWMASK;マスクの表示 -TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;マスクと修正箇所の表示:\n注意:一度に一つの機能のマスクしか見ることが出来きません\n調整及び修正した画像:機能による調整とマスクによる修正の両方を含む画像を表示\n修正された領域をマスクなしで表示:マスクを適用する前の修正領域を表示\n修正された領域をマスクと共に表示:マスクを適用した修正領域を表示\nマスクの表示:カーブやフィルタの効果を含めたマスクの様子を表示します\nスポットの構造を表示:'スポットの構造'スライダー(機能水準が高度の場合)が有効になった時に、構造検出マスクを見ることが出来ます\n注意:形状検出のアルゴリズムが作用する前にマスクが適用されます +TP_LOCALLAB_SHOWMASKCOL_TOOLTIP;マスクと修正箇所の表示:\n注意:一度に一つの機能のマスクしか見ることが出来きません\n調整及び修正した画像:機能による調整とマスクによる修正の両方を含む画像を表示\n修正領域をマスクなしで表示:マスクを適用する前の修正領域を表示\n修正領域をマスクと共に表示:マスクを適用した修正領域を表示\nマスクの表示:カーブやフィルタの効果を含めたマスクの様子を表示します\nスポットの構造を表示:'スポットの構造'スライダー(機能水準が高度の場合)が有効になった時に、構造検出マスクを見ることが出来ます\n注意:形状検出のアルゴリズムが作用する前にマスクが適用されます TP_LOCALLAB_SHOWMASKSOFT_TOOLTIP;フーリエ変換による処理を段階的に見ることが出来ます\nラプラス - しきい値の関数としてラプラス変換の2次微分を計算仕します\nフーリエ - 離散コサイン変換(DCT)でラプラス変換を表示します\nポアソン - ポアソン方程式の解を表示します\n輝度の標準化なし - 輝度の標準化なしで結果を表示します TP_LOCALLAB_SHOWMASKTYP1;ぼかし&ノイズ除去 TP_LOCALLAB_SHOWMASKTYP2;ノイズ除去 TP_LOCALLAB_SHOWMASKTYP3;ぼかし&ノイズ除去 + ノイズ除去 TP_LOCALLAB_SHOWMASKTYP_TOOLTIP;‘マスクと修正領域’と併せて使うことが出来ます。\n‘ぼかしとノイズ’を選択した場合、マスクはノイズ除去には使えません。\n‘ノイズ除去を選択した場合、マスクは’ぼかしとノイズ‘には使えません。\n’ぼかしとノイズ + ノイズ除去‘を選択した場合は、マスクを共有することが出来ます。但し、この場合、’ぼかしとノイズ‘とノイズ除去のスコープスライダーが有効となるので、修正を行う際には’マスクと共に修正領域を表示‘のオプションを使うことを奨めます。 TP_LOCALLAB_SHOWMNONE;調整及び修正した画像 -TP_LOCALLAB_SHOWMODIF;修正された領域をマスクなしで表示 +TP_LOCALLAB_SHOWMODIF;修正領域をマスクなしで表示 TP_LOCALLAB_SHOWMODIF2;マスクの表示 -TP_LOCALLAB_SHOWMODIFMASK;修正された領域をマスクと共に表示 +TP_LOCALLAB_SHOWMODIFMASK;修正領域をマスクと共に表示 TP_LOCALLAB_SHOWNORMAL;輝度の標準化をしない TP_LOCALLAB_SHOWPLUS;マスクと修正領域(ぼかし&ノイズ除去) TP_LOCALLAB_SHOWPOISSON;ポアソン (pde f) TP_LOCALLAB_SHOWR;マスクと修正領域 TP_LOCALLAB_SHOWREF;ΔEのプレビュー TP_LOCALLAB_SHOWS;マスクと修正領域 -TP_LOCALLAB_SHOWSTRUC;スポットの構造を表示(高度) -TP_LOCALLAB_SHOWSTRUCEX;スポットの構造を表示(高度) +TP_LOCALLAB_SHOWSTRUC;スポットの構造を表示 +TP_LOCALLAB_SHOWSTRUCEX;スポットの構造を表示 TP_LOCALLAB_SHOWT;マスクと修正領域 TP_LOCALLAB_SHOWVI;マスクと修正領域 TP_LOCALLAB_SHRESFRA;シャドウ/ハイライト&TRC @@ -3301,7 +3296,7 @@ TP_LOCALLAB_SIGMOIDBL;ブレンド TP_LOCALLAB_SIGMOIDLAMBDA;コントラスト TP_LOCALLAB_SIGMOIDQJ;ブラックEvとホワイトEvを使う TP_LOCALLAB_SIGMOIDTH;しきい値(グレーポイント) -TP_LOCALLAB_SIGMOID_TOOLTIP;'CIECAM'(或いは’Jz)と'シグモイド'関数を使って、トーンマッピングの様な効果を作ることが出来ます。\n3つのスライダーを使います: a) コントラストのスライダーはシグモイドの形状を変えることで強さを変えます。 b) しきい値(グレーポイント)のスライダーは、輝度に応じて作用を変えます。 c)ブレンドは画像の最終的なコントラストや輝度を変えます。 +TP_LOCALLAB_SIGMOID_TOOLTIP;'CIECAM'(或いは’Jz)と'シグモイド'関数を使って、トーンマッピングの様な効果を作ることが出来ます。\n3つのスライダーを使います: a) コントラストのスライダーはシグモイドの形状を変えることで強さを変えます。 b) しきい値(グレーポイント)のスライダーは、輝度に応じて作用を変えます。 c)ブレンドは画像の最終的なコントラストや輝度を変えます。 TP_LOCALLAB_SLOMASKCOL;スロープ TP_LOCALLAB_SLOMASK_TOOLTIP;ガンマとスロープを調整することで、不連続を避けるための“L”の漸進的修正により、アーティファクトの無いマスクの修正が出来ます TP_LOCALLAB_SLOSH;スロープ @@ -3313,10 +3308,10 @@ TP_LOCALLAB_SOFTRADIUSCOL_TOOLTIP;アーティファクトの発生を軽減す TP_LOCALLAB_SOFTRETI;ΔEアーティファクトの軽減 TP_LOCALLAB_SOFT_TOOLNAME;ソフトライト & 独自のレティネックス TP_LOCALLAB_SOURCE_ABS;絶対輝度 -TP_LOCALLAB_SOURCE_GRAY;値 +TP_LOCALLAB_SOURCE_GRAY;平均輝度(Y%) TP_LOCALLAB_SPECCASE;特有の設定 TP_LOCALLAB_SPECIAL;RGBカーブの特殊な利用 -TP_LOCALLAB_SPECIAL_TOOLTIP;チェックボックスに✔を入れると、他の全ての作用が取り除かれます。例えば、“スコープ”, マスク, スライダーなどの作用(境界を除きます) が除かれRGBトーンカーブの効果だけが使われます +TP_LOCALLAB_SPECIAL_TOOLTIP;チェックボックスに✔を入れると、他の全ての作用が取り除かれます。例えば、“スコープ”, マスク, スライダーなどの作用(境界を除きます) が除かれRGBトーンカーブの効果だけが使われます TP_LOCALLAB_SPOTNAME;新しいスポット TP_LOCALLAB_STD;標準 TP_LOCALLAB_STR;強さ @@ -3360,10 +3355,10 @@ TP_LOCALLAB_TOOLMASK_2;ウェーブレット TP_LOCALLAB_TOOLMASK_TOOLTIP;'機能としての構造のマスク'のオプションを有効にして、構造マスク(スライダー)を使う:この場合、構造を表示するマスクは、1回以上2つのカーブ、L(L)或いはLC(H)が変更された後に生成されます\nここで、'構造マスク'は他のマスクの様な機能を果たします:ガンマ、スロープなど\n画像の構造に応じてマスクの作用を変えられます。このオプションは'ΔE画像のマスク'と付随する'スコープ(Δ”画像のマスク)'に敏感に作用します TP_LOCALLAB_TRANSIT;境界の階調調整 TP_LOCALLAB_TRANSITGRAD;XY軸方向の境界の差別 -TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Y軸方向の作用の領域を変えることが出来ます +TP_LOCALLAB_TRANSITGRAD_TOOLTIP;Y軸方向の作用の領域を変えることが出来ます TP_LOCALLAB_TRANSITVALUE;境界値 TP_LOCALLAB_TRANSITWEAK;境界値の減衰(線形~Log) -TP_LOCALLAB_TRANSITWEAK_TOOLTIP;境界値の減衰を調節 : 処理の滑らかさを変える - 1 線形 - 2 パラボリック - 3~25乗\n非常に低い境界値と併せれば、CBDL、ウェーブレット、色と明るさを使った不良部分の補正に使うことが出来ます。 +TP_LOCALLAB_TRANSITWEAK_TOOLTIP;境界値の減衰を調節 : 処理の滑らかさを変える - 1 線形 - 2 パラボリック - 3~25乗\n非常に低い境界値と併せれば、CBDL、ウェーブレット、色と明るさを使った不良部分の補正に使うことが出来ます。 TP_LOCALLAB_TRANSIT_TOOLTIP;RT-スポットの中心円からフレームの間で作用が働く領域と作用が減衰する領域の境界を、中心円からフレームまでの%で調整します TP_LOCALLAB_TRANSMISSIONGAIN;透過のゲイン TP_LOCALLAB_TRANSMISSIONMAP;透過マップ @@ -3434,7 +3429,7 @@ TP_METADATA_MODE;メタデータ コピーモード TP_METADATA_STRIP;メタデータを全て取り除く TP_METADATA_TUNNEL;変更なしでコピー TP_NEUTRAL;リセット -TP_NEUTRAL_TOOLTIP;露光量補正のスライダー値をニュートラルにリセットします。\n自動露光補正の調整値ついても同様にリセットされます +TP_NEUTRAL_TIP;露光量補正のスライダー値をニュートラルにリセットします。\n自動露光補正の調整値ついても同様にリセットされます TP_PCVIGNETTE_FEATHER;フェザー TP_PCVIGNETTE_FEATHER_TOOLTIP;フェザー: 0=四隅だけ、50=中央までの半分、100=中央まで TP_PCVIGNETTE_LABEL;ビネットフィルター @@ -3544,34 +3539,34 @@ TP_RAW_LMMSE_TOOLTIP;ガンマ追加 (step 1) - メディアン追加 (step 2,3, TP_RAW_MONO;Mono TP_RAW_NONE;なし (センサーのパターンを表示) TP_RAW_PIXELSHIFT;ピクセルシフト -TP_RAW_PIXELSHIFTAVERAGE;ブレのある部分の平均を使う +TP_RAW_PIXELSHIFTAVERAGE;動体部分に平均を使う TP_RAW_PIXELSHIFTAVERAGE_TOOLTIP;ブレのある部分の特定のフレームを使う代わりに、全てのフレームの平均を使う\nブレの少ない(オーバーラップ)対象にブレの効果を施す -TP_RAW_PIXELSHIFTBLUR;ブレのマスクのぼかし -TP_RAW_PIXELSHIFTDMETHOD;ブレに対するデモザイクの方式 +TP_RAW_PIXELSHIFTBLUR;動体マスクのぼかし +TP_RAW_PIXELSHIFTDMETHOD;動体に対するデモザイクの方式 TP_RAW_PIXELSHIFTEPERISO;感度 TP_RAW_PIXELSHIFTEPERISO_TOOLTIP;通常のISOに関してはデフォルトの0で十分だと思われます。\n高いISOの場合は、振れの検知を良くするために設定値を上げます。\n少しづつ増加させ、振れのマスクの変化を見ます。 TP_RAW_PIXELSHIFTEQUALBRIGHT;構成画像の明るさを均等にする TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL;チャンネルごとに均等化 TP_RAW_PIXELSHIFTEQUALBRIGHTCHANNEL_TOOLTIP;有効:RGBの色チャンネルごとに均等化を行います。\n無効:全ての色チャンネルで同じように均等化を行います。 TP_RAW_PIXELSHIFTEQUALBRIGHT_TOOLTIP;選択した構成画像の明るさを他の構成画像の明るさに適用し均等化します。\n露出オーバーがある画像が発生する場合は、マゼンタ被りが起こるのを避けるために最も明るい画像を選択しないようにるいか、或いは振れの補正を有効にします。 -TP_RAW_PIXELSHIFTGREEN;ブレに関するグリーンチャンネルを確認 -TP_RAW_PIXELSHIFTHOLEFILL;ブレのマスクの穴を埋める -TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;ブレのマスクの穴を埋める -TP_RAW_PIXELSHIFTMEDIAN;ブレのある部分にはメディアンを使用 -TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;ブレのある領域に関しては、選択した画像ではなく全ての構成画像にメディアンを使います。\n全ての構成画像で異なる位置にある被写体は除きます。\n動きの遅い被写体(オーバーラッピング)にはブレの効果が出ます。 +TP_RAW_PIXELSHIFTGREEN;動体のグリーンチャンネルを確認 +TP_RAW_PIXELSHIFTHOLEFILL;動体のマスクのギャップを埋める +TP_RAW_PIXELSHIFTHOLEFILL_TOOLTIP;動体マスクのギャップ埋めて大きい領域全体がデモザイクされるようにします +TP_RAW_PIXELSHIFTMEDIAN;動体部分にメディアンを使用 +TP_RAW_PIXELSHIFTMEDIAN_TOOLTIP;動体部分に関しては、選択した画像ではなく全ての構成画像にメディアンを使います。\n全ての構成画像で異なる位置にある被写体は除きます。\n動きの遅い被写体(オーバーラッピング)にはブレの効果が出ます。 TP_RAW_PIXELSHIFTMM_AUTO;自動 TP_RAW_PIXELSHIFTMM_CUSTOM;カスタム TP_RAW_PIXELSHIFTMM_OFF;オフ -TP_RAW_PIXELSHIFTMOTIONMETHOD;ブレの補正 -TP_RAW_PIXELSHIFTNONGREENCROSS;ブレに関するレッド/ブルーのチャンネルを確認 -TP_RAW_PIXELSHIFTSHOWMOTION;ブレのマスクを含めて表示 -TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;ブレのマスクだけを表示 -TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;画像全体ではなくブレのマスクだけを表示します。 -TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;ブレのある画像部分をグリーンマスクを被せて表示します。 +TP_RAW_PIXELSHIFTMOTIONMETHOD;動体補正 +TP_RAW_PIXELSHIFTNONGREENCROSS;動体のレッド/ブルーのチャンネルを確認 +TP_RAW_PIXELSHIFTSHOWMOTION;動体マスクを含めて表示 +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY;動体マスクだけを表示 +TP_RAW_PIXELSHIFTSHOWMOTIONMASKONLY_TOOLTIP;画像全体ではなく動体マスクだけを表示します。 +TP_RAW_PIXELSHIFTSHOWMOTION_TOOLTIP;動体部分にグリーンのマスクを被せて表示します。 TP_RAW_PIXELSHIFTSIGMA;ぼかしの半径 TP_RAW_PIXELSHIFTSIGMA_TOOLTIP;デフォルトで設定している値1.0で基本的なISO値の画像には十分です。\nISO値の高い画像ではスライダーの値を増やします。5.0から始めるのがいいでしょう。\n設定値を変えながら振れマスクを見極めます。 TP_RAW_PIXELSHIFTSMOOTH;境界部分を滑らかにする -TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;これはブレのある領域とブレがない領域の境を滑らかに補正するものです。\n0に設定すると機能の働きはありません。\n1に設定すると、選択された構成画像にAMaZEかLMMSEが使われた結果が得られます("LMMSEを使う"というオプション次第)、或いは"メディアンを使う"が選択されていれば全ての構成画像にメディアンが使われます。 +TP_RAW_PIXELSHIFTSMOOTH_TOOLTIP;これは動体部分とそうでない部分の境を滑らかに補正するものです。\n0に設定すると機能の働きはありません。\n1に設定すると、選択された構成画像にAMaZEかLMMSEが使われた結果が得られます("LMMSEを使う"というオプション次第)、或いは"メディアンを使う"が選択されていれば全ての構成画像にメディアンが使われます。 TP_RAW_RCD;RCD TP_RAW_RCDBILINEAR;RCD+バイリニア補間 TP_RAW_RCDVNG4;RCD+VNG4 @@ -3847,7 +3842,7 @@ TP_WAVELET_DENCURV;カーブ TP_WAVELET_DENL;補正の構造 TP_WAVELET_DENLH;レベル1~4のガイド付きしきい値 TP_WAVELET_DENLOCAL_TOOLTIP;ローカルコントラストに応じてノイズ除去を行うためにカーブを使います\nノイズが除去される領域は構造が保たれます。 -TP_WAVELET_DENMIX_TOOLTIP;ローカルコントラストの参考値はガイド付きフィルタで使われます。\n画像次第で、ノイズのレベル計測がノイズ除去処理の前か後になるかで結果が変わります。これら4つの選択の中から、元画像と修正(ノイズ除去)画像の間で最も妥協できるものを選びます。 +TP_WAVELET_DENMIX_TOOLTIP;ローカルコントラストの基準値はガイド付きフィルタで使われます。\n画像次第で、ノイズのレベル計測がノイズ除去処理の前か後になるかで結果が変わります。これら4つの選択の中から、元画像と修正(ノイズ除去)画像の間で最も妥協できるものを選びます。 TP_WAVELET_DENOISE;ローカルコントラストをベースにしたガイド付きカーブ TP_WAVELET_DENOISEGUID;色相をベースにしたガイド付きしきい値 TP_WAVELET_DENOISEH;番手の高いレベルのカーブ ローカルコントラスト @@ -3930,7 +3925,7 @@ TP_WAVELET_MEDILEV;エッジ検出 TP_WAVELET_MEDILEV_TOOLTIP;エッジの検出を有効にした際には、次の操作が奨められます:\n- アーティファクト発生を避けるため低いレベルのコントラストを使わない\n- グラデーション感度では高い値を使う\n\n効果を和らげるには、ノイズ低減とリファインの’リファイン’を下げる TP_WAVELET_MERGEC;色調の融合 TP_WAVELET_MERGEL;輝度の融合 -TP_WAVELET_MIXCONTRAST;参考値 +TP_WAVELET_MIXCONTRAST;基準値 TP_WAVELET_MIXDENOISE;ノイズ除去 TP_WAVELET_MIXMIX;混成 50%ノイズ - 50%ノイズ除去 TP_WAVELET_MIXMIX70;混成 30%ノイズ - 70%ノイズ除去 @@ -3986,7 +3981,7 @@ TP_WAVELET_STRENGTH;強さ TP_WAVELET_SUPE;エキストラ TP_WAVELET_THR;シャドウのしきい値 TP_WAVELET_THRDEN_TOOLTIP;ローカルコントラストに応じたノイズ除去の目安に使うため、ステップカーブを作成します。ノイズ除去がコントラストの低い均一な画質部分に適用されます。詳細がある部分(コントラストが高い)は保持されます。 -TP_WAVELET_THREND;ローカルコントラストのしきい値 +TP_WAVELET_THREND;ローカルコントラストのしきい値 TP_WAVELET_THRESHOLD;調整レベル(小さいディテール) TP_WAVELET_THRESHOLD2;調整レベル(大きいディテール) TP_WAVELET_THRESHOLD2_TOOLTIP;設定値より上のレベルだけが、大きなディテールのレベルの輝度範囲で設定された条件で調整されます。 @@ -4074,10 +4069,4 @@ ZOOMPANEL_ZOOMOUT;ズームアウト\nショートカット: - ! Untranslated keys follow; remove the ! prefix after an entry is translated. !!!!!!!!!!!!!!!!!!!!!!!!! -!TC_PRIM_BLUX;Bx -!TC_PRIM_BLUY;By -!TC_PRIM_GREX;Gx -!TC_PRIM_GREY;Gy -!TC_PRIM_REDX;Rx -!TC_PRIM_REDY;Ry -!TP_LOCALLAB_LOGAUTOGRAYJZ_TOOLTIP;Automatically calculates the 'Mean luminance' for the scene conditions. +!TP_NEUTRAL_TOOLTIP;Resets exposure sliders to neutral values.\nApplies to the same controls that Auto Levels applies to, regardless of whether you used Auto Levels or not. From 11168aa6404b6db18c3b6e67ac12b47740369b6c Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Mon, 7 Nov 2022 09:35:59 +0100 Subject: [PATCH 132/170] Fix black level for Panasonic DC-G90/G95/G99 --- rtengine/camconst.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 2b243e04a..a2fa76806 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -2144,7 +2144,8 @@ Camera constants: { // Quality C "make_model": [ "Panasonic DC-G90", "Panasonic DC-G95", "Panasonic DC-G99" ], - "dcraw_matrix": [ 9657, -3963, -748, -3361, 11378, 2258, -568, 1414, 5158 ] // DNG + "dcraw_matrix": [ 9657, -3963, -748, -3361, 11378, 2258, -568, 1414, 5158 ], // DNG + "ranges": { "black": 15 } // see above: RT already reads a value from exif }, { // Quality C From 5fbdbcc758ead4614950429c274a52a2d7c2fa5d Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Tue, 15 Nov 2022 14:30:38 +0100 Subject: [PATCH 133/170] Bump release date to now --- RELEASE_NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index de50d7d7d..6a048975e 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,6 +1,6 @@ RAWTHERAPEE 5.9-rc1 RELEASE NOTES -This is Release Candidate 1 of RawTherapee 5.9, released on 2022-10-07. This is not the final release yet. +This is Release Candidate 1 of RawTherapee 5.9, released on 2022-11-15. This is not the final release yet. From 331b3af0e412fb39f51f789c86430aab7b230b35 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Wed, 16 Nov 2022 13:56:50 +0100 Subject: [PATCH 134/170] Bump release date to now, again --- RELEASE_NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index 6a048975e..0d44aeb59 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,6 +1,6 @@ RAWTHERAPEE 5.9-rc1 RELEASE NOTES -This is Release Candidate 1 of RawTherapee 5.9, released on 2022-11-15. This is not the final release yet. +This is Release Candidate 1 of RawTherapee 5.9, released on 2022-11-16. This is not the final release yet. From 32cc60a658d523f6b10629775c045eab240b8916 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Wed, 16 Nov 2022 19:41:46 +0100 Subject: [PATCH 135/170] Update appimage.yml --- .github/workflows/appimage.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index 4a853a5f6..7382a882e 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -3,6 +3,7 @@ on: push: branches: - dev + - releases tags: - '[0-9]+.*' pull_request: From ecb09ef13eb238f67fd4789a3f98982e2f5f1b94 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Wed, 16 Nov 2022 19:42:01 +0100 Subject: [PATCH 136/170] Update main.yml --- .github/workflows/main.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 1663e4051..1f8393e08 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -4,7 +4,7 @@ on: branches: - dev - patch** - - newlocallab + - releases pull_request: branches: - dev From 7635ac06f3aafed30e4304c5b6658a211c5bff81 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Wed, 16 Nov 2022 19:42:12 +0100 Subject: [PATCH 137/170] Update windows.yml --- .github/workflows/windows.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index e6c03a014..296037812 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -3,6 +3,7 @@ on: push: branches: - dev + - releases tags: - '[0-9]+.*' pull_request: From 33a4737c89d9b7450532908d5ef6477d47a5f08e Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Wed, 16 Nov 2022 19:43:52 +0100 Subject: [PATCH 138/170] Update appimage.yml Renamed to match others --- .github/workflows/appimage.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/appimage.yml b/.github/workflows/appimage.yml index 7382a882e..cc0d16b8f 100644 --- a/.github/workflows/appimage.yml +++ b/.github/workflows/appimage.yml @@ -1,4 +1,4 @@ -name: Build AppImage +name: AppImage Build on: push: branches: From 7057a70babe50f2a0b9679234d94acc8e1c154f2 Mon Sep 17 00:00:00 2001 From: Desmis Date: Mon, 21 Nov 2022 18:28:56 +0100 Subject: [PATCH 139/170] Try to fix bug when using CBDL main and Local Sharpening (#6611) * Work around to fix bug when using CBDL main and Local Sharpening * Optimization int replace by bool sharplablocal * Try to fix bug by using shardamping > 0 in LA --- rtengine/improccoordinator.cc | 9 +++++++++ rtengine/simpleprocess.cc | 8 ++++++++ 2 files changed, 17 insertions(+) diff --git a/rtengine/improccoordinator.cc b/rtengine/improccoordinator.cc index 9eb7043d1..8d377d30c 100644 --- a/rtengine/improccoordinator.cc +++ b/rtengine/improccoordinator.cc @@ -731,6 +731,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) // Remove transformation if unneeded bool needstransform = ipf.needsTransform(fw, fh, imgsrc->getRotateDegree(), imgsrc->getMetaData()); + if ((needstransform || ((todo & (M_TRANSFORM | M_RGBCURVE)) && params->dirpyrequalizer.cbdlMethod == "bef" && params->dirpyrequalizer.enabled && !params->colorappearance.enabled))) { // Forking the image assert(oprevi); @@ -745,6 +746,14 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) } } + for (int sp = 0; sp < (int)params->locallab.spots.size(); sp++) { + if(params->locallab.spots.at(sp).expsharp && params->dirpyrequalizer.cbdlMethod == "bef") { + if(params->locallab.spots.at(sp).shardamping < 1) { + params->locallab.spots.at(sp).shardamping = 1; + } + } + } + if ((todo & (M_TRANSFORM | M_RGBCURVE)) && params->dirpyrequalizer.cbdlMethod == "bef" && params->dirpyrequalizer.enabled && !params->colorappearance.enabled) { const int W = oprevi->getWidth(); const int H = oprevi->getHeight(); diff --git a/rtengine/simpleprocess.cc b/rtengine/simpleprocess.cc index 6e75635cf..c542cf726 100644 --- a/rtengine/simpleprocess.cc +++ b/rtengine/simpleprocess.cc @@ -924,6 +924,14 @@ private: //ImProcFunctions ipf (¶ms, true); ImProcFunctions &ipf = * (ipf_p.get()); + for (int sp = 0; sp < (int)params.locallab.spots.size(); sp++) { + if(params.locallab.spots.at(sp).expsharp && params.dirpyrequalizer.cbdlMethod == "bef") { + if(params.locallab.spots.at(sp).shardamping < 1) { + params.locallab.spots.at(sp).shardamping = 1; + } + } + } + if (params.dirpyrequalizer.cbdlMethod == "bef" && params.dirpyrequalizer.enabled && !params.colorappearance.enabled) { const int W = baseImg->getWidth(); const int H = baseImg->getHeight(); From ea437dc852405570213080e565703cdd451e2e00 Mon Sep 17 00:00:00 2001 From: Benitoite Date: Tue, 22 Nov 2022 02:08:18 -0800 Subject: [PATCH 140/170] mac: use Big Sur for the autobuild The *Catalina* image is now deprecated --- .github/workflows/main.yml | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 1f8393e08..9bf1d1cc1 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -8,13 +8,12 @@ on: pull_request: branches: - dev - - newlocallab release: types: - created jobs: build: - runs-on: macos-10.15 + runs-on: macos-11 steps: - uses: actions/checkout@v2 - name: Install dependencies From 239dec3124bf92fe9e2d951fc7269fec89fa9040 Mon Sep 17 00:00:00 2001 From: Benitoite Date: Tue, 22 Nov 2022 02:54:06 -0800 Subject: [PATCH 141/170] mac: list a dir --- .github/workflows/main.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 9bf1d1cc1..5d3e989d3 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -64,6 +64,7 @@ jobs: -DCMAKE_RANLIB=/usr/bin/ranlib \ -DCMAKE_OSX_DEPLOYMENT_TARGET=10.15 \ .. + ls /usr/local/lib zsh -c 'echo "Configured in $(printf "%0.2f" $(($[$(date +%s)-$(cat configstamp)]/$((60.))))) minutes"' - name: Compile RawTherapee run: | From 43c8544b1f0a8a1db1eb52d41ebe54cab5fe162f Mon Sep 17 00:00:00 2001 From: Benitoite Date: Tue, 22 Nov 2022 03:05:13 -0800 Subject: [PATCH 142/170] mac: brew install llvm instead of libomp --- .github/workflows/main.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 5d3e989d3..83d8aa3a9 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -22,7 +22,7 @@ jobs: mkdir build date +%s > build/stamp brew uninstall --ignore-dependencies libtiff - brew install libtiff gtk+3 gtkmm3 gtk-mac-integration adwaita-icon-theme libsigc++@2 little-cms2 libiptcdata fftw lensfun expat pkgconfig libomp shared-mime-info | tee -a depslog + brew install libtiff gtk+3 gtkmm3 gtk-mac-integration adwaita-icon-theme libsigc++@2 little-cms2 libiptcdata fftw lensfun expat pkgconfig llvm shared-mime-info | tee -a depslog date -u echo "----====Pourage====----" cat depslog | grep Pouring From 1a9b5cfacd137b4ad967317de0512042869d5175 Mon Sep 17 00:00:00 2001 From: Benitoite Date: Tue, 22 Nov 2022 03:17:57 -0800 Subject: [PATCH 143/170] mac: install libomp11 --- .github/workflows/main.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 83d8aa3a9..95b46f004 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -64,7 +64,7 @@ jobs: -DCMAKE_RANLIB=/usr/bin/ranlib \ -DCMAKE_OSX_DEPLOYMENT_TARGET=10.15 \ .. - ls /usr/local/lib + curl -L https://github.com/Homebrew/homebrew-core/raw/679923b4eb48a8dc7ecc1f05d06063cd79b3fc00/Formula/libomp.rb -o libomp.rb && brew install libomp.rb zsh -c 'echo "Configured in $(printf "%0.2f" $(($[$(date +%s)-$(cat configstamp)]/$((60.))))) minutes"' - name: Compile RawTherapee run: | From 255dc1384373ac4bdcf7cb4c7fdbf10578f84c9c Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Thu, 24 Nov 2022 13:09:30 -0800 Subject: [PATCH 144/170] Add Lensfun DB lookup fallback directory Load from the bundled database directory if loading from the configured location fails. --- rtengine/init.cc | 14 ++++++++++++-- rtengine/settings.h | 1 + rtgui/main-cli.cc | 2 ++ rtgui/main.cc | 2 ++ 4 files changed, 17 insertions(+), 2 deletions(-) diff --git a/rtengine/init.cc b/rtengine/init.cc index ff29c3476..4ec3f0ec5 100644 --- a/rtengine/init.cc +++ b/rtengine/init.cc @@ -58,10 +58,20 @@ int init (const Settings* s, const Glib::ustring& baseDir, const Glib::ustring& #pragma omp section #endif { + bool ok; + if (s->lensfunDbDirectory.empty() || Glib::path_is_absolute(s->lensfunDbDirectory)) { - LFDatabase::init(s->lensfunDbDirectory); + ok = LFDatabase::init(s->lensfunDbDirectory); } else { - LFDatabase::init(Glib::build_filename(baseDir, s->lensfunDbDirectory)); + ok = LFDatabase::init(Glib::build_filename(baseDir, s->lensfunDbDirectory)); + } + + if (!ok && !s->lensfunDbBundleDirectory.empty() && s->lensfunDbBundleDirectory != s->lensfunDbDirectory) { + if (Glib::path_is_absolute(s->lensfunDbBundleDirectory)) { + LFDatabase::init(s->lensfunDbBundleDirectory); + } else { + LFDatabase::init(Glib::build_filename(baseDir, s->lensfunDbBundleDirectory)); + } } } #ifdef _OPENMP diff --git a/rtengine/settings.h b/rtengine/settings.h index bc49a2281..1c8c73630 100644 --- a/rtengine/settings.h +++ b/rtengine/settings.h @@ -83,6 +83,7 @@ public: double level0_cbdl; double level123_cbdl; Glib::ustring lensfunDbDirectory; // The directory containing the lensfun database. If empty, the system defaults will be used, as described in https://lensfun.github.io/manual/latest/dbsearch.html + Glib::ustring lensfunDbBundleDirectory; int cropsleep; double reduchigh; double reduclow; diff --git a/rtgui/main-cli.cc b/rtgui/main-cli.cc index feef93564..8375ffe8b 100644 --- a/rtgui/main-cli.cc +++ b/rtgui/main-cli.cc @@ -148,12 +148,14 @@ int main (int argc, char **argv) } options.rtSettings.lensfunDbDirectory = LENSFUN_DB_PATH; + options.rtSettings.lensfunDbBundleDirectory = LENSFUN_DB_PATH; #else argv0 = DATA_SEARCH_PATH; creditsPath = CREDITS_SEARCH_PATH; licensePath = LICENCE_SEARCH_PATH; options.rtSettings.lensfunDbDirectory = LENSFUN_DB_PATH; + options.rtSettings.lensfunDbBundleDirectory = LENSFUN_DB_PATH; #endif bool quickstart = dontLoadCache (argc, argv); diff --git a/rtgui/main.cc b/rtgui/main.cc index 9f623a6df..30e2d7da6 100644 --- a/rtgui/main.cc +++ b/rtgui/main.cc @@ -425,12 +425,14 @@ int main (int argc, char **argv) } options.rtSettings.lensfunDbDirectory = LENSFUN_DB_PATH; + options.rtSettings.lensfunDbBundleDirectory = LENSFUN_DB_PATH; #else argv0 = DATA_SEARCH_PATH; creditsPath = CREDITS_SEARCH_PATH; licensePath = LICENCE_SEARCH_PATH; options.rtSettings.lensfunDbDirectory = LENSFUN_DB_PATH; + options.rtSettings.lensfunDbBundleDirectory = LENSFUN_DB_PATH; #endif #ifdef WIN32 From 2978a2a15b80bd083b05c5377840179f82f985ca Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Sun, 27 Nov 2022 18:50:01 +0100 Subject: [PATCH 145/170] Update main.yml Added workflow_dispatch: to allow triggering workflow manually --- .github/workflows/main.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 95b46f004..3607e3e56 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -11,6 +11,7 @@ on: release: types: - created + workflow_dispatch: jobs: build: runs-on: macos-11 From 9b85839884f920de0c7cd3a150f865f3c5e47732 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Sun, 27 Nov 2022 19:04:23 +0100 Subject: [PATCH 146/170] Preparing for release 5.9 --- RELEASE_NOTES.txt | 4 +- com.rawtherapee.RawTherapee.appdata.xml | 1 + rtdata/images/svg/splash.svg | 95 ++++--------------- rtdata/images/svg/splash_template.svg | 119 ++++++++++++++---------- 4 files changed, 90 insertions(+), 129 deletions(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index 0d44aeb59..3b647d0ce 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,6 +1,6 @@ -RAWTHERAPEE 5.9-rc1 RELEASE NOTES +RAWTHERAPEE 5.9 RELEASE NOTES -This is Release Candidate 1 of RawTherapee 5.9, released on 2022-11-16. This is not the final release yet. +This is RawTherapee 5.9, released on 2022-11-27. diff --git a/com.rawtherapee.RawTherapee.appdata.xml b/com.rawtherapee.RawTherapee.appdata.xml index f7d588684..7e4c0b3a5 100644 --- a/com.rawtherapee.RawTherapee.appdata.xml +++ b/com.rawtherapee.RawTherapee.appdata.xml @@ -22,6 +22,7 @@ https://rawpedia.rawtherapee.com/Main_Page#Localization rawtherapee.desktop + diff --git a/rtdata/images/svg/splash.svg b/rtdata/images/svg/splash.svg index 4695d9bc6..c85abf034 100644 --- a/rtdata/images/svg/splash.svg +++ b/rtdata/images/svg/splash.svg @@ -945,8 +945,8 @@ inkscape:pageopacity="0.0" inkscape:pageshadow="2" inkscape:zoom="4.7333958" - inkscape:cx="369.07963" - inkscape:cy="211.15918" + inkscape:cx="369.07964" + inkscape:cy="211.15919" inkscape:document-units="px" inkscape:current-layer="layer2" showgrid="false" @@ -991,7 +991,24 @@ RawTherapee splash screen + + + + + + + + + - - - - - - - - - - - - - - - - - - - diff --git a/rtdata/images/svg/splash_template.svg b/rtdata/images/svg/splash_template.svg index e9f67ff92..8f1e52eb0 100644 --- a/rtdata/images/svg/splash_template.svg +++ b/rtdata/images/svg/splash_template.svg @@ -151,10 +151,10 @@ style="stop-color:#feab27;stop-opacity:1;" /> RawTherapee splash screen + + + + + + + + + PrerequisitesPrerequisites + id="tspan706"> Obtain and install the font family ITC Eras Std. + id="tspan710">Obtain and install the font family ITC Eras Std. + id="tspan714"> DetailsDetails + id="tspan720"> The color wheel is copied from rt-logo.svg and a glow filter is added + id="tspan724">The color wheel is copied from rt-logo.svg and a glow filter is added to each segment and the wheel as a whole. + id="tspan728">to each segment and the wheel as a whole. "Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing + id="tspan732">"Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing "Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing + id="tspan736">"Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing Version (big number): ITC Eras Bold, 58 pt, skewed -3° + id="tspan740">Version (big number): ITC Eras Bold, 58 pt, skewed -3° Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° + id="tspan744">Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan748">Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan752"> PublishingPublishing + id="tspan758"> 1. To prepare a splash screen for deployment, select all text and 1. To prepare a splash screen for deployment, select all text and choose choose Path > Object to Path. + id="tspan768">Path > Object to Path. 2. Change release type text to whatever is required, or hide the layer 2. Change release type text to whatever is required, or hide the layer "Release type" entirely. + id="tspan776">"Release type" entirely. 3. Remove this text field. + id="tspan780">3. Remove this text field. 44. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan786">. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan790"> RawTherapee splash screen design 1.5 (March 2022) + id="tspan794">RawTherapee splash screen design 1.5 (March 2022) www.rawtherapee.com + id="tspan798">www.rawtherapee.com Date: Sun, 27 Nov 2022 20:29:39 +0100 Subject: [PATCH 147/170] Preparing to merge back to dev --- RELEASE_NOTES.txt | 165 +----- rtdata/images/svg/splash.svg | 783 ++++++++++---------------- rtdata/images/svg/splash_template.svg | 131 +++-- 3 files changed, 379 insertions(+), 700 deletions(-) diff --git a/RELEASE_NOTES.txt b/RELEASE_NOTES.txt index 3b647d0ce..510847c8a 100644 --- a/RELEASE_NOTES.txt +++ b/RELEASE_NOTES.txt @@ -1,6 +1,6 @@ -RAWTHERAPEE 5.9 RELEASE NOTES +RAWTHERAPEE 5.9-dev RELEASE NOTES -This is RawTherapee 5.9, released on 2022-11-27. +This is a development version of RawTherapee. We update the code almost daily. Every few months, once enough changes have accumulated and the code is stabilized, we make a new official release. Every code change between these releases is known as a "development" version, and this is one of them. @@ -22,169 +22,18 @@ In order to use RawTherapee efficiently you should know that: -NEW FEATURES SINCE 5.8 +NEW FEATURES SINCE 5.9 -- The Spot Removal tool (Detail tab) was added, for removing dust specks and small objects. -- The Color Appearance & Lighting tool (Advanced tab), formerly known as CIECAM02, now includes CAM16. By taking into account the conditions of the photographed scene and the conditions under which the image is viewed, it allows you to adjust the image in a way which matches human color perception. -- The Local Adjustments tool (Local tab) was added, for performing a wide range of operations on an area of the image determined by its geometry or color. -- The Wavelet Levels tool (Advanced tab) received various improvements. -- The White Balance tool (Color tab) received a new automatic white balance method named "temperature correlation" (the old one was renamed to "RGB grey"). -- The Film Negative tool (Color tab) received various improvements including support for non-raw files. -- The Preprocess White Balance tool (Raw tab) was added, allowing you to specify whether channels should be balanced automatically or whether the white balance values recorded by the camera should be used instead. -- A new Perspective Correction tool (Transform tab) was added which includes an automated perspective correction feature. -- The Main Histogram was improved with new modes: waveform, vectorscope and RGB parade. -- Improvements to the Inspect feature (File Browser tab). -- New dual-demosaicing methods in the Demosaicing tool (Raw tab). -- The Haze Removal tool (Detail tab) received a saturation adjuster. -- The RawTherapee theme was improved, including changes to make it easier to see which tools are enabled. -- The Navigator (Editor tab) can now be resized. -- The Resize tool (Transform tab) now allows to resize by the long or short edge. -- The Crop tool (Transform tab) received a "centered square" crop guide, useful when the resulting non-square image will also be used on social media which crop to a square format. -- The Pixel Shift demosaicing method (Raw tab) now allows using an average of all frames for regions with motion. +- TODO - Added or improved support for cameras, raw formats and color profiles: - - Canon EOS 100D / Rebel SL1 / Kiss X7 - - Canon EOS 1DX Mark III - - Canon EOS 2000D / Rebel T7 / Kiss X90 - - Canon EOS 400D DIGITAL - - Canon EOS 5D Mark II - - Canon EOS 5D Mark IV (DCP) - - Canon EOS 90D (DCP) - - Canon EOS M6 Mark II (DCP) - - Canon EOS R (DCP) - - Canon EOS R3, R7 and R10 - - Canon EOS R5 (DCP) - - Canon EOS R6 (DCP) - - Canon EOS RP - - Canon EOS-1D Mark III - - Canon EOS-1Ds - - Canon EOS-1Ds Mark II - - Canon PowerShot G1 X Mark II (DCP) - - Canon PowerShot G9 X Mark II - - Canon PowerShot S120 (DCP) - - Canon PowerShot SX50 HS - - Canon PowerShot SX70 HS - - DJI FC3170 - - FUJIFILM X-A5 (DCP) - - FUJIFILM X-E4 - - FUJIFILM X-H1 (DCP) - - FUJIFILM X-PRO2 - - FUJIFILM X-PRO3 (DCP) - - FUJIFILM X-S10 - - FUJIFILM X-T1 - - FUJIFILM X-T100 - - FUJIFILM X-T2 - - FUJIFILM X-T3 (DCP) - - FUJIFILM X-T30 - - FUJIFILM X-T4 - - FUJIFILM X100V - - Fujifilm GFX 100 - - Fujifilm GFX100S though lossy compression and alternative crop modes (e.g. 4:3) are not supported yet - - Fujifilm X-A20 - - Fujifilm X-T4 - - HASSELBLAD NEX-7 (Lunar) - - Hasselblad L1D-20c (DJI Mavic 2 Pro) - - Improved support for the Canon CR3 raw format, added support for compressed files, affects Canon EOS M50, R, R5, R6 and 1D X Mark III, etc. - - LEICA C-LUX - - LEICA CAM-DC25 - - LEICA D-LUX 7 - - LEICA M8 - - LEICA V-LUX 5 - - Leica SL2-S - - NIKON COOLPIX P1000 - - NIKON D500 (DCP) - - NIKON D5300 (DCP) - - NIKON D610 (DCP) - - NIKON D7100 (DCP) - - NIKON D7500 (DCP) - - NIKON D800 (DCP) - - NIKON D850 (DCP) - - NIKON Z 6 (DCP) - - NIKON Z 7 (DCP) - - Nikon 1 J4 - - Nikon COOLPIX P950 - - Nikon D2Hs - - Nikon D2Xs - - Nikon D300s - - Nikon D3500 - - Nikon D5100 - - Nikon D6 - - Nikon D70s - - Nikon D780 - - Nikon D810A - - Nikon Z 5 - - Nikon Z 50 (DCP) - - Nikon Z 6II - - Nikon Z 7II - - Nikon Z fc - - OLYMPUS E-M10 Mark IV - - OLYMPUS E-M1 Mark III - - OLYMPUS E-M1X - - OLYMPUS E-M5 Mark II (DCP) - - OLYMPUS E-M5 Mark III - - OLYMPUS E-PL10 - - OLYMPUS E-PL9 - - OLYMPUS Stylus 1 - - OLYMPUS Stylus 1s - - OLYMPUS TG-6 - - PENTAX K-50 (DCP) - - PENTAX K10D - - Panasonic DC-FZ1000M2 - - Panasonic DC-FZ80 - - Panasonic DC-FZ81 - - Panasonic DC-FZ82 - - Panasonic DC-FZ83 - - Panasonic DC-G100 - - Panasonic DC-G110 - - Panasonic DC-G90 - - Panasonic DC-G95 - - Panasonic DC-G99 - - Panasonic DC-S1H - - Panasonic DC-S5 (DCP) - - Panasonic DC-TZ95 - - Panasonic DC-ZS80 - - Panasonic DMC-TZ80 - - Panasonic DMC-TZ85 - - Panasonic DMC-ZS60 - - RICOH PENTAX K-1 Mark II - - RICOH PENTAX K-3 Mark III - - SONY ILCE-9 (DCP) - - SONY NEX-7 - - Samsung Galaxy S7 - - Sigma fp - - Sony DCZV1B - - Sony DSC-HX95 - - Sony DSC-HX99 - - Sony DSC-RX0 - - Sony DSC-RX0M2 - - Sony DSC-RX100 - - Sony DSC-RX100M5A - - Sony DSC-RX100M6 - - Sony DSC-RX100M7 - - Sony DSC-RX10M2 - - Sony DSC-RX10M3 - - Sony DSC-RX10M4 - - Sony DSC-RX1R - - Sony ILCE-1 - - Sony ILCE-6100 - - Sony ILCE-6400 (DCP) - - Sony ILCE-6600 (DCP) - - Sony ILCE-7C - - Sony ILCE-7M3 - - Sony ILCE-7M4 - - Sony ILCE-7RM4 (DCP) - - Sony ILCE-7SM3 - - Sony ILCE-9M2 - - Sony NEX-F3 - - Sony SLT-A99V + - TODO NEWS RELEVANT TO PACKAGE MAINTAINERS -New since 5.8: -- Automated build system moved from Travis CI to GitHub Actions: - https://github.com/Beep6581/RawTherapee/actions -- libcanberra made optional in CMake via USE_LIBCANBERRA, default ON. +New since 5.9: +- TODO In general: - To get the source code, either clone from git or use the tarball from https://rawtherapee.com/shared/source/ . Do not use the auto-generated GitHub release tarballs. diff --git a/rtdata/images/svg/splash.svg b/rtdata/images/svg/splash.svg index c85abf034..a840aac4d 100644 --- a/rtdata/images/svg/splash.svg +++ b/rtdata/images/svg/splash.svg @@ -13,6 +13,7 @@ inkscape:export-xdpi="96" inkscape:export-ydpi="96" enable-background="new" + xml:space="preserve" xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" xmlns:xlink="http://www.w3.org/1999/xlink" @@ -20,137 +21,92 @@ xmlns:svg="http://www.w3.org/2000/svg" xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" xmlns:cc="http://creativecommons.org/ns#" - xmlns:dc="http://purl.org/dc/elements/1.1/"> - RawTherapee splash screen - - RawTherapee splash screen - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - RawTherapee splash screen - - - - - - - - - - - - - RawTherapee splash screen - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + id="path1890" /> diff --git a/rtdata/images/svg/splash_template.svg b/rtdata/images/svg/splash_template.svg index 8f1e52eb0..f5424e7cc 100644 --- a/rtdata/images/svg/splash_template.svg +++ b/rtdata/images/svg/splash_template.svg @@ -882,9 +882,9 @@ borderopacity="1.0" inkscape:pageopacity="0.0" inkscape:pageshadow="2" - inkscape:zoom="2.6078167" - inkscape:cx="546.43411" - inkscape:cy="219.91576" + inkscape:zoom="2.6083441" + inkscape:cx="546.32363" + inkscape:cy="219.8713" inkscape:document-units="px" inkscape:current-layer="layer1" showgrid="false" @@ -922,7 +922,22 @@ fit-margin-bottom="0" width="157.40977mm" inkscape:showpageshadow="2" - inkscape:deskcolor="#d1d1d1" /> + inkscape:deskcolor="#d1d1d1"> + + + @@ -1157,162 +1172,162 @@ xml:space="preserve" style="font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:4.23333px;line-height:1.25;font-family:'Eras BQ';-inkscape-font-specification:'Eras BQ';letter-spacing:0px;word-spacing:-0.132292px;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0.0495763px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;filter:url(#filter4749);enable-background:new" x="5.3633847" - y="277.27142" + y="277.12344" id="text45159">GNU GPLv3 + y="277.12344">GNU GPLv3 + style="font-size:21.3333px;line-height:1.25;font-family:'Eras BQ';-inkscape-font-specification:'Eras BQ';white-space:pre;shape-inside:url(#rect181038);display:inline" /> PrerequisitesPrerequisites + id="tspan17771"> Obtain and install the font family ITC Eras Std. + id="tspan17775">Obtain and install the font family ITC Eras Std. + id="tspan17779"> DetailsDetails + id="tspan17785"> The color wheel is copied from rt-logo.svg and a glow filter is added + id="tspan17789">The color wheel is copied from rt-logo.svg and a glow filter is added to each segment and the wheel as a whole. + id="tspan17793">to each segment and the wheel as a whole. "Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing + id="tspan17797">"Raw": font ITC Eras Ultra-Bold, 60 pt, -3 px letter spacing "Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing + id="tspan17801">"Therapee": font ITC Eras Medium, 60 pt, +1,5 pt letter spacing Version (big number): ITC Eras Bold, 58 pt, skewed -3° + id="tspan17805">Version (big number): ITC Eras Bold, 58 pt, skewed -3° Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° + id="tspan17809">Version (period + small number): ITC Eras Bold, 34 pt, skewed -3° Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan17813">Release-type: ITC Eras Bold, 16 pt, skewed -3° + id="tspan17817"> PublishingPublishing + id="tspan17823"> 1. To prepare a splash screen for deployment, select all text and 1. To prepare a splash screen for deployment, select all text and choose choose Path > Object to Path. + id="tspan17833">Path > Object to Path. 2. Change release type text to whatever is required, or hide the layer 2. Change release type text to whatever is required, or hide the layer "Release type" entirely. + id="tspan17841">"Release type" entirely. 3. Remove this text field. + id="tspan17845">3. Remove this text field. 44. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan17851">. Save as "splash.svg" into "./rtdata/images/svg". + id="tspan17855"> RawTherapee splash screen design 1.5 (March 2022) + id="tspan17859">RawTherapee splash screen design 1.5 (March 2022) www.rawtherapee.com + id="tspan17863">www.rawtherapee.com Date: Sun, 27 Nov 2022 20:42:05 +0100 Subject: [PATCH 148/170] Update and rename main.yml to macos.yml Renamed main.yml to macos.yml and updated "on" section to match other workflows. --- .github/workflows/{main.yml => macos.yml} | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) rename .github/workflows/{main.yml => macos.yml} (98%) diff --git a/.github/workflows/main.yml b/.github/workflows/macos.yml similarity index 98% rename from .github/workflows/main.yml rename to .github/workflows/macos.yml index 3607e3e56..90dd1618e 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/macos.yml @@ -1,16 +1,14 @@ -name: macOS build +name: macOS Build on: push: branches: - dev - - patch** - releases + tags: + - '[0-9]+.*' pull_request: branches: - dev - release: - types: - - created workflow_dispatch: jobs: build: From 6aa4c870e0d0199e8c058f19f16f950808f6a249 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Sun, 27 Nov 2022 21:34:20 +0100 Subject: [PATCH 149/170] Update macos.yml Automatically publish macOS builds in tag nightly-github-actions --- .github/workflows/macos.yml | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/.github/workflows/macos.yml b/.github/workflows/macos.yml index 90dd1618e..11ae28aa4 100644 --- a/.github/workflows/macos.yml +++ b/.github/workflows/macos.yml @@ -84,6 +84,12 @@ jobs: echo "ARTIFACT_PATH=${GITHUB_WORKSPACE}/build/${ARTIFACT}" >> $GITHUB_ENV echo "ARTIFACT_FILE=${ARTIFACT}" >> $GITHUB_ENV zsh -c 'echo "Bundled in $(printf "%0.2f" $(($[$(date +%s)-$(cat bundlestamp)]/$((60.))))) minutes"' + printf '%s\n' \ + "REF: ${REF}" \ + "ARTIFACT: ${ARTIFACT}" \ + "ARTIFACT_PATH: ${ARTIFACT_PATH}" \ + "ARTIFACT_FILE: ${ARTIFACT_FILE}" \ + "PUBLISH_NAME: ${PUBLISH_NAME}" exit - uses: actions/upload-artifact@v2 with: @@ -93,3 +99,11 @@ jobs: run: | date -u zsh -c 'echo "Build completed in $(printf "%0.2f" $(($[$(date +%s)-$(cat build/stamp)]/$((60.))))) minutes"' + + - name: Publish artifacts + uses: softprops/action-gh-release@v1 + if: ${{github.ref_type == 'tag' || github.ref_name == 'dev'}} + with: + tag_name: nightly-github-actions + files: | + ${{env.ARTIFACT_PATH}} From 9b79c241d7fe94247a15405b4ba7938830495cc4 Mon Sep 17 00:00:00 2001 From: Desmis Date: Wed, 30 Nov 2022 19:14:40 +0100 Subject: [PATCH 150/170] Improves sharp in LA to avoid long processing if user chooses fullimage (#6616) --- rtengine/iplocallab.cc | 47 +++++++++++++++++++++++++----------------- 1 file changed, 28 insertions(+), 19 deletions(-) diff --git a/rtengine/iplocallab.cc b/rtengine/iplocallab.cc index 9272c2c69..62f211ae6 100644 --- a/rtengine/iplocallab.cc +++ b/rtengine/iplocallab.cc @@ -16793,23 +16793,36 @@ void ImProcFunctions::Lab_Local( if (!lp.invshar && lp.shrad > 0.42 && call < 3 && lp.sharpena && sk == 1) { //interior ellipse for sharpening, call = 1 and 2 only with Dcrop and simpleprocess int bfh = call == 2 ? int (lp.ly + lp.lyT) + del : original->H; //bfw bfh real size of square zone int bfw = call == 2 ? int (lp.lx + lp.lxL) + del : original->W; - JaggedArray loctemp(bfw, bfh); if (call == 2) { //call from simpleprocess - // printf("bfw=%i bfh=%i\n", bfw, bfh); if (bfw < mSPsharp || bfh < mSPsharp) { printf("too small RT-spot - minimum size 39 * 39\n"); return; } - JaggedArray bufsh(bfw, bfh, true); - JaggedArray hbuffer(bfw, bfh); int begy = lp.yc - lp.lyT; int begx = lp.xc - lp.lxL; int yEn = lp.yc + lp.ly; int xEn = lp.xc + lp.lx; + if(lp.fullim == 2) {//limit sharpening to image dimension...no more...to avoid a long treatment + begy = 0; + begx = 0; + yEn = original->H; + xEn = original->W; + lp.lxL = lp.xc; + lp.lyT = lp.yc; + lp.ly = yEn - lp.yc; + lp.lx = xEn - lp.xc; + bfh= yEn; + bfw = xEn; + } + //printf("begy=%i begx=%i yen=%i xen=%i\n", begy, begx, yEn, xEn); + JaggedArray bufsh(bfw, bfh, true); + JaggedArray hbuffer(bfw, bfh); + JaggedArray loctemp2(bfw, bfh); + #ifdef _OPENMP #pragma omp parallel for schedule(dynamic,16) if (multiThread) #endif @@ -16846,9 +16859,8 @@ void ImProcFunctions::Lab_Local( } - - //sharpen only square area instead of all image - ImProcFunctions::deconvsharpeningloc(bufsh, hbuffer, bfw, bfh, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, 1); + //sharpen only square area instead of all image, but limited to image dimensions (full image) + ImProcFunctions::deconvsharpeningloc(bufsh, hbuffer, bfw, bfh, loctemp2, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, 1); /* float gamma = params->locallab.spots.at(sp).shargam; double pwr = 1.0 / (double) gamma;//default 3.0 - gamma Lab @@ -16864,20 +16876,20 @@ void ImProcFunctions::Lab_Local( #ifdef __SSE2__ for (; x < bfw - 3; x += 4) { STVFU(bufsh[y][x], F2V(32768.f) * gammalog(LVFU(bufsh[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); - STVFU(loctemp[y][x], F2V(32768.f) * gammalog(LVFU(loctemp[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); + STVFU(loctemp2[y][x], F2V(32768.f) * gammalog(LVFU(loctemp2[y][x]) / F2V(32768.f), F2V(gamma1), F2V(ts1), F2V(g_a[3]), F2V(g_a[4]))); } #endif for (; x < bfw; ++x) { bufsh[y][x] = 32768.f * gammalog(bufsh[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); - loctemp[y][x] = 32768.f * gammalog(loctemp[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); + loctemp2[y][x] = 32768.f * gammalog(loctemp2[y][x] / 32768.f, gamma1, ts1, g_a[3], g_a[4]); } } } - - - - + //sharpen simpleprocess + Sharp_Local(call, loctemp2, 0, hueref, chromaref, lumaref, lp, original, transformed, cx, cy, sk); } else { //call from dcrop.cc + JaggedArray loctemp(bfw, bfh); + float gamma1 = params->locallab.spots.at(sp).shargam; rtengine::GammaValues g_a; //gamma parameters double pwr1 = 1.0 / (double) gamma1;//default 3.0 - gamma Lab @@ -16926,13 +16938,11 @@ void ImProcFunctions::Lab_Local( } } } - - + //sharpen dcrop + Sharp_Local(call, loctemp, 0, hueref, chromaref, lumaref, lp, original, transformed, cx, cy, sk); } - //sharpen ellipse and transition - Sharp_Local(call, loctemp, 0, hueref, chromaref, lumaref, lp, original, transformed, cx, cy, sk); - + if (lp.recur) { original->CopyFrom(transformed, multiThread); float avge; @@ -16967,7 +16977,6 @@ void ImProcFunctions::Lab_Local( } - ImProcFunctions::deconvsharpeningloc(original->L, shbuffer, GW, GH, loctemp, params->locallab.spots.at(sp).shardamping, (double)params->locallab.spots.at(sp).sharradius, params->locallab.spots.at(sp).shariter, params->locallab.spots.at(sp).sharamount, params->locallab.spots.at(sp).sharcontrast, (double)params->locallab.spots.at(sp).sharblur, sk); /* float gamma = params->locallab.spots.at(sp).shargam; From 7b51a079cd489a2be78a72a129785e0e44b6b43c Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Fri, 2 Dec 2022 10:03:19 +0100 Subject: [PATCH 151/170] Basic support for Fujifilm X-T5 and X-H2 Closes #6624 --- rtengine/camconst.json | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index a2fa76806..189d8f3f4 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1543,6 +1543,12 @@ Camera constants: "ranges": { "white": 4040 } }, + { // Quality B + "make_model": [ "FUJIFILM X-T5", "FUJIFILM X-H2" ], + "dcraw_matrix": [ 11809, -5358, -1141, -4248, 12164, 2343, -514, 1097, 5848 ], // RawSpeed / DNG + "raw_crop": [ 0, 5, 7752, 5184 ] + }, + { // Quality C, Leica C-Lux names can differ? "make_model" : [ "LEICA C-LUX", "LEICA CAM-DC25" ], "dcraw_matrix" : [7790, -2736, -755, -3452, 11870, 1769, -628, 1647, 4898] From abbdbe81bce66f48f97f227f566f493ea3725479 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Alvaro=20Mu=C3=B1oz?= Date: Fri, 2 Dec 2022 13:23:34 +0100 Subject: [PATCH 152/170] Add CodeQL workflow --- .github/workflows/codeql.yml | 89 ++++++++++++++++++++++++++++++++++++ 1 file changed, 89 insertions(+) create mode 100644 .github/workflows/codeql.yml diff --git a/.github/workflows/codeql.yml b/.github/workflows/codeql.yml new file mode 100644 index 000000000..b90d30e27 --- /dev/null +++ b/.github/workflows/codeql.yml @@ -0,0 +1,89 @@ +name: "CodeQL" + +on: + push: + branches: [ 'dev' ] + pull_request: + # The branches below must be a subset of the branches above + branches: [ 'dev' ] + schedule: + - cron: '56 5 * * 1' + +jobs: + analyze: + name: Analyze + runs-on: ubuntu-latest + permissions: + actions: read + contents: read + security-events: write + + strategy: + fail-fast: false + matrix: + build_type: [release] + language: [ 'cpp', 'python' ] + + steps: + - name: Checkout source + uses: actions/checkout@v2 + with: + fetch-depth: 0 + + - name: Install dependencies + run: | + echo "Running apt update." + sudo apt update + echo "Installing dependencies with apt." + DEBIAN_FRONTEND=noninteractive sudo apt install -y cmake libgtk-3-dev libgtkmm-3.0-dev liblensfun-dev librsvg2-dev liblcms2-dev libfftw3-dev libiptcdata0-dev libtiff5-dev libcanberra-gtk3-dev liblensfun-bin + + - name: Configure build + run: | + export REF_NAME_FILTERED="$(echo '${{github.ref_name}}' | sed 's/[^A-z0-9_.-]//g')" + echo "Setting cache suffix." + if [ '${{github.ref_type}}' == 'tag' ]; then + export CACHE_SUFFIX="" + else + export CACHE_SUFFIX="5-$REF_NAME_FILTERED" + fi + export CACHE_SUFFIX="$CACHE_SUFFIX-AppImage" + echo "Cache suffix is '$CACHE_SUFFIX'." + echo "Making build directory." + mkdir build + echo "Changing working directory to the build directory." + cd build + echo "Running CMake configure." + cmake \ + -DCMAKE_BUILD_TYPE='${{matrix.build_type}}' \ + -DCACHE_NAME_SUFFIX="$CACHE_SUFFIX" \ + -DPROC_TARGET_NUMBER="1" \ + -DBUILD_BUNDLE="ON" \ + -DBUNDLE_BASE_INSTALL_DIR="/" \ + -DOPTION_OMP="ON" \ + -DWITH_LTO="OFF" \ + -DWITH_PROF="OFF" \ + -DWITH_SAN="OFF" \ + -DWITH_SYSTEM_KLT="OFF" \ + -DCMAKE_INSTALL_PREFIX=/usr \ + -DLENSFUNDBDIR="../share/lensfun/version_1" \ + .. + echo "Recording filtered ref name." + echo "REF_NAME_FILTERED=$REF_NAME_FILTERED" >> $GITHUB_ENV + + - name: Initialize CodeQL + uses: github/codeql-action/init@v2 + with: + languages: ${{ matrix.language }} + + - name: Build RawTherapee + working-directory: ./build + run: | + echo "Running make install." + make -j$(nproc) install DESTDIR=AppDir/usr/bin + echo "Moving usr/bin/share to usr/share." + mv AppDir/usr/bin/share AppDir/usr/ + + - name: Perform CodeQL Analysis + uses: github/codeql-action/analyze@v2 + with: + category: "/language:${{matrix.language}}" From dcd2d3df0efe758ff797483fe115a3909383f6e9 Mon Sep 17 00:00:00 2001 From: Desmis Date: Sun, 11 Dec 2022 13:51:44 +0100 Subject: [PATCH 153/170] Replace Observer 10 by Observer 2 in most cases - see issue 6639 (#6640) * Change observer10 to observer2 * Another forgotten change observer 2 10 * Change colortemp.cc in accordance to options Itcwb_stdobserver10 --- rtengine/CMakeLists.txt | 1 + rtengine/colortemp.cc | 54 ++++++++++++++++++++--------------------- 2 files changed, 28 insertions(+), 27 deletions(-) diff --git a/rtengine/CMakeLists.txt b/rtengine/CMakeLists.txt index 1f3cf352b..0fab84b55 100644 --- a/rtengine/CMakeLists.txt +++ b/rtengine/CMakeLists.txt @@ -176,6 +176,7 @@ if(LENSFUN_HAS_LOAD_DIRECTORY) set_source_files_properties(rtlensfun.cc PROPERTIES COMPILE_DEFINITIONS RT_LENSFUN_HAS_LOAD_DIRECTORY) endif() + if(WITH_BENCHMARK) add_definitions(-DBENCHMARK) endif() diff --git a/rtengine/colortemp.cc b/rtengine/colortemp.cc index 36d42f063..a4dd8a4d1 100644 --- a/rtengine/colortemp.cc +++ b/rtengine/colortemp.cc @@ -33,7 +33,7 @@ namespace rtengine { -static const double cie_colour_match_jd2[97][3] = {//350nm to 830nm 5 nm J.Desmis 2° Standard Observer. +static double cie_colour_match_jd2[97][3] = {//350nm to 830nm 5 nm J.Desmis 2° Standard Observer. {0.0000000, 0.000000, 0.000000}, {0.0000000, 0.000000, 0.000000}, {0.0001299, 0.0003917, 0.0006061}, {0.0002321, 0.000006965, 0.001086}, {0.0004149, 0.00001239, 0.001946}, {0.0007416, 0.00002202, 0.003846}, {0.001368, 0.000039, 0.006450001}, {0.002236, 0.000064, 0.01054999}, {0.004243, 0.000120, 0.02005001}, @@ -70,7 +70,7 @@ static const double cie_colour_match_jd2[97][3] = {//350nm to 830nm 5 nm J.Des }; -static double cie_colour_match_jd[97][3] = {//350nm to 830nm 5 nm J.Desmis 10° Standard Observer. +static const double cie_colour_match_jd[97][3] = {//350nm to 830nm 5 nm J.Desmis 10° Standard Observer. {0.000000000000, 0.000000000000, 0.000000000000}, {0.000000000000, 0.000000000000, 0.000000000000}, {0.000000122200, 0.000000013398, 0.000000535027}, @@ -3388,7 +3388,7 @@ The next 3 methods are inspired from: this values are often called xBar yBar zBar and are characteristics of a color / illuminant -values cie_colour_match[][3] = 2° Standard Observer x2, y2, z2 +values cie_colour_match2[][3] = 2° Standard Observer x2, y2, z2 E.g. for 380nm: x2=0.001368 y2=0.000039 z2=0.006451 round in J.Walker to 0.0014 0.0000 0.0065 above I have increase precision used by J.Walker and pass to 350nm to 830nm And also add 10° standard observer @@ -3401,9 +3401,9 @@ void ColorTemp::spectrum_to_xyz_daylight(double _m1, double _m2, double &x, doub for (i = 0, lambda = 350.; lambda < 830.1; i++, lambda += 5.) { double Me = daylight_spect(lambda, _m1, _m2); - X += Me * cie_colour_match_jd[i][0]; - Y += Me * cie_colour_match_jd[i][1]; - Z += Me * cie_colour_match_jd[i][2]; + X += Me * cie_colour_match_jd2[i][0]; + Y += Me * cie_colour_match_jd2[i][1]; + Z += Me * cie_colour_match_jd2[i][2]; } XYZ = (X + Y + Z); @@ -3419,9 +3419,9 @@ void ColorTemp::spectrum_to_xyz_blackbody(double _temp, double &x, double &y, do for (i = 0, lambda = 350.; lambda < 830.1; i++, lambda += 5.) { double Me = blackbody_spect(lambda, _temp); - X += Me * cie_colour_match_jd[i][0]; - Y += Me * cie_colour_match_jd[i][1]; - Z += Me * cie_colour_match_jd[i][2]; + X += Me * cie_colour_match_jd2[i][0]; + Y += Me * cie_colour_match_jd2[i][1]; + Z += Me * cie_colour_match_jd2[i][2]; } XYZ = (X + Y + Z); @@ -3447,16 +3447,16 @@ void ColorTemp::spectrum_to_xyz_preset(const double* spec_intens, double &x, dou this values are often called xBar yBar zBar and are characteristics of a color / illuminant - values cie_colour_match[][3] = 2° Standard Observer x2, y2, z2 + values cie_colour_match_jd2[][3] = 2° Standard Observer x2, y2, z2 E.g. for 380nm: x2=0.001368 y2=0.000039 z2=0.006451 round in J.Walker to 0.0014 0.0000 0.0065 above I have increased the precision used by J.Walker and pass from 350nm to 830nm And also add standard observer 10° */ for (i = 0, lambda = 350.; lambda < 830.1; i++, lambda += 5.) { double Me = get_spectral_color(lambda, spec_intens); - X += Me * cie_colour_match_jd[i][0]; - Y += Me * cie_colour_match_jd[i][1]; - Z += Me * cie_colour_match_jd[i][2]; + X += Me * cie_colour_match_jd2[i][0]; + Y += Me * cie_colour_match_jd2[i][1]; + Z += Me * cie_colour_match_jd2[i][2]; } XYZ = (X + Y + Z); @@ -3478,9 +3478,9 @@ void ColorTemp::spectrum_to_color_xyz_preset(const double* spec_color, const dou Me = get_spectral_color(lambda, spec_color); Mc = get_spectral_color(lambda, spec_intens); - X += Mc * cie_colour_match_jd[i][0] * Me; - Y += Mc * cie_colour_match_jd[i][1] * Me; - Z += Mc * cie_colour_match_jd[i][2] * Me; + X += Mc * cie_colour_match_jd2[i][0] * Me; + Y += Mc * cie_colour_match_jd2[i][1] * Me; + Z += Mc * cie_colour_match_jd2[i][2] * Me; } for (i = 0, lambda = 350; lambda < 830.1; i++, lambda += 5) { @@ -3488,7 +3488,7 @@ void ColorTemp::spectrum_to_color_xyz_preset(const double* spec_color, const dou double Ms; Ms = get_spectral_color(lambda, spec_intens); - Yo += cie_colour_match_jd[i][1] * Ms; + Yo += cie_colour_match_jd2[i][1] * Ms; } xx = X / Yo; @@ -3505,9 +3505,9 @@ void ColorTemp::spectrum_to_color_xyz_daylight(const double* spec_color, double for (i = 0, lambda = 350; lambda < 830.1; i++, lambda += 5) { const double Me = spec_color[i]; const double Mc = daylight_spect(lambda, _m1, _m2); - X += Mc * cie_colour_match_jd[i][0] * Me; - Y += Mc * cie_colour_match_jd[i][1] * Me; - Z += Mc * cie_colour_match_jd[i][2] * Me; + X += Mc * cie_colour_match_jd2[i][0] * Me; + Y += Mc * cie_colour_match_jd2[i][1] * Me; + Z += Mc * cie_colour_match_jd2[i][2] * Me; } xx = X / Y; @@ -3524,9 +3524,9 @@ void ColorTemp::spectrum_to_color_xyz_blackbody(const double* spec_color, double for (i = 0, lambda = 350; lambda < 830.1; i++, lambda += 5) { const double Me = spec_color[i]; const double Mc = blackbody_spect(lambda, _temp); - X += Mc * cie_colour_match_jd[i][0] * Me; - Y += Mc * cie_colour_match_jd[i][1] * Me; - Z += Mc * cie_colour_match_jd[i][2] * Me; + X += Mc * cie_colour_match_jd2[i][0] * Me; + Y += Mc * cie_colour_match_jd2[i][1] * Me; + Z += Mc * cie_colour_match_jd2[i][2] * Me; } xx = X / Y; @@ -3769,11 +3769,11 @@ void ColorTemp::tempxy(bool separated, int repref, float **Tx, float **Ty, float } } - if (settings->itcwb_stdobserver10 == false) { + if (settings->itcwb_stdobserver10 == true) { for (int i = 0; i < 97; i++) { - cie_colour_match_jd[i][0] = cie_colour_match_jd2[i][0]; - cie_colour_match_jd[i][1] = cie_colour_match_jd2[i][1];; - cie_colour_match_jd[i][2] = cie_colour_match_jd2[i][2]; + cie_colour_match_jd2[i][0] = cie_colour_match_jd[i][0]; + cie_colour_match_jd2[i][1] = cie_colour_match_jd[i][1];; + cie_colour_match_jd2[i][2] = cie_colour_match_jd[i][2]; } } From 9332333a12c781ec777ba5a825563dfeb5e1951a Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Fri, 16 Dec 2022 23:01:23 -0800 Subject: [PATCH 154/170] Speed up compilation of rtengine/procparams.cc --- rtengine/CMakeLists.txt | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/rtengine/CMakeLists.txt b/rtengine/CMakeLists.txt index 0fab84b55..c657d6f9d 100644 --- a/rtengine/CMakeLists.txt +++ b/rtengine/CMakeLists.txt @@ -176,6 +176,18 @@ if(LENSFUN_HAS_LOAD_DIRECTORY) set_source_files_properties(rtlensfun.cc PROPERTIES COMPILE_DEFINITIONS RT_LENSFUN_HAS_LOAD_DIRECTORY) endif() +if(CMAKE_CXX_COMPILER_ID STREQUAL "GNU" AND CMAKE_CXX_COMPILER_VERSION VERSION_GREATER_EQUAL "12.0") + # procparams.cc takes a long time to compile with optimizations starting + # with GCC 12.1 due to PTA (see issue #6548) + get_source_file_property(PROCPARAMS_COMPILE_OPTIONS procparams.cc COMPILE_OPTIONS) + if(PROCPARAMS_COMPILE_OPTIONS STREQUAL "NOTFOUND") + set(PROCPARAMS_COMPILE_OPTIONS "") + else() + set(PROCPARAMS_COMPILE_OPTIONS "${PROCPARAMS_COMPILE_OPTIONS};") + endif() + set(PROCPARAMS_COMPILE_OPTIONS "${PROCPARAMS_COMPILE_OPTIONS}-fno-tree-pta") + set_source_files_properties(procparams.cc PROPERTIES COMPILE_OPTIONS ${PROCPARAMS_COMPILE_OPTIONS}) +endif() if(WITH_BENCHMARK) add_definitions(-DBENCHMARK) From f64ddf0d8eb677ca5a13319c147a6028c43399e4 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Sun, 18 Dec 2022 01:03:59 +0100 Subject: [PATCH 155/170] Updated logo image --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index ae9efd9c8..a30a77212 100644 --- a/README.md +++ b/README.md @@ -1,4 +1,4 @@ -![RawTherapee logo](https://www.rawtherapee.com/images/logos/rawtherapee_logo_discuss.png) +![RawTherapee logo](https://raw.githubusercontent.com/Beep6581/RawTherapee/dev/rtdata/images/rt-logo-text-white.svg) RawTherapee is a powerful, cross-platform raw photo processing program, released as [libre software](https://en.wikipedia.org/wiki/Free_software) under the [GNU General Public License Version 3](https://opensource.org/licenses/gpl-3.0.html). It is written mostly in C++ using a [GTK+](https://www.gtk.org) front-end. It uses a patched version of [dcraw](https://www.dechifro.org/dcraw/) for reading raw files, with an in-house solution which adds the highest quality support for certain camera models unsupported by dcraw and enhances the accuracy of certain raw files already supported by dcraw. It is notable for the advanced control it gives the user over the demosaicing and development process. From bbe4558dff509604949e1bac58152ff0836b84f3 Mon Sep 17 00:00:00 2001 From: Morgan Hardwood Date: Sun, 18 Dec 2022 03:55:29 +0100 Subject: [PATCH 156/170] Improvement to dcraw linear_table #6448 Merged on behalf of heckflosse https://github.com/Beep6581/RawTherapee/pull/6448#issuecomment-1081779513 --- rtengine/dcraw.cc | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 6ca0e4331..4ab1694b8 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6319,12 +6319,13 @@ void CLASS parse_mos (int offset) void CLASS linear_table (unsigned len) { - int i; - if (len > 0x10000) len = 0x10000; - read_shorts (curve, len); - for (i=len; i < 0x10000; i++) - curve[i] = curve[i-1]; - maximum = curve[0xffff]; + const unsigned maxLen = std::min(0x10000ull, 1ull << tiff_bps); + len = std::min(len, maxLen); + read_shorts(curve, len); + maximum = curve[len - 1]; + for (std::size_t i = len; i < maxLen; ++i) { + curve[i] = maximum; + } } void CLASS parse_kodak_ifd (int base) From 38a8aa81602d536f6277f0f62f786c0d761db723 Mon Sep 17 00:00:00 2001 From: Beep6581 Date: Sun, 18 Dec 2022 09:41:06 +0100 Subject: [PATCH 157/170] Added external screenshot to README.md (#6648) See #6642 --- README.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/README.md b/README.md index a30a77212..c43bfc2f4 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,7 @@ ![RawTherapee logo](https://raw.githubusercontent.com/Beep6581/RawTherapee/dev/rtdata/images/rt-logo-text-white.svg) +![RawTherapee screenshot](http://rawtherapee.com/images/carousel/100_rt59_provence_local_maskxxx.jpg) + RawTherapee is a powerful, cross-platform raw photo processing program, released as [libre software](https://en.wikipedia.org/wiki/Free_software) under the [GNU General Public License Version 3](https://opensource.org/licenses/gpl-3.0.html). It is written mostly in C++ using a [GTK+](https://www.gtk.org) front-end. It uses a patched version of [dcraw](https://www.dechifro.org/dcraw/) for reading raw files, with an in-house solution which adds the highest quality support for certain camera models unsupported by dcraw and enhances the accuracy of certain raw files already supported by dcraw. It is notable for the advanced control it gives the user over the demosaicing and development process. ## Target Audience From 9019c6dccd0bb942e568e3dd4e98764e5788e9fb Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 19 Dec 2022 13:28:20 -0800 Subject: [PATCH 158/170] Update libtiff DLL version for Windows workflow --- .github/workflows/windows.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/windows.yml b/.github/workflows/windows.yml index 296037812..f6f83f567 100644 --- a/.github/workflows/windows.yml +++ b/.github/workflows/windows.yml @@ -159,7 +159,7 @@ jobs: "libstdc++-6.dll" \ "libsystre-0.dll" \ "libthai-0.dll" \ - "libtiff-5.dll" \ + "libtiff-6.dll" \ "libtre-5.dll" \ "libwebp-7.dll" \ "libwinpthread-1.dll" \ From 2c9f5a735df5c9257d0627e531731060b4611215 Mon Sep 17 00:00:00 2001 From: Alex Forencich Date: Fri, 30 Dec 2022 23:51:22 -0800 Subject: [PATCH 159/170] Add raw_crop and masked_areas for Canon EOS R7 and R10 (#6608) Signed-off-by: Alex Forencich --- rtengine/camconst.json | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 189d8f3f4..b7151f2c8 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1231,12 +1231,16 @@ Camera constants: { // Quality C "make_model": "Canon EOS R7", - "dcraw_matrix" : [10424, -3138, -1300, -4221, 11938, 2584, -547, 1658, 6183] + "dcraw_matrix" : [10424, -3138, -1300, -4221, 11938, 2584, -547, 1658, 6183], + "raw_crop": [ 144, 72, 6984, 4660 ], + "masked_areas" : [ 70, 20, 4724, 138 ] }, { // Quality C "make_model": "Canon EOS R10", - "dcraw_matrix" : [9269, -2012, -1107, -3990, 11762, 2527, -569, 2093, 4913] + "dcraw_matrix" : [9269, -2012, -1107, -3990, 11762, 2527, -569, 2093, 4913], + "raw_crop": [ 144, 40, 6048, 4020 ], + "masked_areas" : [ 38, 20, 4052, 138 ] }, { // Quality C, CHDK DNGs, raw frame correction From 22831866cd72c20a1d2f6952d76883b39e9ed4f7 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sat, 31 Dec 2022 10:16:38 +0100 Subject: [PATCH 160/170] Change RT logo to black version in README.md so text is visible --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index c43bfc2f4..21f219a83 100644 --- a/README.md +++ b/README.md @@ -1,4 +1,4 @@ -![RawTherapee logo](https://raw.githubusercontent.com/Beep6581/RawTherapee/dev/rtdata/images/rt-logo-text-white.svg) +![RawTherapee logo](https://raw.githubusercontent.com/Beep6581/RawTherapee/dev/rtdata/images/rt-logo-text-black.svg) ![RawTherapee screenshot](http://rawtherapee.com/images/carousel/100_rt59_provence_local_maskxxx.jpg) From 401727fba9ab391ed8f4992e042e33860e2e272e Mon Sep 17 00:00:00 2001 From: Nicolas Turlais Date: Sat, 31 Dec 2022 10:51:30 +0100 Subject: [PATCH 161/170] Add filter for Paths to dynamic profiles (#6284) Work by @nicolas-t * Path filter in dynamic profile panel * Pass filename as a function argument * Removed unused include * Clearer translation --- rtdata/languages/default | 1 + rtengine/dynamicprofile.cc | 5 ++++- rtengine/dynamicprofile.h | 3 ++- rtengine/profilestore.cc | 4 ++-- rtengine/profilestore.h | 2 +- rtgui/dynamicprofilepanel.cc | 25 +++++++++++++++++++++++++ rtgui/dynamicprofilepanel.h | 6 ++++++ rtgui/main-cli.cc | 4 ++-- rtgui/thumbnail.cc | 2 +- 9 files changed, 44 insertions(+), 8 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index 775b098f4..e5e053655 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -61,6 +61,7 @@ EXIFFILTER_IMAGETYPE;Image type EXIFFILTER_ISO;ISO EXIFFILTER_LENS;Lens EXIFFILTER_METADATAFILTER;Enable metadata filters +EXIFFILTER_PATH;File path EXIFFILTER_SHUTTER;Shutter EXIFPANEL_ADDEDIT;Add/Edit EXIFPANEL_ADDEDITHINT;Add new tag or edit tag. diff --git a/rtengine/dynamicprofile.cc b/rtengine/dynamicprofile.cc index 28516a1ee..6dbd2d0f0 100644 --- a/rtengine/dynamicprofile.cc +++ b/rtengine/dynamicprofile.cc @@ -77,7 +77,7 @@ bool DynamicProfileRule::operator< (const DynamicProfileRule &other) const } -bool DynamicProfileRule::matches (const rtengine::FramesMetaData *im) const +bool DynamicProfileRule::matches (const rtengine::FramesMetaData *im, const Glib::ustring& filename) const { return (iso (im->getISOSpeed()) && fnumber (im->getFNumber()) @@ -86,6 +86,7 @@ bool DynamicProfileRule::matches (const rtengine::FramesMetaData *im) const && expcomp (im->getExpComp()) && camera (im->getCamera()) && lens (im->getLens()) + && path (filename) && imagetype(im->getImageType(0))); } @@ -214,6 +215,7 @@ bool DynamicProfileRules::loadRules() get_double_range (rule.expcomp, kf, group, "expcomp"); get_optional (rule.camera, kf, group, "camera"); get_optional (rule.lens, kf, group, "lens"); + get_optional (rule.path, kf, group, "path"); get_optional (rule.imagetype, kf, group, "imagetype"); try { @@ -247,6 +249,7 @@ bool DynamicProfileRules::storeRules() set_double_range (kf, group, "expcomp", rule.expcomp); set_optional (kf, group, "camera", rule.camera); set_optional (kf, group, "lens", rule.lens); + set_optional (kf, group, "path", rule.path); set_optional (kf, group, "imagetype", rule.imagetype); kf.set_string (group, "profilepath", rule.profilepath); } diff --git a/rtengine/dynamicprofile.h b/rtengine/dynamicprofile.h index d91b91aee..654db3a8e 100644 --- a/rtengine/dynamicprofile.h +++ b/rtengine/dynamicprofile.h @@ -51,7 +51,7 @@ public: }; DynamicProfileRule(); - bool matches (const rtengine::FramesMetaData *im) const; + bool matches (const rtengine::FramesMetaData *im, const Glib::ustring& filename) const; bool operator< (const DynamicProfileRule &other) const; int serial_number; @@ -62,6 +62,7 @@ public: Range expcomp; Optional camera; Optional lens; + Optional path; Optional imagetype; Glib::ustring profilepath; }; diff --git a/rtengine/profilestore.cc b/rtengine/profilestore.cc index 7d937e736..f83ddd385 100644 --- a/rtengine/profilestore.cc +++ b/rtengine/profilestore.cc @@ -508,7 +508,7 @@ void ProfileStore::dumpFolderList() printf ("\n"); } -PartialProfile *ProfileStore::loadDynamicProfile (const FramesMetaData *im) +PartialProfile *ProfileStore::loadDynamicProfile (const FramesMetaData *im, const Glib::ustring& filename) { if (storeState == STORESTATE_NOTINITIALIZED) { parseProfilesOnce(); @@ -521,7 +521,7 @@ PartialProfile *ProfileStore::loadDynamicProfile (const FramesMetaData *im) } for (auto rule : dynamicRules) { - if (rule.matches (im)) { + if (rule.matches (im, filename)) { if (settings->verbose) { printf ("found matching profile %s\n", rule.profilepath.c_str()); } diff --git a/rtengine/profilestore.h b/rtengine/profilestore.h index 460facb72..e8e48c17f 100644 --- a/rtengine/profilestore.h +++ b/rtengine/profilestore.h @@ -209,7 +209,7 @@ public: void addListener (ProfileStoreListener *listener); void removeListener (ProfileStoreListener *listener); - rtengine::procparams::PartialProfile* loadDynamicProfile (const rtengine::FramesMetaData *im); + rtengine::procparams::PartialProfile* loadDynamicProfile (const rtengine::FramesMetaData *im, const Glib::ustring& filename); void dumpFolderList(); }; diff --git a/rtgui/dynamicprofilepanel.cc b/rtgui/dynamicprofilepanel.cc index 865603b3a..feb6aea70 100644 --- a/rtgui/dynamicprofilepanel.cc +++ b/rtgui/dynamicprofilepanel.cc @@ -42,6 +42,7 @@ DynamicProfilePanel::EditDialog::EditDialog (const Glib::ustring &title, Gtk::Wi add_optional (M ("EXIFFILTER_CAMERA"), has_camera_, camera_); add_optional (M ("EXIFFILTER_LENS"), has_lens_, lens_); + add_optional (M ("EXIFFILTER_PATH"), has_path_, path_); imagetype_ = Gtk::manage (new MyComboBoxText()); imagetype_->append(Glib::ustring("(") + M("DYNPROFILEEDITOR_IMGTYPE_ANY") + ")"); @@ -93,6 +94,9 @@ void DynamicProfilePanel::EditDialog::set_rule ( has_lens_->set_active (rule.lens.enabled); lens_->set_text (rule.lens.value); + has_path_->set_active (rule.path.enabled); + path_->set_text (rule.path.value); + if (!rule.imagetype.enabled) { imagetype_->set_active(0); } else if (rule.imagetype.value == "STD") { @@ -136,6 +140,9 @@ DynamicProfileRule DynamicProfilePanel::EditDialog::get_rule() ret.lens.enabled = has_lens_->get_active(); ret.lens.value = lens_->get_text(); + ret.path.enabled = has_path_->get_active(); + ret.path.value = path_->get_text(); + ret.imagetype.enabled = imagetype_->get_active_row_number() > 0; switch (imagetype_->get_active_row_number()) { case 1: @@ -296,6 +303,16 @@ DynamicProfilePanel::DynamicProfilePanel(): *this, &DynamicProfilePanel::render_lens)); } + cell = Gtk::manage (new Gtk::CellRendererText()); + cols_count = treeview_.append_column (M ("EXIFFILTER_PATH"), *cell); + col = treeview_.get_column (cols_count - 1); + + if (col) { + col->set_cell_data_func ( + *cell, sigc::mem_fun ( + *this, &DynamicProfilePanel::render_path)); + } + cell = Gtk::manage (new Gtk::CellRendererText()); cols_count = treeview_.append_column (M ("EXIFFILTER_IMAGETYPE"), *cell); col = treeview_.get_column (cols_count - 1); @@ -375,6 +392,7 @@ void DynamicProfilePanel::update_rule (Gtk::TreeModel::Row row, row[columns_.expcomp] = rule.expcomp; row[columns_.camera] = rule.camera; row[columns_.lens] = rule.lens; + row[columns_.path] = rule.path; row[columns_.imagetype] = rule.imagetype; row[columns_.profilepath] = rule.profilepath; } @@ -398,6 +416,7 @@ DynamicProfileRule DynamicProfilePanel::to_rule (Gtk::TreeModel::Row row, ret.expcomp = row[columns_.expcomp]; ret.camera = row[columns_.camera]; ret.lens = row[columns_.lens]; + ret.path = row[columns_.path]; ret.profilepath = row[columns_.profilepath]; ret.imagetype = row[columns_.imagetype]; return ret; @@ -510,6 +529,12 @@ void DynamicProfilePanel::render_lens ( RENDER_OPTIONAL_ (lens); } +void DynamicProfilePanel::render_path ( + Gtk::CellRenderer *cell, const Gtk::TreeModel::iterator &iter) +{ + RENDER_OPTIONAL_ (path); +} + void DynamicProfilePanel::render_imagetype ( Gtk::CellRenderer *cell, const Gtk::TreeModel::iterator &iter) { diff --git a/rtgui/dynamicprofilepanel.h b/rtgui/dynamicprofilepanel.h index 972ca1c4a..03b9e7c62 100644 --- a/rtgui/dynamicprofilepanel.h +++ b/rtgui/dynamicprofilepanel.h @@ -55,6 +55,7 @@ private: add (expcomp); add (camera); add (lens); + add (path); add (profilepath); add (imagetype); } @@ -66,6 +67,7 @@ private: Gtk::TreeModelColumn> expcomp; Gtk::TreeModelColumn camera; Gtk::TreeModelColumn lens; + Gtk::TreeModelColumn path; Gtk::TreeModelColumn imagetype; Gtk::TreeModelColumn profilepath; }; @@ -78,6 +80,7 @@ private: void render_expcomp (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); void render_camera (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); void render_lens (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); + void render_path (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); void render_imagetype (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); void render_profilepath (Gtk::CellRenderer* cell, const Gtk::TreeModel::iterator& iter); @@ -114,6 +117,9 @@ private: Gtk::CheckButton *has_lens_; Gtk::Entry *lens_; + Gtk::CheckButton *has_path_; + Gtk::Entry *path_; + MyComboBoxText *imagetype_; ProfileStoreComboBox *profilepath_; diff --git a/rtgui/main-cli.cc b/rtgui/main-cli.cc index 8375ffe8b..cebced274 100644 --- a/rtgui/main-cli.cc +++ b/rtgui/main-cli.cc @@ -743,7 +743,7 @@ int processLineParams ( int argc, char **argv ) if (options.defProfRaw == DEFPROFILE_DYNAMIC) { rawParams->deleteInstance(); delete rawParams; - rawParams = ProfileStore::getInstance()->loadDynamicProfile (ii->getMetaData()); + rawParams = ProfileStore::getInstance()->loadDynamicProfile (ii->getMetaData(), inputFile); } std::cout << " Merging default raw processing profile." << std::endl; @@ -752,7 +752,7 @@ int processLineParams ( int argc, char **argv ) if (options.defProfImg == DEFPROFILE_DYNAMIC) { imgParams->deleteInstance(); delete imgParams; - imgParams = ProfileStore::getInstance()->loadDynamicProfile (ii->getMetaData()); + imgParams = ProfileStore::getInstance()->loadDynamicProfile (ii->getMetaData(), inputFile); } std::cout << " Merging default non-raw processing profile." << std::endl; diff --git a/rtgui/thumbnail.cc b/rtgui/thumbnail.cc index cc8e9ad81..2baf03247 100644 --- a/rtgui/thumbnail.cc +++ b/rtgui/thumbnail.cc @@ -266,7 +266,7 @@ rtengine::procparams::ProcParams* Thumbnail::createProcParamsForUpdate(bool retu // Should we ask all frame's MetaData ? imageMetaData = rtengine::FramesMetaData::fromFile (fname, nullptr, true); } - PartialProfile *pp = ProfileStore::getInstance()->loadDynamicProfile(imageMetaData); + PartialProfile *pp = ProfileStore::getInstance()->loadDynamicProfile(imageMetaData, fname); delete imageMetaData; int err = pp->pparams->save(outFName); pp->deleteInstance(); From d74524f2c57c4a4084352281ec7e6b3ba3f7e1ac Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 1 Jan 2023 01:50:11 -0800 Subject: [PATCH 163/170] Camconst support for multiple crops (#6473) Adapted from ART Co-authored-by: Alberto Griggio * camconst: support for multiple image sizes in raw_crop and masked_areas * Clean up code after porting raw crop changes * fixed raw crop for Canon R6 reduced-resolution raws * Add Canon EOS R5 1.6 crop raw crop & masked areas --- rtengine/camconst.cc | 195 ++++++++++++++++++++++++++++++----------- rtengine/camconst.h | 27 +++--- rtengine/camconst.json | 42 +++++++-- rtengine/rawimage.cc | 25 ++++-- 4 files changed, 213 insertions(+), 76 deletions(-) diff --git a/rtengine/camconst.cc b/rtengine/camconst.cc index aab2a252c..64fc4d4ba 100644 --- a/rtengine/camconst.cc +++ b/rtengine/camconst.cc @@ -28,8 +28,6 @@ namespace rtengine CameraConst::CameraConst() : pdafOffset(0) { memset(dcraw_matrix, 0, sizeof(dcraw_matrix)); - memset(raw_crop, 0, sizeof(raw_crop)); - memset(raw_mask, 0, sizeof(raw_mask)); white_max = 0; globalGreenEquilibration = -1; } @@ -192,6 +190,68 @@ CameraConst* CameraConst::parseEntry(const void *cJSON_, const char *make_model) std::unique_ptr cc(new CameraConst); cc->make_model = make_model; + const auto get_raw_crop = + [](int w, int h, const cJSON *ji, CameraConst *cc) -> bool + { + std::array rc; + + if (ji->type != cJSON_Array) { + //fprintf(stderr, "\"raw_crop\" must be an array\n"); + return false; + } + + int i; + + for (i = 0, ji = ji->child; i < 4 && ji != nullptr; i++, ji = ji->next) { + if (ji->type != cJSON_Number) { + //fprintf(stderr, "\"raw_crop\" array must contain numbers\n"); + return false; + } + + //cc->raw_crop[i] = ji->valueint; + rc[i] = ji->valueint; + } + + if (i != 4 || ji != nullptr) { + //fprintf(stderr, "\"raw_crop\" must contain 4 numbers\n"); + return false; + } + + cc->raw_crop[std::make_pair(w, h)] = rc; + return true; + }; + + const auto get_masked_areas = + [](int w, int h, const cJSON *ji, CameraConst *cc) -> bool + { + std::array, 2> rm; + + if (ji->type != cJSON_Array) { + //fprintf(stderr, "\"masked_areas\" must be an array\n"); + return false; + } + + int i; + + for (i = 0, ji = ji->child; i < 2 * 4 && ji != nullptr; i++, ji = ji->next) { + if (ji->type != cJSON_Number) { + //fprintf(stderr, "\"masked_areas\" array must contain numbers\n"); + return false; + } + + //cc->raw_mask[i / 4][i % 4] = ji->valueint; + rm[i / 4][i % 4] = ji->valueint; + } + + if (i % 4 != 0) { + //fprintf(stderr, "\"masked_areas\" array length must be divisable by 4\n"); + return false; + } + + cc->raw_mask[std::make_pair(w, h)] = rm; + return true; + }; + const cJSON *ji = cJSON_GetObjectItem(js, "dcraw_matrix"); if (ji) { @@ -216,24 +276,32 @@ CameraConst* CameraConst::parseEntry(const void *cJSON_, const char *make_model) if (ji) { if (ji->type != cJSON_Array) { - fprintf(stderr, "\"raw_crop\" must be an array\n"); + fprintf(stderr, "invalid entry for raw_crop.\n"); return nullptr; - } - - int i; - - for (i = 0, ji = ji->child; i < 4 && ji; i++, ji = ji->next) { - if (ji->type != cJSON_Number) { - fprintf(stderr, "\"raw_crop\" array must contain numbers\n"); - return nullptr; + } else if (!get_raw_crop(0, 0, ji, cc.get())) { + cJSON *je; + cJSON_ArrayForEach(je, ji) { + if (!cJSON_IsObject(je)) { + fprintf(stderr, "invalid entry for raw_crop.\n"); + return nullptr; + } else { + auto js = cJSON_GetObjectItem(je, "frame"); + if (!js || js->type != cJSON_Array || + cJSON_GetArraySize(js) != 2 || + !cJSON_IsNumber(cJSON_GetArrayItem(js, 0)) || + !cJSON_IsNumber(cJSON_GetArrayItem(js, 1))) { + fprintf(stderr, "invalid entry for raw_crop.\n"); + return nullptr; + } + int w = cJSON_GetArrayItem(js, 0)->valueint; + int h = cJSON_GetArrayItem(js, 1)->valueint; + js = cJSON_GetObjectItem(je, "crop"); + if (!js || !get_raw_crop(w, h, js, cc.get())) { + fprintf(stderr, "invalid entry for raw_crop.\n"); + return nullptr; + } + } } - - cc->raw_crop[i] = ji->valueint; - } - - if (i != 4 || ji) { - fprintf(stderr, "\"raw_crop\" must contain 4 numbers\n"); - return nullptr; } } @@ -241,24 +309,32 @@ CameraConst* CameraConst::parseEntry(const void *cJSON_, const char *make_model) if (ji) { if (ji->type != cJSON_Array) { - fprintf(stderr, "\"masked_areas\" must be an array\n"); + fprintf(stderr, "invalid entry for masked_areas.\n"); return nullptr; - } - - int i; - - for (i = 0, ji = ji->child; i < 2 * 4 && ji; i++, ji = ji->next) { - if (ji->type != cJSON_Number) { - fprintf(stderr, "\"masked_areas\" array must contain numbers\n"); - return nullptr; + } else if (!get_masked_areas(0, 0, ji, cc.get())) { + cJSON *je; + cJSON_ArrayForEach(je, ji) { + if (!cJSON_IsObject(je)) { + fprintf(stderr, "invalid entry for masked_areas.\n"); + return nullptr; + } else { + auto js = cJSON_GetObjectItem(je, "frame"); + if (!js || js->type != cJSON_Array || + cJSON_GetArraySize(js) != 2 || + !cJSON_IsNumber(cJSON_GetArrayItem(js, 0)) || + !cJSON_IsNumber(cJSON_GetArrayItem(js, 1))) { + fprintf(stderr, "invalid entry for masked_areas.\n"); + return nullptr; + } + int w = cJSON_GetArrayItem(js, 0)->valueint; + int h = cJSON_GetArrayItem(js, 1)->valueint; + js = cJSON_GetObjectItem(je, "areas"); + if (!js || !get_masked_areas(w, h, js, cc.get())) { + fprintf(stderr, "invalid entry for masked_areas.\n"); + return nullptr; + } + } } - - cc->raw_mask[i / 4][i % 4] = ji->valueint; - } - - if (i % 4 != 0) { - fprintf(stderr, "\"masked_areas\" array length must be divisible by 4\n"); - return nullptr; } } @@ -399,29 +475,41 @@ void CameraConst::update_pdafOffset(int other) pdafOffset = other; } -bool CameraConst::has_rawCrop() const + +bool CameraConst::has_rawCrop(int raw_width, int raw_height) const { - return raw_crop[0] != 0 || raw_crop[1] != 0 || raw_crop[2] != 0 || raw_crop[3] != 0; + return raw_crop.find(std::make_pair(raw_width, raw_height)) != raw_crop.end() || raw_crop.find(std::make_pair(0, 0)) != raw_crop.end(); } -void CameraConst::get_rawCrop(int& left_margin, int& top_margin, int& width, int& height) const + +void CameraConst::get_rawCrop(int raw_width, int raw_height, int &left_margin, int &top_margin, int &width, int &height) const { - left_margin = raw_crop[0]; - top_margin = raw_crop[1]; - width = raw_crop[2]; - height = raw_crop[3]; + auto it = raw_crop.find(std::make_pair(raw_width, raw_height)); + if (it == raw_crop.end()) { + it = raw_crop.find(std::make_pair(0, 0)); + } + if (it != raw_crop.end()) { + left_margin = it->second[0]; + top_margin = it->second[1]; + width = it->second[2]; + height = it->second[3]; + } else { + left_margin = top_margin = width = height = 0; + } } -bool CameraConst::has_rawMask(int idx) const + +bool CameraConst::has_rawMask(int raw_width, int raw_height, int idx) const { if (idx < 0 || idx > 1) { return false; } - return (raw_mask[idx][0] | raw_mask[idx][1] | raw_mask[idx][2] | raw_mask[idx][3]) != 0; + return raw_mask.find(std::make_pair(raw_width, raw_height)) != raw_mask.end() || raw_mask.find(std::make_pair(0, 0)) != raw_mask.end(); } -void CameraConst::get_rawMask(int idx, int& top, int& left, int& bottom, int& right) const + +void CameraConst::get_rawMask(int raw_width, int raw_height, int idx, int &top, int &left, int &bottom, int &right) const { top = left = bottom = right = 0; @@ -429,10 +517,17 @@ void CameraConst::get_rawMask(int idx, int& top, int& left, int& bottom, int& ri return; } - top = raw_mask[idx][0]; - left = raw_mask[idx][1]; - bottom = raw_mask[idx][2]; - right = raw_mask[idx][3]; + auto it = raw_mask.find(std::make_pair(raw_width, raw_height)); + if (it == raw_mask.end()) { + it = raw_mask.find(std::make_pair(0, 0)); + } + + if (it != raw_mask.end()) { + top = it->second[idx][0]; + left = it->second[idx][1]; + bottom = it->second[idx][2]; + right = it->second[idx][3]; + } } void CameraConst::update_Levels(const CameraConst *other) @@ -464,9 +559,7 @@ void CameraConst::update_Crop(CameraConst *other) return; } - if (other->has_rawCrop()) { - other->get_rawCrop(raw_crop[0], raw_crop[1], raw_crop[2], raw_crop[3]); - } + raw_crop.insert(other->raw_crop.begin(), other->raw_crop.end()); } bool CameraConst::get_Levels(camera_const_levels & lvl, int bw, int iso, float fnumber) const diff --git a/rtengine/camconst.h b/rtengine/camconst.h index aa0702439..273bdd7a1 100644 --- a/rtengine/camconst.h +++ b/rtengine/camconst.h @@ -1,9 +1,11 @@ -/* +/* -*- C++ -*- + * * This file is part of RawTherapee. */ #pragma once #include +#include #include #include @@ -17,17 +19,17 @@ class ustring; namespace rtengine { -struct camera_const_levels { - int levels[4]; -}; - class CameraConst final { private: + struct camera_const_levels { + int levels[4]; + }; + std::string make_model; short dcraw_matrix[12]; - int raw_crop[4]; - int raw_mask[2][4]; + std::map, std::array> raw_crop; + std::map, std::array, 2>> raw_mask; int white_max; std::map mLevels[2]; std::map mApertureScaling; @@ -47,10 +49,10 @@ public: const short *get_dcrawMatrix(void) const; const std::vector& get_pdafPattern() const; int get_pdafOffset() const {return pdafOffset;}; - bool has_rawCrop(void) const; - void get_rawCrop(int& left_margin, int& top_margin, int& width, int& height) const; - bool has_rawMask(int idx) const; - void get_rawMask(int idx, int& top, int& left, int& bottom, int& right) const; + bool has_rawCrop(int raw_width, int raw_height) const; + void get_rawCrop(int raw_width, int raw_height, int& left_margin, int& top_margin, int& width, int& height) const; + bool has_rawMask(int raw_width, int raw_height, int idx) const; + void get_rawMask(int raw_width, int raw_height, int idx, int& top, int& left, int& bottom, int& right) const; int get_BlackLevel(int idx, int iso_speed) const; int get_WhiteLevel(int idx, int iso_speed, float fnumber) const; bool has_globalGreenEquilibration() const; @@ -77,4 +79,5 @@ public: const CameraConst *get(const char make[], const char model[]) const; }; -} +} // namespace rtengine + diff --git a/rtengine/camconst.json b/rtengine/camconst.json index b7151f2c8..be7b3b800 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -70,6 +70,14 @@ Examples: // cropped so the "negative number" way is not totally safe. "raw_crop": [ 10, 20, 4000, 3000 ], + // multi-aspect support (added 2020-12-03) + // "frame" defines the full dimensions the crop applies to + // (with [0, 0] being the fallback crop if none of the other applies) + "raw_crop" : [ + { "frame" : [4100, 3050], "crop": [10, 20, 4050, 3020] }, + { "frame" : [0, 0], "crop": [10, 20, 4000, 3000] } + ] + // Almost same as MaskedAreas DNG tag, used for black level measuring. Here up to two areas can be defined // by tetrads of numbers: "masked_areas": [ 51, 2, 3804, 156, 51, 5794, 3804, 5792 ], @@ -84,6 +92,14 @@ Examples: // instead, to take care of possible light leaks from the light sensing area to the optically black (masked) // area or sensor imperfections at the outer borders. + // multi-aspect support (added 2020-12-03) + // "frame" defines the full dimensions the masked areas apply to + // (with [0, 0] being the fallback crop if none of the other applies) + "masked_areas" : [ + { "frame" : [4100, 3050], "areas": [10, 20, 4050, 3020] }, + { "frame" : [0, 0], "areas": [10, 20, 4000, 3000] } + ] + // list of indices of the rows with on-sensor PDAF pixels, for cameras that have such features. The indices here form a pattern that is repeated for the whole height of the sensor. The values are relative to the "pdaf_offset" value (see below) "pdaf_pattern" : [ 0,12,36,54,72,90,114,126,144,162,180,204,216,240,252,270,294,306,324,342,366,384,396,414,432,450,474,492,504,522,540,564,576,594,606,630 ], // index of the first row of the PDAF pattern in the sensor (0 is the topmost row). Allowed to be negative for convenience (this means that the first repetition of the pattern doesn't start from the first row) @@ -1216,16 +1232,28 @@ Camera constants: { // Quality C "make_model": "Canon EOS R5", "dcraw_matrix" : [9766, -2953, -1254, -4276, 12116, 2433, -437, 1336, 5131], - "raw_crop" : [ 128, 96, 8224, 5490 ], - "masked_areas" : [ 94, 20, 5578, 122 ], + "raw_crop" : [ + { "frame" : [ 8352, 5586 ], "crop" : [ 128, 96, 8224, 5490 ] }, + { "frame" : [ 5248, 3510 ], "crop" : [ 128, 96, 5120, 3382 ] } + ], + "masked_areas" : [ + { "frame" : [ 8352, 5586 ], "areas": [ 94, 20, 5578, 122 ] }, + { "frame" : [ 5248, 3510 ], "areas": [ 94, 20, 3510, 122 ] } + ], "ranges" : { "white" : 16382 } }, { // Quality C "make_model": "Canon EOS R6", "dcraw_matrix" : [8293, -1611, -1132, -4759, 12710, 2275, -1013, 2415, 5508], - "raw_crop": [ 72, 38, 5496, 3670 ], - "masked_areas" : [ 40, 10, 5534, 70 ], + "raw_crop": [ + { "frame": [5568, 3708], "crop" : [ 72, 38, 5496, 3670 ] }, + { "frame": [3584, 2386], "crop" : [ 156, 108, 3404, 2270 ] } + ], + "masked_areas" : [ + { "frame": [5568, 3708], "areas": [ 40, 10, 5534, 70 ] }, + { "frame": [3584, 2386], "areas": [ 40, 10, 2374, 110 ] } + ], "ranges" : { "white" : 16382 } }, @@ -1381,7 +1409,11 @@ Camera constants: { // Quality C "make_model": [ "FUJIFILM GFX 100", "FUJIFILM GFX100S" ], "dcraw_matrix" : [ 16212, -8423, -1583, -4336, 12583, 1937, -195, 726, 6199 ], // taken from ART - "raw_crop": [ 0, 2, 11664, 8734 ] + "raw_crop": [ + // multi-aspect crop to account for 16-shot pixel shift images + { "frame" : [11808, 8754], "crop" : [ 0, 2, 11664, 8734 ] }, + { "frame" : [23616, 17508], "crop" : [ 0, 4, 23328, 17468 ] } + ] }, { // Quality B diff --git a/rtengine/rawimage.cc b/rtengine/rawimage.cc index 2354f343a..8478d56ab 100644 --- a/rtengine/rawimage.cc +++ b/rtengine/rawimage.cc @@ -548,11 +548,18 @@ int RawImage::loadRaw(bool loadData, unsigned int imageNum, bool closeFile, Prog CameraConstantsStore* ccs = CameraConstantsStore::getInstance(); const CameraConst *cc = ccs->get(make, model); + bool raw_crop_cc = false; + int orig_raw_width = width; + int orig_raw_height = height; if (raw_image) { - if (cc && cc->has_rawCrop()) { + orig_raw_width = raw_width; + orig_raw_height = raw_height; + + if (cc && cc->has_rawCrop(raw_width, raw_height)) { + raw_crop_cc = true; int lm, tm, w, h; - cc->get_rawCrop(lm, tm, w, h); + cc->get_rawCrop(raw_width, raw_height, lm, tm, w, h); if (isXtrans()) { shiftXtransMatrix(6 - ((top_margin - tm) % 6), 6 - ((left_margin - lm) % 6)); @@ -584,9 +591,9 @@ int RawImage::loadRaw(bool loadData, unsigned int imageNum, bool closeFile, Prog } } - if (cc && cc->has_rawMask(0)) { - for (int i = 0; i < 8 && cc->has_rawMask(i); i++) { - cc->get_rawMask(i, mask[i][0], mask[i][1], mask[i][2], mask[i][3]); + if (cc && cc->has_rawMask(orig_raw_width, orig_raw_height, 0)) { + for (int i = 0; i < 2 && cc->has_rawMask(orig_raw_width, orig_raw_height, i); i++) { + cc->get_rawMask(orig_raw_width, orig_raw_height, i, mask[i][0], mask[i][1], mask[i][2], mask[i][3]); } } @@ -594,9 +601,10 @@ int RawImage::loadRaw(bool loadData, unsigned int imageNum, bool closeFile, Prog free(raw_image); raw_image = nullptr; } else { - if (get_maker() == "Sigma" && cc && cc->has_rawCrop()) { // foveon images + if (get_maker() == "Sigma" && cc && cc->has_rawCrop(width, height)) { // foveon images + raw_crop_cc = true; int lm, tm, w, h; - cc->get_rawCrop(lm, tm, w, h); + cc->get_rawCrop(width, height, lm, tm, w, h); left_margin = lm; top_margin = tm; @@ -692,11 +700,12 @@ int RawImage::loadRaw(bool loadData, unsigned int imageNum, bool closeFile, Prog printf("no constants in camconst.json exists for \"%s %s\" (relying only on dcraw defaults)\n", make, model); } + printf("raw dimensions: %d x %d\n", orig_raw_width, orig_raw_height); printf("black levels: R:%d G1:%d B:%d G2:%d (%s)\n", get_cblack(0), get_cblack(1), get_cblack(2), get_cblack(3), black_from_cc ? "provided by camconst.json" : "provided by dcraw"); printf("white levels: R:%d G1:%d B:%d G2:%d (%s)\n", get_white(0), get_white(1), get_white(2), get_white(3), white_from_cc ? "provided by camconst.json" : "provided by dcraw"); - printf("raw crop: %d %d %d %d (provided by %s)\n", left_margin, top_margin, iwidth, iheight, (cc && cc->has_rawCrop()) ? "camconst.json" : "dcraw"); + printf("raw crop: %d %d %d %d (provided by %s)\n", left_margin, top_margin, iwidth, iheight, raw_crop_cc ? "camconst.json" : "dcraw"); printf("color matrix provided by %s\n", (cc && cc->has_dcrawMatrix()) ? "camconst.json" : "dcraw"); } } From a9b8ece33583727ecccef9d3d1be374ce79cb391 Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sun, 1 Jan 2023 11:01:48 +0100 Subject: [PATCH 164/170] Add raw crop for EOS R3 Fully fixes #6420 --- rtengine/camconst.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index be7b3b800..69b272d23 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1226,7 +1226,8 @@ Camera constants: { // Quality C "make_model": "Canon EOS R3", - "dcraw_matrix" : [9423,-2839,-1195,-4532,12377,2415,-483,1374,5276] + "dcraw_matrix" : [ 9423, -2839, -1195, -4532, 12377, 2415, -483, 1374, 5276 ], + "raw_crop": [ 160, 120, 6024, 4024 ] }, { // Quality C From 21a7c97ede0953e1c87e7c99d14cfc92d506b80d Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Sun, 1 Jan 2023 11:43:54 +0100 Subject: [PATCH 165/170] Multiple crop support for ILCE-7S Fixes #3960 --- rtengine/camconst.json | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/rtengine/camconst.json b/rtengine/camconst.json index 69b272d23..ebe195c60 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -3025,7 +3025,10 @@ Camera constants: { // Quality B, correction for frame width "make_model": [ "Sony ILCE-7S", "Sony ILCE-7SM2" ], "dcraw_matrix": [ 5838,-1430,-246,-3497,11477,2297,-748,1885,5778 ], // DNG_v9.2 D65 - "raw_crop": [ 0, 0, 4254, 2848 ], + "raw_crop" : [ + { "frame" : [ 2816, 1872 ], "crop" : [ 0, 0, 2792, 1872 ] }, + { "frame" : [ 4254, 2848 ], "crop" : [ 0, 0, 4254, 2848 ] } + ], "ranges": { "black": 512, "white": 16300 } }, From 646065f64310aa4d1e83a5a2d2920ccb80849b96 Mon Sep 17 00:00:00 2001 From: Lawrence Lee <45837045+Lawrence37@users.noreply.github.com> Date: Sun, 1 Jan 2023 21:22:47 -0800 Subject: [PATCH 166/170] Remove unused code Remove the preferences code for selecting the external editor since it is superseded by the multiple external editor preferences. --- rtgui/preferences.cc | 129 ------------------------------------------- 1 file changed, 129 deletions(-) diff --git a/rtgui/preferences.cc b/rtgui/preferences.cc index 2c993d65e..85816e39f 100644 --- a/rtgui/preferences.cc +++ b/rtgui/preferences.cc @@ -34,8 +34,6 @@ #include #endif -//#define EXT_EDITORS_RADIOS // TODO: Remove the corresponding code after testing. - namespace { void placeSpinBox(Gtk::Container* where, Gtk::SpinButton* &spin, const std::string &labelText, int digits, int inc0, int inc1, int maxLength, int range0, int range1, const std::string &toolTip = "") { Gtk::Box* HB = Gtk::manage ( new Gtk::Box () ); @@ -1205,78 +1203,16 @@ Gtk::Widget* Preferences::getGeneralPanel() Gtk::Frame* fdg = Gtk::manage(new Gtk::Frame(M("PREFERENCES_EXTERNALEDITOR"))); setExpandAlignProperties(fdg, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_FILL); -#ifdef EXT_EDITORS_RADIOS - Gtk::Grid* externaleditorGrid = Gtk::manage(new Gtk::Grid()); - externaleditorGrid->set_column_spacing(4); - externaleditorGrid->set_row_spacing(4); - setExpandAlignProperties(externaleditorGrid, false, false, Gtk::ALIGN_FILL, Gtk::ALIGN_FILL); - - edOther = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_EDITORCMDLINE") + ":")); - setExpandAlignProperties(edOther, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - editorToSendTo = Gtk::manage(new Gtk::Entry()); - setExpandAlignProperties(editorToSendTo, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_BASELINE); - Gtk::RadioButton::Group ge = edOther->get_group(); - -#ifdef __APPLE__ - edGimp = Gtk::manage(new Gtk::RadioButton("GIMP")); - setExpandAlignProperties(edGimp, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - edGimp->set_group(ge); - externaleditorGrid->attach_next_to(*edGimp, Gtk::POS_TOP, 2, 1); - - edPS = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_PSPATH") + ":")); - setExpandAlignProperties(edPS, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - psDir = Gtk::manage(new MyFileChooserButton(M("PREFERENCES_PSPATH"), Gtk::FILE_CHOOSER_ACTION_SELECT_FOLDER)); - setExpandAlignProperties(psDir, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); - externaleditorGrid->attach_next_to(*edPS, *edGimp, Gtk::POS_BOTTOM, 1, 1); - externaleditorGrid->attach_next_to(*psDir, *edPS, Gtk::POS_RIGHT, 1, 1); - edPS->set_group(ge); - - externaleditorGrid->attach_next_to(*edOther, *edPS, Gtk::POS_BOTTOM, 1, 1); - externaleditorGrid->attach_next_to(*editorToSendTo, *edOther, Gtk::POS_RIGHT, 1, 1); -#elif defined WIN32 - edGimp = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_GIMPPATH") + ":")); - setExpandAlignProperties(edGimp, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - gimpDir = Gtk::manage(new MyFileChooserButton(M("PREFERENCES_GIMPPATH"), Gtk::FILE_CHOOSER_ACTION_SELECT_FOLDER)); - setExpandAlignProperties(gimpDir, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); - externaleditorGrid->attach_next_to(*edGimp, Gtk::POS_TOP, 1, 1); - externaleditorGrid->attach_next_to(*gimpDir, *edGimp, Gtk::POS_RIGHT, 1, 1); - edGimp->set_group(ge); - - edPS = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_PSPATH") + ":")); - setExpandAlignProperties(edPS, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - psDir = Gtk::manage(new MyFileChooserButton(M("PREFERENCES_PSPATH"), Gtk::FILE_CHOOSER_ACTION_SELECT_FOLDER)); - setExpandAlignProperties(psDir, true, false, Gtk::ALIGN_FILL, Gtk::ALIGN_CENTER); - externaleditorGrid->attach_next_to(*edPS, *edGimp, Gtk::POS_BOTTOM, 1, 1); - externaleditorGrid->attach_next_to(*psDir, *edPS, Gtk::POS_RIGHT, 1, 1); - edPS->set_group(ge); - - externaleditorGrid->attach_next_to(*edOther, *edPS, Gtk::POS_BOTTOM, 1, 1); - externaleditorGrid->attach_next_to(*editorToSendTo, *edOther, Gtk::POS_RIGHT, 1, 1); -#else - edGimp = Gtk::manage(new Gtk::RadioButton("GIMP")); - setExpandAlignProperties(edGimp, false, false, Gtk::ALIGN_START, Gtk::ALIGN_CENTER); - externaleditorGrid->attach_next_to(*edGimp, Gtk::POS_TOP, 2, 1); - edGimp->set_group(ge); - - externaleditorGrid->attach_next_to(*edOther, *edGimp, Gtk::POS_BOTTOM, 1, 1); - externaleditorGrid->attach_next_to(*editorToSendTo, *edOther, Gtk::POS_RIGHT, 1, 1); -#endif -#endif externalEditors = Gtk::manage(new ExternalEditorPreferences()); externalEditors->set_size_request(-1, 200); -#ifdef EXT_EDITORS_RADIOS - externaleditorGrid->attach_next_to(*externalEditors, *edOther, Gtk::POS_BOTTOM, 2, 1); -#endif // fdg->add(*externaleditorGrid); editor_dir_temp = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_EXTEDITOR_DIR_TEMP"))); editor_dir_current = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_EXTEDITOR_DIR_CURRENT"))); editor_dir_custom = Gtk::manage(new Gtk::RadioButton(M("PREFERENCES_EXTEDITOR_DIR_CUSTOM") + ": ")); editor_dir_custom_path = Gtk::manage(new MyFileChooserButton("", Gtk::FILE_CHOOSER_ACTION_SELECT_FOLDER)); -#ifndef EXT_EDITORS_RADIOS Gtk::RadioButton::Group ge; -#endif ge = editor_dir_temp->get_group(); editor_dir_current->set_group(ge); editor_dir_custom->set_group(ge); @@ -1296,12 +1232,7 @@ Gtk::Widget* Preferences::getGeneralPanel() f->add(*vb); hb = Gtk::manage(new Gtk::Box()); -#ifdef EXT_EDITORS_RADIOS - externaleditorGrid->attach_next_to(*externalEditors, *edOther, Gtk::POS_BOTTOM, 2, 1); - hb->pack_start(*externaleditorGrid); -#else hb->pack_start(*externalEditors); -#endif hb->pack_start(*f, Gtk::PACK_EXPAND_WIDGET, 4); vb = Gtk::manage(new Gtk::Box(Gtk::ORIENTATION_VERTICAL)); @@ -1773,35 +1704,6 @@ void Preferences::storePreferences() moptions.pseudoHiDPISupport = pseudoHiDPI->get_active(); -#ifdef EXT_EDITORS_RADIOS -#ifdef WIN32 - moptions.gimpDir = gimpDir->get_filename(); - moptions.psDir = psDir->get_filename(); -#elif defined __APPLE__ - moptions.psDir = psDir->get_filename(); -#endif - moptions.customEditorProg = editorToSendTo->get_text(); - - if (edGimp->get_active()) { - moptions.editorToSendTo = 1; - } - -#ifdef WIN32 - else if (edPS->get_active()) { - moptions.editorToSendTo = 2; - } - -#elif defined __APPLE__ - else if (edPS->get_active()) { - moptions.editorToSendTo = 2; - } - -#endif - else if (edOther->get_active()) { - moptions.editorToSendTo = 3; - } -#endif - const std::vector &editors = externalEditors->getEditors(); moptions.externalEditors.resize(editors.size()); moptions.externalEditorIndex = -1; @@ -2083,37 +1985,6 @@ void Preferences::fillPreferences() hlThresh->set_value(moptions.highlightThreshold); shThresh->set_value(moptions.shadowThreshold); -#ifdef EXT_EDITORS_RADIOS - edGimp->set_active(moptions.editorToSendTo == 1); - edOther->set_active(moptions.editorToSendTo == 3); -#ifdef WIN32 - edPS->set_active(moptions.editorToSendTo == 2); - - if (Glib::file_test(moptions.gimpDir, Glib::FILE_TEST_IS_DIR)) { - gimpDir->set_current_folder(moptions.gimpDir); - } else { - gimpDir->set_current_folder(Glib::get_home_dir()); - } - - if (Glib::file_test(moptions.psDir, Glib::FILE_TEST_IS_DIR)) { - psDir->set_current_folder(moptions.psDir); - } else { - psDir->set_current_folder(Glib::get_home_dir()); - } - -#elif defined __APPLE__ - edPS->set_active(moptions.editorToSendTo == 2); - - if (Glib::file_test(moptions.psDir, Glib::FILE_TEST_IS_DIR)) { - psDir->set_current_folder(moptions.psDir); - } else { - psDir->set_current_folder(Glib::get_home_dir()); - } - -#endif - editorToSendTo->set_text(moptions.customEditorProg); -#endif - std::vector editorInfos; for (const auto &editor : moptions.externalEditors) { editorInfos.push_back(ExternalEditorPreferences::EditorInfo( From 3423a7ac55451ac5504f982787d1a39043a64d4f Mon Sep 17 00:00:00 2001 From: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> Date: Mon, 2 Jan 2023 21:24:15 +0100 Subject: [PATCH 167/170] Support for GX680 digital back including DCP (#6655) * Initial support for GX680 digital back With help from LibRaw for decoding support. Estimates for color calibration are very rough... * Small modification to black level, add DCP --- rtdata/dcpprofiles/FUJIFILM DBP for GX680.dcp | Bin 0 -> 65374 bytes rtengine/camconst.json | 6 +++ rtengine/dcraw.cc | 37 ++++++++++++++++++ rtengine/dcraw.h | 1 + 4 files changed, 44 insertions(+) create mode 100644 rtdata/dcpprofiles/FUJIFILM DBP for GX680.dcp diff --git a/rtdata/dcpprofiles/FUJIFILM DBP for GX680.dcp b/rtdata/dcpprofiles/FUJIFILM DBP for GX680.dcp new file mode 100644 index 0000000000000000000000000000000000000000..dcfc174c70ab74330c92ea3c193c86f98b29ae7a GIT binary patch literal 65374 zcmZ_0cT`i&_dN`PpfpiHP!s_bQ7oV$*w_<$@4eFONbfyB5?bg@KoKky1sf_LLT2m@ z>;(&A1q%u`6w%*2`hC~>_{W>IvhHMZ6K?iBbLO0V_F?ACMU%V8$;ow-(>~uxPM41u ze;S=vk?YEjb^K}ke`8~LIk{Em73BCqt~-CO{=e~mpK1HQ&u-;!em}1$r@-gJ`1r?p zRk^+W8zR4X3m*wIAziT!;LQPhSOJ!u{M{J%bYDIr#VPY&fwnf z-~SzhI{kfZ-2C^o!pOg`Ta^ADr~djoAHy%~zw=-5ANk+0W8mN8f!4q8pJ@MkT-x;a z*k<|n{f!*P|IUy9zxTEN?{&M;-}(Q)>s-Zug8_g3f4@ggE)@Sg&5QzMqFdYXQ#}~w zCh6qx9dBF>4nR=CXVQ6g2p*sEMfu7O((OnH3gx_^y`_%G9}0w@DsCqf!fI+ToOkEfb z=sDqdLaQvTQG_E6+u-!ZkS0hXv8Z?(G^(f2gZrW}d(k#@T5Cr$tzwbAdn@4g@*93>+b=q2#Jv63ETS9O)Z!O37zsFyk!w!4N zY=^9an`JOAjuaF9(cWl&9)P0nFG=b6P z?`SofcBv50m+*T$P({}48H~2h+tKMus;t;80FN#@!Ds3-*(2W&yb5rFlSg;@YPJyD zKW~HAAycZdDh$))wqfA|3%cQ97{)kkLFSYpbV6wu2KCwmk4imSIwlN5cR1qMpw4t= ztq@1G?D3=HqpUSw2#cEam^-CSHoQ%Uq4U;Z^;lKZ^j$!!MLLi@kA*1mbSbCuFv^5N{Oy(a%Osu;@iNo?rLDk-?n=7i~na zl6hg>{5E2uDaPfO9$4P?g8X?(>sm&V6rvE=?tTa4SjM%L$O7?xMB!$k80*-3LD zn!Bxo%eit{pM$|5SJ$GZ?+e*jjR0s}S_{{QiuB2HKd3(7_vKm-YOnrxUjM;9*bD~H`u*yKQ$9@($<=0VVpwh8h_S1?RNriqV7Z|q6#VFEp&$z8KkaaM%=)U2 z_E9L_Y75goPSs)aA~7>@J(AY9R*yR+Mw$6~xZ97HZPOQ_zutQ2!&mmGEF60J>kmF`5A=-=iehmlTP< zbNz5QL_=_IR}2CQe6aIJH^G|EQVbgAjpudhg46HfasR0&8c%i=_?0Fi_nZf8H!BJT zuSmw{I(JNT`bn~`q+p$aJGAb+Cs&$MQ6J-mD*cD#vRxWx^>xFE;A%1;J{9XPx?<1i zY|?`!qjR(?Cgix2MOPD1wAK}sDHdeAd;%I ze*rml?%Q8)zyQ@xU|KP_YU_ylInQC46%8A62RNK9!K8pFeAr-*`&pS)Gm|3Fugng| ztEAO5A_9}UI{t(6)>&ql@NE+kj|YS9E+OffA!zLvgm3=e$k#Jslm`SL;*`3e?r02} zU;1Hrg^oaPRy-1&eR1l8u0Xp-659Iupth{1VB(4tczpAMino^F{ggC({NahCZ#4u9 zUZ=yv#1ju)y9x$P*nt=?4{TOY5KJ=9MBkV0m=yb!Xza?wdslbF^>|L6EXc%89e1$a zSIGX!JCJ_U4Xu|BlP~wu@v+biXTPTrnQI#QrMsbWWhfD7q@p&~4ac9XBX`FoV`GpT zZu?CmuY`%%W$6an$5!NPb3ByNUD0vLf(%NE!?q$9q^uc9mUv6yFL8!qkrg?-BNiT$ zw&U||kmQdsnE!qo_NdGtR-0pRFk>r9a_5mxjnPnAvIRb7lgWQLI~i=ow@oeh59gbA zHe&gzUFcjUMvdX7e{l9J*Ce{jwI(8Q zms& z+l~*T$B~zNB)HLM+dnwdP+y`b=ZUG$f^mLm3pubtj9pN(a!IM?Wxzq=1mS>@jdtYjykep-cFQ1@j$F;4Ow+56H#p*c%8t=r_c2*<&wFh65*`tg^1rfNw>Z6 zxY)%DE8b)gm%(wcuk}Q!UKUw@E*5&8p4e!bMOOI6fN;F*m!m z2}Xh^KKa<8?Sr-7dJ7JAF2JvY-dG52L6lwrRxI&GuvA^3Se}pGoxD-fq9o|kx*rP; zdEwL!IYIZ7eW+UR1Ahk8L=`JA-dWaFTj7y2KsBUW)c zFn*>N9F%X8lY(@ti}u3sPM3+_xKwnn_d=KFjHIkjMy8cF`dq6d+x8}6T9h{;Zk{Cl zIwb&CyE#2AG0-*V(+(I1?{TD@`fUM?B- zjmJ^kX43m*ku!ynunzP52j_+fkI41BF!;&yoJ37u(Dz0H_MHmC=nEqRhut#q!6^{O z1FQvor{rR?WdH^Z87FA#yB~8*{J|tv0_(6sT$=6&>5P$rnO6=#hsPunlFS4qyZ_sO<1ZKL0Fn-{Ts2&|;iswGOzUPg1E5DHTC%K5@c~PcSGkNa23kM#1QPq<$>_gER5)!ywTy zqFWG+vY~!Bu<*#A`9)@a|KJ>RQ(iFZqXfEYA?WqlRIuGW9deg~kYzni@bhafp7;l1 zzXuUGE-1v;sR1bNLj*>4C72I?yeJ+oXsS4Z0#`r0KR;Tq^3pN9sPl!Tbg00kz7&DJ ze6PIGUl2FpIDWzxZ3FZL2fH0dPZM90?Gc9ST?~QwgV>!Ue;H@H^2{w9VLiQuf&R9zL+Z;EVylT8tXU? zYqR?aRCP{6{je|2^H}A(b0u2N`C?h9n!v;36b`ofVoiaf;Nz-ttRL-%)9*US!yly> zo#F@ig`dfR*uyCK>W8mG-x0N`2hnw@KfKqzB(}o~kXPi7!F%h;jD>sA^vxft2kOXz zvfX$f;FyfOOAc+?iJP$jP|~?c=-Ny;Jq$n_YDh|II?9I!V)wzzB)v;2c8deCdi4cz z{!kKZo&~~o{#mj$A^|f=5W2)t5*ZqY^*KRs*QzG+Ik6b?D+soQ6-2<}4MKtuKu(fq z?oXNoLC_su`3L7dw*vmbdAUO$!BpoIH0XxlS(vq8)0%u-zYv6vI+F#PLQAnZA`nGE zQv`9tPveYT0A`vK!Rv<erUP>nauxn8gJ+MBT=b|)V?dj z@OpnVe0f3?HA`{AB>+#h-z5S5hp?kP0N;FSNoxNCm=nPB){aZ$Lg#$EeZ%*W4d=*% zk$ZSv83gN%lzcgmgY1eR#6CDp6t`#dSSuKp_g9c1t~+o@5{${!C&{mpG#vgAjAgx# zlOg?6aC=1vG>#o5Rp%3NhlRjfe3&dtiN~Ivp@>K-Awwim+@2i@MZF?YRU$=6Z3vF` zKS;(eibYj?2=320{Rd}Ng`j_MPVHkP_}#D@`T-#rUtuYD^|c%iO+#>I#00^6^-Dl~ zFl_9`3*^#oz*!uO6?ZKK&7OC_G=kyYF;s9;<1Ple2EnM!NN_`X8|MoH5qn8T(Bs(+ z9#;gwYf)E$TxAVrRQf|Z{s$p9uOO)_zel%Tkr&z*ff9e54!lp!TQCfD48Rx9tK?@$ zB}DpxSh;|ao@OWUz9tY!kIPB^=%eW6AB1DyjuO+|DI53PD(2F8MNM7d9J)!uQNBvR^9;X11ZYKQWs)4b8y7oKR>h zWRkuCsYrYripDM(MD<4!V)TV*oSsIs_a;Dpr4YdtDWs6^j}y~`c(5Un#9fHP+CgCm zUYtS}OqJr5eAqvB{=Ynu*V$fzUDJ=jlwZSQ=^(+cuo^5}8;XLnLj*S`J%J0qhUkf= z0_pZwSbIN|?;l2jwak@T=XuBLh!I4mWT`eN>Eb?*d zN+^mlgd}YK9*k}Z#h^!lWboM>BpC`ZAlQd23(LkSCm}XBx|2;oJ23L35CPwui4xBR z=E{X3KVch*>7IgVGs3VxXEV8!lZYAdVMutgk-R<|hex$xxPEOJA)n$ghI33l?#swL zuQ)`k#- zNMks9D;^?0>R!W3GXgIAGRYFNr!W{7f#E8#WMt)CY;ljkr{WNjY+M7QLlJNtv5nkv zIge`}B4E&M715SfW65X{KHi&6BG;88IZy;yZ$chiK8BeWMR>n`3@NBAK|ftFy1EZ1 zU5$%Sx><}NcLtGO@Ajdvl5-hLjER*-9twI$kYC=Hh6g!i_TN3cTN`wQ4 zI+ME6IE-x&VdQizqF)sUp{D2`oZmM*C1*V^!zz*6+w(@EliY}$sY1-{@|rXSen%)@ z3te)b5K)yJS$-@GH}bBNJ3jJ6Xd2Fl z+zaSsEkf5h4Jh=N;j_I6CUWPordI{D6GYhKatO0*OW|BCg3aA*h{qhl-H#$PiKK9o z6ruY7F|@cHD^A+ac`q@%Ip1osA`e~S#b~|18a=9ZVc~f(zVDxlms_$B_e+e(Hv&vs zoPixy5_DKwqnAf2=DSHyHNhP7&Lkn@fCNL$!FlL7xW1EM%tJ$bK9Ydr6D06UG5tHg zUV_Pb3iz}qp5J%LKRD+sDk1lN)WCuJhfdAK#H`^xW;k+RbgzJX2>6W?Bf~I!Uk<7M zsX(^0g+X^{66cx}Ny+|j^z{rSxrz#;cvJ*l?O8@v&;1SCoe`*znUcyu-w@Ljfz@?i zP}hi@3oc%09gk@3H$q%Jy>Mh2mM<1#ROAg`CBr)KrUA>~Y2o2lB zu)APZeKTu6W~GU-`<6}hzWh8Kr(*c6o>y(qIR~xp#W>!vs=BH$3-^0VFmL>Z>NBw! zm@-3x+Q9AA*Y~HQm$w96bv>&OwD34&uLSq^tg3#=abER6g6I#P)zwcE5Lp(9!oi#V z%Y&TqpG@IA@1MtCo`1wOSF+>&EnF!M#f`)3iN&r@hzS>B!ozvQxvdj< z=okj8&~ap_k1{!B6ONlR49WCGT}Yi=1m>RUfNYHtdA2J8Bi|Kcva}OX(GkJPW*Fq} zv?F$l2%;a2r%WSSp->>gsdCk7VeV`EzAM7)Ah+sw%OAn%w+N{}^QuEP-9+mkF?y(+ zukLi}67&~|apm)~YLEU5p21?=DE?7>(ESv;7xQzJm1P5j$8m-8-HlBevh3l9VW%m9 z&jKBpwcPeuAJuu%d@=>S>#_beZPW#$lnQg zVHSl2R{j6X51tY*!@Qhepd*vm7Kha11BJ$kwmO z#_EAlXj6-oof*0VrCXx#JU>>}Zk2|Rk|`0<$RWWpINu8~07vrIO-tP<EE`hD5_U^Sq2^?0}npG{&`^mu=5VL(Ao8w2ZhQTU(P1svpC7fhyT^ZqJ{* zW8h|XRxh(I2eoL^M1)1wd981^N%3e*>CEIKx;OP5EMuzASKQ|F#S(EI} zJ#BJ(ju`8Aw#oL6(jX6?{pTMP=|Nv5k~&p_`W>n?cJVI^iIbqRK$DK%(~L>A5)|#! zrXuSGyyP6>$x>Y!V}2Lo9e7ODvo|$WyoSZ)kr>>pPn}1cL#}odbXN7Hr&d*Aqem3J zyBg5WbIY*fb`;_#_oK@7N0DL`jWbXB(dD0u@tW5>uFWx|IX;D$A|HdNsfN^c#Xh)h ziosr)A&rm9l>xR_ucqYc|jK#G|LwYSI9m9F;t)r_Uz3ZO> zM`tOrWP0>JoYS96v9P`mwTetceIc(WIraK8ulYiXr8W9g$v6QEE=d2u`GWgpSykT_ z;5*NiHnz!1j8w^ep5w?hb)jwwJ;~~=;h4s2&Gvr!L|hnw1%`T5ZcZQa^Qs8`>kX*U zIz1viCdTuh18C7+O)_wn1mAX=(R~_S$hCtKoH%Ylduz*){BIIOp0cFlt3SX5k=Xgb znl3hYhVOCQPg;$qvT^rt`)wpXcAiN4o7KQ$0gq8P+EB&y=dq^jB3K}SFvzLnsydknVE6i}0`MVQF71)A#wR6Le*t-RK# zuu?#muFS)Si?R4+BcKbacj3o)Dc)-dsG>s_Rvwa~`$IyvOw2%=aU3M6Hh*yLof(HO znPX@J$N6sWc(n6t_TG_*)VerW%(412e}m75z8y=~4N1U}A94TSyzGh!4S4nq-?|8~ zxZglp-Mbr6o)w0IZKLR}iM`2(9G-)ePM|j``Vq6%2n2~H)3K`!Nu`MxV;0Y(Nm=?t zj{8{KPxI*Wk{-mkPy*4|C3M)@uB1#Y5=9qQP`9UYq=N59Gfu3gnqNPnyf_j^zpkY( z1D|7=S`^Py*3+c3_p#eI3aa02sqTqd)V_&AuXlE|@1qMywvEQmG<$mEgAAANM`Ndw z106;yaAi>pvZp%Gf?>zepWElTH4fBO|1dIbY|^GNXqf~Xh-#)XW%r6$B&C^=^bv*4d;0M zc;Hg{l;fqKF+ zzrkK?;5pmEh%oBCVmA)W;59j$Fj{*v8@LsZUSEW?yLboW*CoKIB#7STIP0|}z;UbR zADqj$zmQ$@qjenTy77rHAL8|AK3|fE6T^LJxkUn6Z4>{&`QiOlbW10?~}8?pFtqSG7Dxn3YJCHW-qSN(pAw zCQ)^v4!JNl5;ZN!ROFyaT2JwMe02)FlirE!?;nLwl1f*<_zeHlC}{6XrS#Zq4AhE- z>f2PBeC83(W<=vz_cVIb=@!sG2CMp{(bF@opy_Z77HXtXYwfeRNn&x1pD*2g8n!oM zvAHaj7GF7uVH>0f^+}~o0Y~wnO^SN6RJvkkFS{W81%s3wVf>P-9Z+p?D zEFRScDYT+jE?&${z^=+ zB;=?`=>v|l-!?v<_IJLcG6@dDV(FTZ2^f%^^bgK9>0wl^L5Wz76+&r73O!$~PZn{# z$dtgHbkl@E#EnGYq0%0DR%0kRc2bh$*CI2?|745`~hYLMrV34YpmQ@!?bctBFH~G@tg_Rf5aT@$l8kr=1mxAncX^Y3hD@N45`pxn5+M z&VJf8#qGJvlw?fG%>0A1Pir#v z#P9rr^Y0zW@cR6Beq2j3FnKQx=6};|aLPY8tN3M5U8X{^X9}?;-~f#qXh;I@gkjm( z53Z(%>y5eMDG~`&s%e|0F6r|y z5^W0AG{#h&INS2P>0}k{AFD{tG;s||P!$ax{v9a+(U@pcMJIfE3lp6fuFpA5zssJ& zx-Hb{-FxWAu^nr4nzrq%!I_`j$L3bjs-73Hc`vtHol5#YrE8+&!hx*$rUt6d4%J6Na>Uek?RSXU6hHvN0O0v=kOn#bGN0S|I!2W3Ag9afvG5PE}{3i zJ&(GOg33dG=S>ErqIh=&^;sPUPp{N}aK5W_h{l}OAf~H0*NQWAMAiUuhVvLUuGeVR z{ShRU#~9~_-=ddhk0SL`#ZYU#Lo;6wCyRGTaCP}z8eiO>ob}_e?!`M)@1-tD?;C~K zmfO_4n+Dl>BnqpoZd0G|&SdlKXb1{!QIUB&wBK>PSMOVN+spSDpB#f~;Y~Uu@frFd z7Iz=spseaXT$*E1V|s&{=wAofE#1Ra3Zt3-^>xkB4{U0}zqBqZOtOxM-t z!Et#q+PYn)6XkMv{+@!yZWn15$JzU83Veq#dXwAp`@~deZLXw`InGm;ry)JzEbU#B z!1X7oIQr%+74TS3V?!FO3!l?byv|~*pYadQ36|&Sq#HfRovlL7?LMS4`V1zzeZsM! z$1CchI-2M|j=-W*Z|P{CG30?z4EFv#jhtgn`dpV_-2V6U%klvv_y~_BeBaSrsUB%v z7ll*3-_m*Q8f0*%Xsr6(M6bChk*)`$5!knhrmJ_L+v*tTp^;8J_yO77Vqv@THEkI6 z0tE3XLK4;?5u;m%O zX;6uYq6DOGY@q#Sok0H?d~e$Llum0oj2zV@^xIlb8x#&At~Lo_9#3eHC$AYLC&MEA zF>SHhgN0n*b7jXP`gBSTe)dU4PqjLl$#G8P7^=U#MQ?DNMJLjD4dB`zoR>?|F-7qq z9WED-xT|Ss_IgYMd&XkQ(sUH;`9Ll2^Zjb|zc{;VKBOZ?tCEGbLaaR1LiaB)Bxe=E z@w??GEodAKv6I)$vKl#kWM>j?&>#~s2GbOyMEGz ziuGu&h()1SJ5}s=2m3swVAFrl7xq_i&^!*Kdw!=TJI*4YISvlbztI^Pr%_lOkD?=A z>11*eueK*ZH~b52^*MsC!xOP;>$tG6TvJ$Q93gp4~`~bQLk1yl~vp_ zBA*i@uwt(oyLoQ_G3UIl#Yc5^e~J+?_miOJqB=XgM~@WwL?Yw88e3eaL2SoIA*NoH z?H{g0lp3SpcteE++W*33o>L^!jN%|QK+6kNLYn-18Wf-fBB4|}<72>AL4Ps2G$2d&YKgLpdEpPg*`;~%QD zGH^Yrm5xh_z^`W+$ZG#dgKZ@!-|;Wb$(3?!U_%?ObFHd&vN~I7+Kqg=6^0{?T5P~= zJ+jd$0_HPx*{BwMa_^G}JrC-!J~q9`i0Kk+i`8R}Dm_Ta{78gn>9UH|T}h+?_Zu5} zvTcjyiN?(+B%11Q)$A864v9uVw&yL@R0_O*| z1Z%Q6MYT}hCdJu+ZfvRl1#~lu!>&LLrqYw=Derh55vInRBZm*nYnfF*yLauR?O(k+8d>~yegSw6bX&PM(oXI1)}mJ z64RF(vI)c6@ToKkZ<`HRe&Sn9+YpW8lD@3nr~w84X*YHHFr~ozsNi{=B&s({8gv6T z@jUNn&|}g|m+@)26yf%|?8C=1DC!r7MCG0=tj}qDd>MzcW!g-9^91a<-&p0P#oRTH z;FA~k&l7vFi)RiX5Q(7OyR-0@`|+S_61ui_V_BQ>@b-2RLZ4`GMe#0V>`umjd+O|o zLnf{|@qF*08oS4RtgtFV2NF-Py0hkI>Uvh|2r@SfYIglJ|u{^vQ&& zj#MU^#t~f0I)tf?P$3T!MUV~~$~y1rLWVr#oTu(kR++6peBVp(v$Gk?SNnmfHJqP} z9n73wzJqN-6t=eyVp`)HaAHa{&TlbcpO@c*&(~-yyE1@n?Wn=K12LGR)}Q5Hxq$bZ zV&P|E#7=rs7@JA4ynjEIS9=N_T>E>YdtcVK`~)O?zc0|%XBX}s!IZRkd|TFwC7(Ko z1C9x>KCH`De$B@nu9-9M+mlsB@4**^Bq;9GW=-xnP`HzXWh1m$LVgzB?N7$5Tiscn zQ3mq-QVBG6+={c905T!=o81~EDDd#Lk#@W{#$ z?8mqc#C3$DefTIgV6!~AX)D6+6QkLX!E)qSo*0YLM>Fk)Z}2)UL5k}r<`wh~zp^6H zaLa;Czw#8mj#1d!%be{oy^EoJqfxPLID7c{Dr~PuqbYqTd!>2~5fPlHEgZsH460x` zF&4AKP1%5VC-J#G78lG-SpEE?kjbP-KHs06v*J3j=r{~sZp4nH7GU*C?l(Rdu-R+& zLS)7{g|t3wcF1nX$6OlMfj|FD#KZ~v41=qe!$L=9& z%ztVmLbz6S#0OMa@^Ne-*CC8| zjD*fdYqskRuZ3A~PPnrbYhQF3N1CJHZ(zwvo>6?~vBzYKQH(}b;M(#S4AHY-j`F1# zsS%65$A+`jY9;Ww6pNS2Ls^cr07Ijt7-Kn@xrXjR)qL(ZmYJ}yr@OGYS3G(K_h(M~ zGBJ|(3Culi$h6L-;mUDt+no$pj%70URf(9tS)a}0`scl?lW?s`kL`aQ3rCA&%!=&E zHuHMO?JgA3iZKqG8igTN%XO3f~Iw!EiEgEwytl7HNhmbHZ2Ae)v zvK>nb5l|O{or_1Yn({s9ksOOfQ_Y#F(=OyJkYe%Iq0HT92X^=1JrzlV*?|`+7!w^h%4}9~yw=+=ncj-kp`L@`f?@A*q)&*xCj+OfgPF4|g?oxnetL z8_!3e!WtX4Am@5IJok5D9%H@GH#;4@PAIc^MP6|2|1Zu8*G*XP%>qo(5+b|%ICi#N zhJ*9MFgQO)S?AS#y3vWjr(EHM^e8yxy_b zn#H#7#Q3}z{JLey-rUVV>55pCEFH;4UrXlPuoM+8!`X&koMXEsMe&v)tV9%zqp5M& z?`XohZWLqLDqdrDHD-@?gn=3+z$nFlRgDZrPGbVRZue%V%Y9IBBoPs#blH~*H@pu> z!lR>FtZ;}E22W4MwZ)oD@%Kh-(Mmz4p*mafp7&`zO+olT6}C~}0Ifr*xM!=(f(z`B z8Jvb8HxyZ;p)FR=PsfBiitK^M7OZ}ghO9jb%-(u4E-vDF(Eq7-C$^e0QlE`N6(Q!G zn8>PXk7Dzi%@1ZlUY7GiC)!W z)E}M3)E*tiD4xH(IWd`?iYP=4*O?sIN7$IeJUm1cmX=RshZbZbwLJ=l+sCnh%W06~ z_1>c_%rp#{^HMq>Z%Sg4l{Wu>3OVVxw!i1&k7Iqz*8 zuqX~!`uAtg7WtrDD;|1I2FxPH4Uu=_@wB-Yiyq;E>6u(-d|Zc(Z+F7Qb%_W(-JSJm z+=>tVlc21i!FIN6#<8X(bPrcybF??1*WqN;j#FmBxf?LTCk5XJDY7A14p2oZF3*r> zDeZQ+q@0F2s}8z&yDh{w((p!2o(*6Q&<;(*3nzK@s>U88c-`xNajuRY%skhnVnHV% z*CK)uw|%&5!s}KAGgvbBlS3ATBdK^c%e#CCTAWkb>^7S{<2AU`A`$kEp2=D+b*Y2R*;lR+8}W$iUu9g~J z7;D7gz~Mg3(AyJ+*W%zWugCJ*+;A(F>r|4o*xr3E_%tVh>o2>pTCeR`qMnF7+f~_J zhiz!MmWa@!%B+6d7No`{VdgMJ)+1&U0_G=U-9tGxzj_0TIM=b9=ck{P96@fTU{3NE zdc@Wq4k@V!)A&d|uh?QD=Q=#Ef1_QF+2NIX8pgN%q~knnQF@cx(Er%;g5QIg$@OGd z{|LokOTyH6obo`6+jGkdw(N2aWFy0IvDa+2BWO2_W^#MpJCi9++KEr|L{RH8ja|RX zb5Ma8Q4HAd;ZbD+*!fhqDRq zBVaWm8sUa!td_6$$1kJtc#O&o@Ilcn{9$1o*iq zvef2n_~4g_erM%a=GQG~woC$z|3O!1ZN`4CiJ9E;iB6cj5u=Kekx}@b_7gdxa&rpy zo_I}-?%Tta^Ku!jZ)w3e2h8r7id*a7(wzc(e2q`V@I7CtL$)pKQvSucd+8A7&-Y=+ z)=+e<0Hc{{*uk}4eFf85bY41KwfS28F`XG#rXj%~0_`uSFw1<-tMn4#_EoT_&3rBL zJ*LO=vFt%x96oaG%InXgScGycesHanozHN#g!_zlu8~-kF_>LHB*u;rQJ6PxAUnV{ zAm+S2m9fEyB~Rf!1$n%$EWR((+rTwwt733i)QipV3PLcio9v#b!%PCW&h%<5jy}<3 z&(HhdhFFRtJRjUS%?l?4ad@(}3%mB-9d?z@n+&t{ z`)&$UKMHYg`&6crl!{4QujsRK3Nw(T!1YTwB9r;O@JT}E%Lr&Fk7YiM@#r|u^YK;- zraVfDfGn;j)Hh>~q|xZSQG)ev2e4(lrX4ak67NL)*eI^yvTBUPrw6?mrQvwACkmgB z_GG7C3UOj>G~%!HU<0gq48U{7ls6hIVsj9NT#rFey9$%f=bGrKSiDtMW?p@KK_^Qw z)=+^>JLQG>9h^Je^^4B;^FYrNap-ROjTX*#!|CnuxX}3{eK^(yY6B85U$co0vfPe$ z_Y?4I(KFhPZCD$dh>cetQpw6K@UlrlL%<#CCESEHACgdRS4&Tw+<=)m$ru`Pi8}vu zK;XO-*sZ%lL$e(5(u&tmwp^sHmmE+kPQuuXTH1^6o22C5y47;!VNA-oTha4Syt@FV zJvtd9>v^s4@nrUCZ!*U6-f7J%ge~&mvFEjLhQ{sGV7+yHEFk^;ki?RUFJP@8+lF8MNN*4yXB9h>D-=se5bp8cpr?s z6pseA()_XB_*gDQ@anfz+}#u4d%%~H7xdS6H`JKKqt56Fef7Zw8|&gR{@6X5-okN? zNkD@A4eIi18ytC!&&K=;_3614O^t~-)At4bo-@4qR_d-|{(k`)sY#^=;pWwgU&GwcdDM;~^STA$sB^_#Zgb(F$hI$ zr}3<9LI8fu4@FG#L^h*u5I%7HJq}v4CL!;iC<=wM`Uo~I#~<=sCsys#pY^i#Meegu z6iRg2)brd=e&QPM>1u32oCog932|j!C+1(m|8Inv5WXir(a~nEc&;l%+OwDRXPYzT z4dDFM^E$dt!5O!yFl>IKIhy6DLK|&0?SU{6X zH{qAR5Xy`8(CQZ(@zhg@sX04olKMt8^LmHbiFDd#u>mXB3bAQ-A|0^Q5uW@SCT)$O zbNn4p$hjc>Kr!_jvH{_>yk|ZnoXS-=!sTN)D8lG{xs5Ph_OJeVfYg|Et6YzC{}AZD zwq$}{8=)nv8CiC?obHdsPfpVIC_A3( z`=Qs9BC1nuhl%`uP@Hng<+Un%MBVX4YWFPa7;2AsQ+yGepGGqp?Q#964o=sC_ZZql)4@89c*y&3WrxLd^*~2#+wF<%xncA} zZ%6cg>w%Lhfpk-w16G;we$R3@T16e8Z|9D=b{pxF00*4oz06+?S5f1k4(NBt6+aB; z(jWKiA-Lp%_K^$d!;X#6?;DEmp0lW4!A5+T7K)QUXVWEbH(}&8t~L6fxbFCeUaXLZm^st!cq#USEtMwt>*l9n8$9EkW|Y0E}zw%?_6>#)UdR^xoQ) zW!Egi1)(p-9D7d_zAnU8{@Y8RT%u1s7h-R@7mCgm(ydMlVZO{0*YCyAYcCgK$9H$U z+2TPvWJ|Cj-yLO7mr`HXRp`(AUSEHlL{*~J0Ty0x$+V{Ttn4s;j~C?6jH1ha+G9+H z7rg5%=s6olyq)L;TVg?NEjM6jnI{HZF{hfpH{ik`&;Li&S%yW~eO+9o1Qf9o8ymaP zS!YmD6tNQo6qQCo1d;A;K}u;v8YBc{?sL<2cjseacfI@l_V?RdT=VeAo-^m(XP>ox z3wLv;@JWTcVROt0BXqU+{zc}vu*C^lo5%CKW^-I!?t~ArQT)*q3;Yas!jjM-{F;Xa zW>44)&BwiY-vSHF80(B~sw#ZIaSOcg+lM#Fe}tw43#?z@iaXbP@@|S&7{3g*$MM2L&t81}Wh-#sf9vdD)m=P%c{ZK-JTU(EXz`lLLU<{=!}ju6@i7PH4{*aM z_n~4$97EbbSNyl4yC}0_C{Wo)^Yae=_Zc947%Li%M2Hv{c4RG)OMrFp`}ZVtFO-y0HxQepTU2i*JUh1wM-glW?q za7o7ti_-*QVP6NBM0-MLZW2mf+Cx#%6M~TN96Sl%Jp)h3+UZ!}VwIo?suCNE261>rGQm~-1(hgRKe2{&)NKoo)hn}H6Q1!_Y z(z0#Q`I`^)uU89=rgmuA>;KPszE|;`YrY$agt;D==Snkn>3D1mal_V}A)@KRNi++0 z!Eeo8;vqvV7?BU!=Ee_h;H(8lT}M>sHS+nRwUE7Q4+iWDeq;D;L*lw|gg z+%O=5W+`cx8l3&z;piHGq-Voqi~hJ{DS1G8Uki|}ZgfZ0UGh^LZIemH5c7n3p0KTo z!Ue+v@aayyqrzxmkB=M11kgEi+dM%pi}s}6{&1*UB-C0TsKL)a{mcbR(E6{f#ssgd+OdqB_VF_p3r3!M;5XR&g3bz#F7M=a|I z#IC(RWV2U0B0o6@DmNwyKV~{&K)}Cx{+oNx@Cuv02qflFVsKaSqDntVy6?v-_a35P zI1u~OoDpUqFLH4ZJ`Hn3zY*8DZI%Z5btOK`uN2-pYbwlJ_aLQEpYKv$0@GuTaNsY6 zYp$E2w95tXT`Aa2qqS=80p-?14J`}zVfGIn%-?vmJybC1;yh(?&%MxvG-=PLJIUT{_JjuU zm}-_xmNi$oqm}xEW!T@a?x!21BSO)vk}T;pc0V2;2!osTZj6)AIdpIYG#cY2BPO_D z#Z0=#oY@P7Y#*-ujlg`d?qu#~XH1#?Z(rBrQYK$248&XRjz?85c%M{d^bA1WuQ0ZTd?eQvhroGI9xJ9ZV?7VY z`jv%D*Eke9+EHjx%w!6Np;(hgcdTI%>~>KILPo{F<;*T-OkVYmcj%7$-30d8hcr7~ zqw%!n5ll7)BIa=ZJNx?Vn0GZ#$#8=FKC(WNA2T(^+-CR4~NrdjhK-Qq-h1v4S7)HFE-g@rnIv^EV2}omaR+`))gI7~NLGLZ8OM-zx>*jSsW!kE5|jE(Pc1{Mky3@%qFJjYfPquP=5IRpyfqzsa8%up| z!nafyRHw2bbl)`K@?jYKJ<96nnHE`|j*S`>Oy9{HYLS_+e^JZQdJ{)#Yc^?>jaX1>G|<%hG-#UhHSmU_abHS?c3_evhY*Ax%M)l_%bsHO5L3Gx{Ba37ZJ zIK_w7e3Cq=w?|^qX?}d$Pf5=LYdm$y6ka4lf7D^*S++4ndE@cre7trjWp@^nmv`?m{J4_FQV)1zvO)eobxybaA`EKRz)&Z5;&z2|1^Yje zc@y>_{eBbocX%v0FWG~6ug~$dWzQsGhL*T~EQi-WmB*^}yTLP;@+;0`aATeYG~TBP z8>g<#DkadL)Wpg){ZZMw6y5yu z;p4Daq5aJkoXN3A#0DRU?(85a(OJ0Q`aEV|odo}J;TUG=$A*v0g1_t_K3h`e}|Jgyoa?hqmF~fx?M)kt~RDn5DPoIa?JYE%-&Z=;mOf*DE<~%5^2xNew5=(7a0q9 z9*RDZ70~Ei%l48tt5D}S^(e=gzE%)CJ|0JjMG^Ch55SM0N=)pQ%Zh0ptox}F9}5n% zwnkrkUQh*{)rXk=KtH%DRYL#LL6${*j>)1*ls($U%IKa%A*1S_I&W{;BJ7VFfZJaW z;Nwa|ZkK&u^3h-~`rm2bpPH*A4Kda@yyhNn(LXK`9-HC%$YMUe=z(OGoGC)mwE6if zBN0YF*E9(iI*#oICOP84m^TfpjG_^E-47u<>(M+W6a7K=q~`~+?xT+(wRaLWA6m#< zMij#2b2_wtZe!i<97E%VJUlz>!yf<4gI`f0bd3|)pN~11ZB&NJ8Aa@zZx#$}E0H$7 zntkt`j`s!CIM=I+9hOgpT%Q_LT`DKdS|V1wtA^W_V)ksj*m6x3kMw`A7yTPS7@Jb`?jIA*?xh&E=Y5TD;!F1``(GgH#oc62>1nEJErzDMx-dmX0i@?^n_Q}AsEzh*>$r- zcsbUiY;IIDcen2v(BID(X-z?wu1KaSug8hj)^Sg zMG(aE_0ZlnjP2hafX*lD@#yb=kgX(5UFb>Je=37)lpl6zHsGC?ykyEXAB1cW{;Bf~ z?G{WF`$KF!fbXVtf`?{>?<8NXcu1nP zcPsL|4EVYy%6NLm7^Rg<~`#k6?*{W@V9aBpAP3dZh zR_tb|Ic(%JFWi<)TWd(?ae1DS~!svft>z+_&zjWNOaG^%DO1{Z;lY8 zX=Qk^AO&t}X2P@5Dr}#SgVZVG1g*Q(7>YNg1-`Wl%b4E~)BQglQ`{2GVzH?aZTiFjR!y>35RP+=wa7ni#vDiUeo8dlc3p%DpK|eqw|M`H1=Kt3V z8;EFZIoz;Eo%BAPMC8x!Xt+VX^SWG)&esOX4il%La6QNF#yPTm)RQco$T6*g%O0!K zz0;3>>ueBQ$|_4oVi~d33fA9dD5{klH77=>&PNvOv_!K1n+0?dlv#xKy@dg%jPd>D z7`}g@)>W&LtbfhUg1xcWt6UzJKNsWq@OSU|>z+9_` z(om;I3$1dEp>t7A`rEU+B*teG4()j@>}s!<41cx-1EI-(YAwarzBag4F@gVCACAf9 zzUW-6N&dbZ=omyH;@cp;ctJVjSqfGacH^~QsxdPo2adD83wJ$EV3}Pp0#4l!R%F%S z+WAVT$=3K1tYau6ObCcoE}W-M!RAy0iUMzLm`j`I*6T?@eDoF??P z^AYCS_#tU@6Ru6M7W&bw&iPg2KXrb)sbYi}%N>(j0LDq~UY5DUBlIv!hVcMfeFgkTja$}+q`c=;5t#+%hX{;SI z?i!E}E(*DpG=FPY#fMMNgTcmVgnH<5p}7Lm1*uqZehyzZ{sca_=ECUl7(Up!7Tx-k z;Kk#h-RdRC*Ue?9cOe-PrXR^ULAfG)~+1rya$=(aWz3+S9syu1K7 z-i#3YCP6+l7fU)?Frv#zVfxPuj4f-$#81`2p(66Ejcmh-v&V(=*+~fA(1uRqD}cluLlFVr~g>*u`v}>%9WTnbhZ0slzdS?8Pz}W=D=da^m z(v5H?(*bQc&irp)9Hex2xMa!!zTD;*HqjjBN`@o<{u|rd^<8neGmkZ_PLvFXl#8iB#{2ScxxLRRX+&J&xT-Y zRV)7T4?^IuAjp2SAgS@Gup^r|G`TJ4T7FwtGa`^a)0Thgd|S|vF3OvRzM90>iaRB3 znR!OihxX^)YIAhjh8>iwD6m3++A^JM+HMk)r8{u-Vytx3)=0_jB}Q0N{ZN?kt0x|q zn?dXKULNty1~J3;A@oQT*A7U++`u60coWCd1B>Zd9uK9xQM{w91{z0?;Oyf-u3%Y@ zkspqtVuc&OTwIURL#41;ZqD=j)?vqoD%=^okvCh`V5n9-Y&I(xW@-gIp%tGU)HvF*|$*X@KM&OWkl=UCR zpZrS3wYYX@#tq?D<|X1*YddCC58_GXaTq3R$H!d*c>vw%`+BzHWZ(dPNuS&h5)4x+pJ)_>~U%Wk|hsM|~| zpgQ*-{zCe_>t)FaPba+UtF3dpp;VH2)0%isb9FAypkD5j88XWZrNbvzNNislqy8pw z1{BB9T+kfnwIX@)Z%<-m9e`>|4nIN9pmDmSol8H)h2a$#-6;{JdO3V{LLJhJG9Wpc z!jDdA!1KAs@O@+q|8e;w`e>J-XlM|h@}v&YeX4QT*qsmSaRLKA*FiCF`6PboSUpyEs>Z8~Xuh=U1ippWA?|W8zocJ< za6=i^y(9DB^D^{VAi^iXoomjdKE<^OH81w^Td7AeMbd)w5Ia6>RyNF2Tk%Po{OR)P zSf1X7-)O#Veml1$_LNscJGzZB=D`=pclE3t(Yc0vj(-e}TqJLK#ulz% zL#&>FcIYT==8*wm7^KpUr)M_uGV(4s+O?rYPMqn+VvK2>L1^fSq|sdjkmq^7ej>8xbx<=r^C!I=I0 z(-{L4cAJ=i--o=sCxe#u)Rb1nx3_fBRG>Z#(jrmCoE3d-2oteC8O)bj4)xs|} znOjg_ZI;=9(KqAyLj7`hT5{~263umzi_pKY5zq_glCJq!>C+7Dzrj2@m-@-iEwpb3 z@-GL{aYwxkrq}#^ zOK$waJDPjjw_|U+D^FGl$NL`b$WC|QH*&)f^Scc%E?Myyr7#R^Y{TTIx_nS*FbY=u zTjxJAJ?Q}Rx#-lx9Xnsk>8#(`8-wZIWz=;|oso8(V83+_l#@H8U%o$=4BBb|zY`~A zuXsPa(6b;GbOQgVYejrNQ`p+-8s@`$j9v+7czOVSXUIJRT97gH! z2mHEfBiuA|@#nwG+>Lt7img=Vj8^{Of&jxqWw39o=gWsQz?9D9zQGlI?#EhOl-6R; z#{&M%xEg)hPNHr{F1M;E2MZAJxjlp5>RgPvvm(AfOXK!V~(UGKNSXhsb8Ie!q%v)hpz8^vFfhHE;l z`H>SN`9Oy#SZKFH_j@?c3#0SP_clC93*|lih`~s&j|2ztM=!$A<4W5<>->M$^B38A z>5AVAuyM3I+75QsslPXzc)a`2IBTHJRrBtc?q`pg%7Qeie`gGPY>64~T7(lDCZZ|L z8Uf~IT>gS5%!=L6{`Nnf_#zVumBBcu`Ne=7rt{0>^B(wyo}r{Q zawX4&%Lm$X>eF}+l?V*E)P|$?llkeONPKxh-wVfsyor1sAL;Wdz8}HO4u<1G!oTbJ zRMuwc&!`nJj&sM1EO+6CK(sOmhLKM2kR4mhA5E6o_Lh8#O*!b^RH5$*JBWU*%AJR%cZ762BY6^8|a(c^SEbg zp~xKZwf9s0g!Zv>%{~}ut|B&EDur}q1f1UY6o+5rXe~VijTdTS$<$VwlcmFJU02b@ zvK8Z+bMeWdv*=UMjQ3#$IG05Fr4fx7bE^c4l3()~GX>25T!GZ^Cp@FmNqAqchV#CA zy!+J}eABGMm#Uk5V)x_le|!?3v#)Y-LkZj#2r%n;i6^!mL--sKPad4(8n(G`x!nkj zE@$}N<>V=t(u^d_c0Pf6>AMT)+}ER(+m_`$f;=wY$mf2E!$Ord z3}3~0-jisgt!%^l;FG+Y1F`*0TacD`g5M#3xp`{~F3-y4=F1|;x7`Lqn^OKeB@!L; z{_UT8ZqbuwPO`u+J7UGR+?6(KEQ7OIlc1vv>?nK&Qi9!

M~b zzU7kbC-8lHE&A5KFy~RUs9ENvnGmZt`;48`;eS;Y-cU3(V`qB+J8>7^{7yF zgyw|5d?9(u9_DzXcjtj(#@A!m6&woh*(1c$p|yzZ9uMz9!^BtG0xk?lLGbwj;-fAc zla+~;bG4_ab%%P47g?}sQx%6QH{gp;9%lAd5<{QXVbACScw5Mc{pk!opqzYev7N;2 zBdc(`wG7{7zxWrrKiM_+IIcYY#>*m#kV@xthh3k!%a(k6{;wKmrhMR&400gOJAtor z-jbIg1EC9QVL@DlkEhe%^|KZSJ6`YsTj*@)T}S-W=lse*^0{8C!+5u+d`-7_SSi&b zIfgh7PcLu09Oxii2LORiJ0r<_m@Oh~!HGeq`0jKw%*N**M z{q-WuePD-ET0i+lZPM&e9+mgh!Qv9*BiKAK5U=Nt5#Qb{f$CxMkMtTNj-eUF_mKzj zG;X-KOYsD9(vl#{87QjP*TCvUDxBbxc2z_z{xwUFy*R55^SI)w!>8fIE>2Vm% z%Z1FMt7v3e4)uZg*s@enyn3P-M$~)%-YzfRd3g+Tx)o8c+eM5YnTOx>T$KCMNnGKa zg-!cP;6R)Ng^nXAoKlMPKRMB44?dNm=Ydbe zLx{uJr=>JQ`@rvgibjd76!V_H;|oYv?mVUppYOlr2`{73Z*Un7ZGXtBF*Yw0dqURAWdnTN&qvha9?vbZ}U8xqAF z49rpz^Yt@OO!qY>l@-OAV)NOfn?j{2ic z7P*Kz&`DfIvyM&Ua?vXL!_~>3czVTwx z?-YdRz;e|$z9p7C{ciLO{-1M-%b-a1;gKygNoQO2%wIbD+j>ms?uNw1XzAH&i*c{O z8Bv#1rJtO&(cZ-Y30b{)>D@V)>1cz-PWO4w+s0^kXb<5r?ZcCam%PCpA%^3`K^v2h ztxH9Y0oSx$S9(m9SD{DY&4f7qwh8~ zQSVp=ZXHU&k;-o3-1~>2Gb$Ck)m6o%bcfU3C>784DvK|?lEBxdV%RGsao^trg!WIx z0XIc4Hai|&YE!Utyn?vGJ{DEWQn3BEocMNoG#oA_lUKTnxO{yKjNT;Uqb+36Cll;K^KDF!M&9d3HG__pyQVFE#Ov?taXcbB5!h z(IU%?K-67NRE(Y|W_LOSiz9xhOdT(_?M%Z+VzTLf7$wf3ed6$hVBFrMAnRSiI}GKivFLuahgdoy6&tBu&qk?%V`#qV2kM^U^XPyFHhC=}Moi|ZSsarI6VbT#G0 zdBii%jG+1N_0Hm|Rnd66AR1B8oyA`-qHuHIzx=v)W`}U2Vh@I0@IZ*4j2f`N46xgWf^mOY)wab@qr2>f{!zj@dns=HvPHL|G=A@e4ot^cp;p#e^qjc^ z-}~9Yd*5L3(J>$RWH@7!o~D==Nvxwu?l8~O6w66dq)L8)Q;H)*JJSSIk;Yz27$gQe z9)gLgFLqS)6Fcos#=$?ns33o3QhX{NHBj!_gude7-)Y$F8i*JB`iQc;G;FO6!YrrW zV#RLCIPf7Y;^1E5&eO>lek~aHebmKDg(S4|U~H7Bi9=@-TZ8mwK5x5;@s8yGBS!Io ziK=2{TO4Wa0`W0OSm2~h~&<&W#*<;AqY(YW*8 z9~p^q;%xsYEK4Dt!-URa@r@{`1O)>BbrQ?MqQFc7|5?u()w&Hn>+G@ejt7E=kCtjJ zHA2@kH<)}{D(!Y;6}qzu1SK#p>e4p|O}U#|1h$>f#ad>J?Y)$FT)HMJ1m^WbJUr^G!X)4U-Qc zb-5>0&Z>*W1&P=+%L|D|dx%w~2^c{+4pY0UiCgsuSbM1L2PB2`XaT zvsk3YxxrSut2nqmhPb8`t!g)b$*#uA#)MzG55I# zoD-F$L#7+Uy2TCsb*D-v7pz765EnQ)Jz~8#>SG0*peWFjchhp5aNdKu@e8^2NPRr` zO?t47A|A4Q4Sx2p#E_mZ`9hN|7ItANyL6F4`QWUsXk`92ZzTus~7|RWV_X z5AH3qME6Q1aR%w!V(Bi@|FnWAnNEBZ4NGkKq$nB=h`^5!E7*MMD$X~LM!Jy==8aSl z4TjJj5M_%a6IH~?#1-;YY`gcrd7tNzI8tGXuY-Q_xkZs^wK2h}Ip2Bbz(@>R zV2t#-&%BpBF%sx^F7Nu8za|gv0W&M4`@iQ&#K%eu*up5N}1PL&nK&3-rz)Mw_Xi~=%d(PM#Y|(dKR1<+g zaprj2@|(Z2i$Z5_a}+E6g0x*f<1d(GcmrhC8*+iBgr;9Js&h49-1b$-wJ3=iVNb7ORrKI4m> zB8g+Y4c*>8{|mgvE(p(#(E8tWgRd1rG4zc&tS3I? zLBs}rr(!`~#pj$)h=Rc#bM)T#g3m~aLfkrY@+>^(dI!n>x_vh;UwX`q*GA#ppk0`D z{~jOlGZJbUW-yv?i_bn5i9P*xAo{>He%Fp_a>x`LXI|k|#P*0?XadQO%Y5NV;+*s~ z#;Kc^dC#4Zu%LX{V5iI6*f#FwnSaQRP( zjW6DSUV9v1BQ+6LY}^dPAUk~S(}QPtZNqlzJj?0S|zzZ!{% z_MMas)XI}7-^5DY44;xjZaN{7_;TCHcO&CdyHI|_8PcV!ZQyG=MdG^~t>O0#{NC_L zTy@-r9`6M{z=(9~RYv$cRNyo9h^;$w8+Og${Ihu^oNgJR*<0jicSj=r%{F{dYUFG8 zMq-3)+dp-7c^D+PnAqcpf+uoQ64)g2G!0&Q0A0MkvBX?MG)!}aQsfQh9KIPFl%4T3 ze;rFcy&1Q=I3oJuLD}OohG^5guIGZFJH?VbA-P;A3B_L> zOO(H;;On|ZAX3W`dD4^IxRSo_f&~h;%lJ)NtLx7Y)4{%uM<1uW9_`(*`gENCKW}*7 z#+_IcRLlq6iNJ1?|M$z~^Py=G_(tnZ=Xf4ZkB-3YZ^l?L@+j9mPMlqF8$#la@p|$x zm%cQ@HN9f~(6V&KdoD zWu?(Sb#6!x7phP0!D(erNY$d*eOogmZ971o_pi)Mg*0@#U9o@se=M$gD-3oyc9egyjKu8ml%5Z}!c1>@t{p`YZtv_F9Srti#ds4Wi0Q=Zy?-s1HQ{37`k_?aDKT1-H#J5lkVJK zR0Z)x#NjZ66}nZ&@VPG{@Y=)@_}YpH^NZgR9@*uxj);D@I5G-+fbb?;*C&{pTkq=bBU+_ z_J7aaodaTp)|CBd@biLaTe5JTQ3l;l>Ny=Vgl$ju!`xFk(lsOyf0rlYx zg33c*7-V?hIBzQn;VuR3m5a~zg z-!N`MgV2w(BoSLY;6Xnh2+GEpLq0yO1_7%Bu&9p*Ql>NrMW&Q{-r)|1X$?YyJ>?O# zkOqKWKlBbj3Hcq4)B6v^1i*+i`9>b*!nkC2*eiQuNy!!==;#5c%<#r_y{W>}bFK(J zPAq``nQvS#SEI}qd!!b6;r!rX!ig?>&~KF&p7fq9xOkE0`kN;@nidGpqR4w#?upoy zD}+&h?BL-?{zt1VLTJt&xY&~aF@3j?YDK-CJ!QJ-ISPB{I^bE5C)AG}5EME&BDKg9 zONaRgpKd$i!VU654)GI?QlHpO&I_An`U^?cdyzce3;C`7Lg|~m*hyR-GqnI=AZgyW zn^Wf6@Braklrx;%y9L} zz4zggix(d3^cU3o?}O_eFDRM#3)2QshUYFXL~Nw@XzWABRxj*!9v}=VcE{Ibs^ z2ITX)_W$R#_p-hvf4MgrPRR-VgQ`%6`d_}W-185lux+rs5gdukQd%Qaf24IeipjQ3zNv>Ijhwh zMK9$9^_y8qU3EtH-e za+G=3Q(oxU>xRwhJ~%d9Ua&NA!{H%5$Q>;&tka`x$#KMR9x5+9o9>1$(|zDi@3$L5 zHC*U}XY<@-FKBP9H}w6d&YqvH;_F~v*#4%x!lnkSr1zfwKt8S;IanrmquU!Vm=klv z)6E+f=;uA>8$)-KH|de7CN7#N(etKkH*e%w-InlW-q=Rpoo(4>l0gQV<{`jY)q&E6 zc>3-(o%5wWGO8g+>WL?$ulV16!{P2i_Vjlkih2?IY57d{R3#9ZBfJr~YCM~>hw`bW zdn0R_2Ae2P+B~Y`icRWlKe39xQ!Q3bkYjyl|Lh3##`LkTk+#~Oa$~5@UoO$V!=HKp zZ&)SP;i;lOW(}Y-_K#f3jV2!6S|4~=B%pJXAErh4KrKBCKePN0-9#+eg_N%r;D@*` zK6L-$2Oo1k%-8fq;cH*4(DTFHHNI$j;)@Lv{Lt6K7atA%uvNtmnt8r>H#P3)^wUk@!hxJZDuu!MGK{r1{H4zW)nh);e z_(A=A5Z0vmpzWd`#ugHr&&&r~|M+1o<+m~V{F5j8VieGBpP)h#S-+isieinN@jJTfO=)cK_C@5jI{Mb?ocJBa4rB7=yOs?QDQ571K@JU4+n;J zWjlIO{@W0L{7Uai*_!^iYvhlY1C`miv6Rbqm~scal$m!0-EBVbhxDv6Gi8489z_{v zomE&1t<7HM0npG;VegE6VP6n{L8Dbzr}sWcdq;U*gH>4f03XE74uq+a3ez0y13jAe z-iv>S(4IbcYx?iJZlGTjt3Dcy0rR~Pd^nu-^o>HIy*El)gW1*WNW9MTM)y_z>;d&T zy&h4f=Oa(HhJ38UhWp^Wu$L8+ZXsod53zNuSn+atoll&QgQo1w={J91(*5E;X38pZ1cy%AM@FR@L()Xr`K`X?DXp(T z>%Qb4c3|CHBOyPF*giE@>>7P`QE`5dSngt}wsbCd?}u$6+u5D>;ZQapUcpKew$LLS zyK||Zb2eu6#F#(+!=H4V#w_$`82ai5;N>r4wve75_L%{&&oW^p6GH)-A%8M3WdjzF zXOVoEKVF)$npKn&NO@a&_S@M93(8>B3BuL;+nHBzApR5w;qQVS%(0kyHjQ8m4&A{b zZ~5a9eSVg$JD6oRe^~ww#<0&jSo$K;blZjCc3(60&C3@99)>_;k{Q$H$Y#;6Q z>~0^*pP{|rfA{BoTFK01Dlw4hnKX4}5{qv>gzYDZ!?P`s)vWc}W-($y2V9;tRJTi%pxsCDrSlIgz%7qR_rKSt(Pxk<4V}h|T&V@a148r1G#PxmR!dh!7S2I2Ynj>AA zel7LY#Km%4>&iZIe@sgY#bH-hHktP9QIzenEy0yJKljDg{4g{Wy0Yc+zBo879Q}S- zvEMenh<*HTUR$61IM(p&Fz!2f!{c=v>#{BluW5hK?h(g)XNQhNVNO0V3Fmt-YvM69&md;+V-ME% zEalh;!SGJ;WGUpeZ!!qM_!VC4;h0c7y%z$LOJ2<5SumJGDB5~>vm<3e7^_J9hcVu) zp6*6o6RU8}EN?c|f>>Fz!m*i>b{4Jm$M$pK@YeNax=Z|!X%T_o72Yh4(oIgtMPlMr zCuUyfi|IxG=7`N%9LVm*ksh0RhLNX&Sm~tvNv;`1H&Q3k_fo3sceDg=TG|{n>f)3}*WJp*7!^O-V?Gft)|yPW541NJo(A zPv^H(FSe%S5LPMD{y5Hqg`ZBu+n@jpA4cB)_X$u@4#eH~{p>OEttW*9Qs3sv&KVxW zH>DsP@8-&O9*KuG@f_!Ub73*-NPFKi7!_KstRyc6FA9QTe$bU&`9t1uy$~>s{cOA$ zgBE!jJ>Z zU=d}?X+$8j^Z>g+nV&Y4zZTg{uUm-==SZ`p3kR4h`R=a_jY9t`2Ur&uU#OgkLfVBr zESbK?lW0Evzx&2uyiH^ z>XXLXvyDOqGHJgJr{C%0nvNGc{owq;jy=~of(;-1FoxT*^dX0#=uM0}a~pO}E)8G0 z({o3~n(2Q{!S58}&!4hn7GFr)HlA`bxdp4~l#Hd-f$;fb&c60d!e{zByN8*xSLFLU zMtxSpE^~HwWg-Ss9+|19IeSJqF!EhOU@Vxk?;&w`Toi)t!z@^@e7Zw1qFl>J3#LQ7 zx{B^$&{nWy+lEC_o_H8c_FJ;KuHksMHyjF2ELq#*P<)?23|?5VB2&uDd=vqN5G&^P zCJ31{*Kj0A(M{UJM{kV6-6vM;(6j)2?MYr6+8^?sQU35b(#I%Uv%b_WG zL(k18WB%m?23AdH4=xpw50|pGv$dI4{xJ-qy&}z9%5I%Mib3yu5bwQ&rH{!&LWD2= z%wEQ39LYiG|8ez}VNrJN_pse!VPFS}-gYWd9HIsFBh!)Wvn<3OhO#%;G7226r1Y_m}>3{AI&u7 zs((Dr{BT8~oTgYTilc`dJ$Cj_Q*QQ+W$q1gg#xB2Xc~jACsdfSd79GrZxpjt`Rtoc zQ||wW#HHV?XDy~F=G7u`IoJb{(R@#6IJ`&l-g!Jt*|(L?0?*v5W2P%w<6u0^R+Ha5 zU9q9hVTz>}ZZ?>qR1OV*&j4?%*fv8+oaqOX&)%>)J44B{XQn)T1GD%a6Vprma@2yD@^wU z;&}5}%FT<;h?*1x`{Iepa$6TPyk0fmYI5u=v|5vgd6kYl|7$2A)pB6Y8YS>;1Et;P zO!Q&>(BHqA(z643Sm)RirO;o+A`MQ~F39t5tE{-5g6duAL8R`Wd|H}}$P@GoJ=96* z@+k?2h{f2g>Y|uMCgNyo6|DTaD!<8XIa{fM&H8T2EBZG)S>q1lM*51~Yi7hW^1zND zeP!&K7@vY@npCXJ$lqU&OyMP&V_quT9LlRj;1P(qM0R zUZjul!k$XrS$fJ+L#S`pQyJRc6Z_o)a66)>(snQN2bKq-cYaUh{A)Li9UFvahk7bs zEqGS9)!^9qp33}RT$}G2KF=MMe^`@WtVYhw|NZ+Pp5%zkOJi~HZ4n&K6KCKo)_ht4 z+J`vd41JBw>gT~|zBBSe(y*{*4*qSz9wFrb2KCHB+%Xs2I&~NyHfNx(9nS~%vuJrX z4LkT;?H+j*{U)ZO-4i!#9DExC&mY;qV4V z7GY?S?TxG@Z&B}OFc$dwU~iXqaHmgsI5GE}bIg_`&ogwMAFSsS7 zn%*tjih`lJ{{fa=T(B#F9>sZgaNsU`$F!<`xoabTR}R=(3VYTV<&8#Gwow;j{sAX^ zI=gA?%3(#&r&jspJv+l0Rt2cH(FMhZXARGm=V8}WSDf;$3#+EN_|Tg**vl@g(X-J= zM}^3S!!hDQCM@5pus41(a>i!h%td!xnm-SZ^V9H|>v{dUDH;z-#nBMvkltC1xbkF- z*+U;!osFnAZy#1H_QC_suoq8BL^C7$5}R(t#aVI48c*+5hwW%-9u4=2zBoI52Nrrq zpgy1X>>E3A@OCI1$yssfw;NF=Ex*SV=CyCGJUOj5Y2>`eX1Wp6NfWnFq#P zF#6hT@VCL7W!{K!4#wr0#M@S?vC}UEkCxhEmV*br(i47sj4cv#RcMwGhLz`Rard(; zv$Dgn@1rg3r!o)ocm(y8ixJKqz4UlhpY4yvkF|a2e_(cvSkRUO+O^tZlorr)+do8` z^rZ-nLC$Ddf0y>ws6tfibisX-DcV!&d>m$9Z`!M?wmCU~jfv;F?x~^eJw6AWx~tH! z=7q}sDOvDqNd5V$l*;SPn72qT=>0!cm2uAL=yu%$zuK5qp8m;ouJ9z@II>dNn}SR9 zCAK`?sZy_gGUm8@;nh%`$_KrZP-e+K^Kp$z`_A$BYtH=__qiguWelw6`eOc{rxm*7 z)=rw@N506d3e}1*G%@tYaJP#UDfIbB7!rV&WhX1%jSIs4-hpUpc(|hGQ}PnK1!2R3 z%8KcnP5)`9L6~D{#bA2zmgxp#@%Q}|(_QFA-8ckK3<@h2@_txSHxxP_^D1Uma6eZM z!|AcP6=uADru-s5?`w9&^T{sA_!5qTwoNMg(Z6lMys#?g#=tE`LStNtr#Boi{(fKa zWZMC>DRDxtRqe#Ny#4sgzQa<#ktqJR5D8AibrS#8M$Rk1^bM}id-q&BDlZQk=eWTj z{;IYf{a0+qFz;jKG3~QG*{E&cj<#P*wL>0eLcAN zi5at!v;#+^;@%lGLOkNM=_ScXE%L&l>M`2%`ui{~ig_Q-QQEa{$+&NE?exOREZ5KO8QfD4VowJ$<~uzaUimHko;q(?ZbD zCseB(rAJxsP@b234|~(ujlvK-KUCX+ePa3RFz6LTXzvkIIb&FLo#$Wm7B+87iM

cP)W8`;kHZ7UJH zhApnc#r?av=rNC3V>kMV9HSguU~lW5V<3KKWkEfVIKY=KqF?Jwob5zUxsVPb(?~EvaPUwmx{$d)KDh35z|+vVAf+VoWI*j=Niyr%!S8lj1S)SFc&-9 z#L*LxGuI<#qTTfH{2{?`lpn~HPg9w=1kVcyzQ zTsp%nwObk_)G`&RU%A(I1oPZjCZ-az8Qv%a^SsT(oR-8x&Q!ez-)ws*&JHd|KJg-p z8JERa+ftODpoj3syl_f{h`iWT#1f})`y4Ey{!NBz05K+2u$Xlq5ktQCV8z&Ap-hT{ zI+Jtm+QDM=_b9wG^+Vh>jhKIn-f0ba{$^{$==UKgWoAudwMMiaqCp&aU>7%NL}>zb z5X@uJo2e1CNBE&z3O&S!X~f9)-sol=gv@RlQHOk0#}`3ZsjCsrT<3)z8u-`Kh_>9% z2fH)l<8P2qkWnFchjX&3slP;IT^syr*{r*>M z*QeLTIbz&DKZ+wRC2-U_qtm_TVjHyxlUNr%A9P0TYx1v<|7IRumb|bf)7*31($3(=79O$s8P5X36EHchUjE^VkKNjLqY$jY)%!ofy zDZHMgW7A${!EdP$TY9CzcnkZrpmL#Jl7jc9K6t5HF8V!9#GS6b@GdPA2CL%Gm}l#5 zt1?m2AR3PXnCmgDOf+~Aj_DKpVOXt9?D-vnW*?ccd$ClEh6Z*q0eF^KDz;|^;LMaj zEb=WC-{{*koY@DRc9n{*U%l}-Gzi;Qm5P#6>=VcEew<$_9#qhWjae$MrJRM&uE*TIfI~0OCt; zWtc`R&aG5OejQMX!^b(BSYKZr2tR<~f;by}WA@i5Ms}$yRz0gG<2M#zSuy7>zkZ4` zY6U!sn1j&vi|M*C}X_SOF^zd%e4 zeIR;~%d~Dx5Rx4qh@CZjP(e?4_pJ}az$Y&`7AQW?YH>@@rvihyZd}? z`apCe&Rwhu!AyRAKo1wp<^59roUh$y)Nt)c{<*8i@C0 zwd9*se%Q%yhbwut%hlTou#Q;FqV-+mtI|9){^WrU6FNzk&p9~%)f3AiJIG+YY>ef6MKNtJ4-e0T z>1QvfH@1^OYtj++&Ksl3+REKEQjtc^)`BT*rIA?@zOvrU`k*H-osC1St>jGS=*g0; z(KtNNAJR@wW=@X4()a%K)7F!VXNO`H&xrM7^yC@VYgiiy>z;b@%4=p15qrJfR!{ES z#SG}nL73fKPuB0|gD!mEyT*EQ#yd4uj|s+$MtX87>-{o@ewxdGDOxOk=ZL@$3uL3B3K%~lURNK|{@Mu6hnWxCrJuCg9E$5N1JI^UKlv;{L#;n^#6IlK6|>q}qxp6k4NZ5W2E>?dFF9_-z?YW@7Ka+maZs73FOte;Ib%d7J$vF(i$dR$v0 z_ns*S-Z>*K#$4K?3|GF;n|jd_IX1Zjr~bNP*R}a_$=_n!pmzRswK?+Jl>Io^#vT70 zoGGh06=Ga>4~*BDE)VU?r=K3P8*UiO*`>K?KSGVK&8NuIr?RnXtQTzQFY*0VCOwpi zp9dJpG=mI$Wq&QsPn4a^QW4spy@bg`IW;2*9m(^4@_vFG)G8is#D8|APmtyX(fBvY zAES3qkgMDx;JP{h)#px-_dG+fuNO0pM@^9L>Aze4n)O@n335wY<`8BFp+>g}a%GGk zIb9lT={!O9Frs$2cQA%^ognQSdg1bOo)rcYq{CYeSS7JW>_0(fzf$3;St#y|m>>^V zqwjH>Fz8O4AZ2gP>(7TVH)Vnx-kg2nj;iZC{+3E^vlXbtnRU~TPIB<4N@RUCWLrQ*jTUj*G=EE}IrLT73cOdJ+Vr@`?^VL!5T%woCnY&2{x zQXAZOvD^?7@qcxN`P)VEGPPNQSQ~%4xkyG{(BN(VAZX4nlIlKzc=;s=&CV>6`?CBn zx0JckXBWx!#P(*{1;hUGA{nCVh3|$T=yzw4T>9Aq>#56X^L&vU`c{R4%2339UL;>~ zuf1fhv2l&X(v|f_$5G)JzhSY|^4v(iRdt>Hw+6~tEhL_NV}8nfA34Kci=RK}#kR;( zu4`I}ku_bQ(NW1|F6Hp$^I$dAMTS2t#YoQI^*=gFzkf=g;hfI$rJY>5xES@Oy5pOl zjXb)g2%U+^`ybpbopu!9>L%*iw(pepcIMH0ialVEmAvPggFh}_@X*^XyJlzMsE;>h zeBUbbzh$6)C}*_ew#t3ksZcqS^LliPyzn{+tIYh+dFvKAb9Ox14E0Cnp#CNPH`&XqbVu}N z4>|Wi5lnY`z_OaV%(+>BbWcy5z2qj3Udw|=IOoC-T&2fz>bX ze9A*-*|!aOJ30{6#DJ!2FTTh`IuO$hIKc8`FwURJrup*vcXRda?8fyTi#gk&{tmD zpNYfd-G+zw%KqO|QAu9@`*ptZ0x*o}7`sa(9OqY~B%o9s_)( z{gVjXoe>CwKEAT>F86cyAhhP|F|~t{_LKEnKVR94*oMnl?(f0;o+o+U#|0yk-$%RB z2OqbEph)qR|LS?+=(teKo8l`kzVX2BraT`^eC1iz8}05=gSW_6o_^p8nI4Yq%YEhl zxIEUoBA|Ry%k&@A+R#Jbzc~N)vxSU=E5cmX8?_eX$Sy^NnE%2FT?{hhvhDP^cJHt&7-^E6!R&Vr z=<7tw3zyUIk=W6LlacZhv5Rf`Y7`!dko~9Ahr@s~`cL7qMp_aE_ToJ_FI-;eLSJIe z?93mB$vP$R=-B(Vo(YaVucJm__Gfd9?NDsWa)T8bQlS|u0pcApqp&P@b$?{Ng zSOTzeZJ2CzRD;OKK;-fDtLcH*%yZ+;hA_E~`pW&r8vL~klm5j%NbMMm?K{Kd#85A6 z{1}X~y$>6LaEJ<%T4sOBl|69Jy@=QUEO5*&%Ir8m> zWK=71!Ly1?sSMnQ_VhC?nvpK2-AY7ax*IG9rb@^438+UN#eCCbS#UQFo#Wi``ec&y znG%a>Va)a3l_>Y+N5jt76K9qt$lC_=StZUpc6YqoL*1}y7c+Se$I0FF(pkB|8*P+0 z=}{{T`pbN%1!9KO^$@IPKe(zQR@xI+&?Od{n-D9fvHL?h~=BU;ugljCfY{y+Tr&%so=CPu><6?r}@ zQe+>)AlQ5-zhZc@Z2vd_#pF>$joT;nLj7^%kec^>l2k7xmx+8M)8~oOc8D(qdDC;> zIZ@8g_krV9A4E<}ly3~Y(PzFd#&=4T_eXf41#!`o`iW9!t{PoB`D5I_39{J^@{wvW z6ZS`fTpQs5w-*8E$kz>zFmvoIHHW_v=3OJ*jEl9^ixyzlvn*K+Y#uJHw(NUrxN}i<`t)AAQV`Z~js* z)7lkd1G8j}RzBqTyJC!OhRh|Fx$lA-rX-|Eg>`=YZ1&(aQst7Xp5#ur!!SHqE>7oJ zx6%U!Yxc?6j^t&I@&2)*l~p6&nrFt#7Gbt9vbDdaeM$ULW)_!Am#>*wdfqG?x;@YNo*=!iKHo;ZvIz9Sn zPc3pq_5F@meLG)1=FDXp^UIc;%a*msC)zv08HG_9vf>T7tkqrc{!^+fB(K%`vJ&US7RVjed1^)V~rdGi&XI^J#Z< zjEiACV}m!G36(}h%a|$FXl>?+T}Ptit{e1c>i$0+eU$vPVHXCxR%2#Vq&)ub4&2K3 z!pQNF@<+H8BKgdZtQ9G}MsJ6`;zPf+2zlY*RyfzC_OCQT_V(L?*t5RO5{-}siY3ld zTi7cgLT>qDfo7(hAv#CMBiWmEGW)O{JswnWvj~@P=5u)uYVKe7V+C0cF5m>HZ4IQUE7*Bg*toB7C{g5}?? zThK!lh>PBlvJ-t@7Sl85zx#Z)jFw@hHc%g{$}2d}&-%a`?y+!k<(G!YyRGaoa+DK! zu|YDqqXTsBJ3-$uKyD~@z$H&-6hHTq@!uU_NglE$%va8T>wpiBT`+r>k6aPwKu;uB zWbN>l3tKv%1v4Bw`FhERbM4Xc6S-beEt{`qu5KLpa*fo|+GH=L&v3`Ot)6mRcUvs| zPQS>P9@65CH8v)AAj;N5w#?gu%hQ;J)Wt(iW%lli&*UTCaF+#RcHus`g?;1P<&t_k zacz7>#tkk);r>UQ`}{C=61Xb^TzFN?(#YH&aK$X@2u`FuPvu<0Cj8b_f>L& zvIQEAFU|;+{L|Hv8E}4Bn4prk>utuYXT1W@hHI4k`eP@3o~y3&z9wGMJZCRvdO5<@%U$lG2f&OD%v)UH zChJgx(yWkY^(z-S=r;8+tX&%3b(TGwlTZ4}88394y5zK*`w*56t7UTKMoeW_V+G%h&gDT?Htj`Xq!CiW{;iK$hmE9DGPQwpr3~m zOov!VC+bmVwBSs(-6omX+Y!3)&fLQr<%^+?xITcrOp}dr9yI~4CHu!?8)Q@JU1I0D zqL$AF8AT0KzbCHvGH-+QyvVFb<{k}iw?S6^vBURT z3u)Ip(dETjdHmi^93~GV#CNS+|8NIhzfq%MzqL~DxfL}8oGBb%Ba7Z|#|C=D=Ph3& zTm9aKLw???>K;_D*I(l(=`gC7Rf zQp+oMHX)wA63xE{O1XIh&-JRjul0`?%9nHP@XOK>j#KB#SI3zj^vDt4o6VN#Sq`vR zMy#WoiF`;+jq!CS=4Z{4In=3SFK~v#I1_nyF}=RXY5acFM0S|(h*yiq$zMHNZXL~h zs9P?0N*phY`l@wiuEAyXZ6N$!vq!@?OzSoP-*$_Rf};mziNwu14`+6KVg& zia5U)l9n%%iQ}x$?vNKkrfek3avRz;s=Ci#zS|>JCR0H`(l*1=J0y?(_fd z=ft}sb!SGlf5J4d24Vi$1;o49=rPxoBBFddKlQF6*;B#Ee)mjY&$fmufp$QL#eUe zi?m&wH(xW9H52H6{8)v)=M3fFQ#LS}?T+_}hO+s0Yq(dk_g`!%_t1y0ytfDH^Lvh4 zxCh_ZD;e93l@@AxlhpCVsn28NOYJTMTQM`P`gpn2np#5gPRDF8k|udO@rX6gkO52O z$?x0Aon)4?$1=J9+IC#5$sWqULYmy)ir>`G{vKs7&$wCQEOWL_4RMqjLrcW!R^{c6 z$l@mglV@IGbMU}(plvUG?8{I0uV!k?b4UPYittZlpeJ=ZrZ@pxZr!4~V$fGUnCA(g*!L26lXg|G|RJFB% z0sSV@kM@-B*HGun+OkXUo^oZu9z3K+(+<@DnK5J!c6fQ9uGa{u`+FB6r+QY|=e;*h zm)_Ak@cXJ7O<%8)cTaDFL%MgB^SrXr4mqWA3o3Q0<_{VheHC|h+M{qH?=zbZVwZ5h z9Ut!9`X5B|366Mh!x3*6e-am5IoF~-abm|mDUMjtj^*~DotB3WXaN8E_ z-Kg2*jKp?CI~l*g20p#r;nztk_e@@?t<15s-r?Wx^HrbBEy}VEV@8AE&%XNOeTWq18IK3xxx6f=9rbfi=c%Ka# zxm`?-;l6fpg#HI>@tFI1EBA4bsf$Rf$L!fB+}{;m;_5&rEN$b2pLW4w6#JW%GsqeH z9xHxOGxW^G39a^|3v+KL%q(N?GqO-j@nik+k$TLqa#7Ek&xC<99>yFJNprdWOP$eo z-3d`{;DlgbYTrJb5j*%?%#qY;jlUq;@!lx=MxA%cYo1-tE(rY|)P+;ixvAp?@p*$Ceo$MY zBwiEaI`aO_rk>|N`+UdlZ^EG0UR>a3_bZ}<9GY(pORoRz3wm;>yEWSMa7St80GUIN zVL`3SRj;{n_I@j@SXEUAG=IevZQH;-n9F`+?xSPcTWf4k_R0b8&L7u)f-U4T2RvVO zMcZ9%i`;7t7_{`YcBu`sunPFQj;S@{gGnLw zSl4!nsQ%R&J$}-^)YM#*23o^>k{ui}cL>AL*4XN@7sz%IapUM6`_dK%!@Y!GwlxYv zY_Y9&pqS9y2G7UYLhnV0DBNO$#q@3(W)dNMj@zJRhz$-cjuM?Z+M*w9&~;F>NTLVl z!DrUE)-YO(IBd(=jy1ycqQr?-d+~iZdARBbp|f!>-rw7Utt)~=D)sS?xyM3s14S-h zx8mnCt4^Nie!(7_>N}&f-C^O=-X2p}QynmCBS#OQ9()KjTz{)ezXP`Do#KX~y9QD? z?SbLcs{8!E``OAR!?4XW?o%E1=XGuw*3Bd))14UUtp|q6PbZj<;n}+6u;H`n&Pba{ zE$1W`!;)LP4;PXzo#ilgVi+^C=2CAMGqLg`&j%uEc)#yY<-+HV7}}O~Ufw)yB=1eL zV-DyZ7ozoKz1?^Wd&{*_`{uL*wbJ&uT<~1`i#?IobNVwJs4a#*w8x79^oUrYE9?^O ziBa*{uHIRkQ`^InyyJFuJw>F(9wtLMZ z5AyDx$5B7r-dU)4clTl4_1}GdI8G}Z8atpPah^8I+DJ9me#en#zj)hQg$wf>ao}5ZW$QB5Q2ZGQXR9f@C#%pl-x0ZWzaylk3Lmc0 zE8y5u42^SR?gO9aXJ=s4%MHExoWE$B4ck;cmv0@>?IQF2x)aa4ze^MSThAG% z$J^uD%Bfnj57aal*`Y(%HQFn$=p``D4*CzRwB?*3H+r!bPxkE58dDz@l*v5T?>n^Z zJ2<04&FqrJo3xvWjWysMx%W?;HgS|QhBmN6j&+Q-$jBMdwVCBzQK;QhK^?iD1B88n z_9rp;w!segX*EOKAt%n{uM_e{x{0gpobdeu?-%lg{`ahPBH!Dq@}amzpOW*rZdJ}_ zC!a~m+CgfBvp&9qaVWx7D9M2Uz zi*KAZR=(#m*V%_Wgbm{qXFX5+!#=&tVyL2L<$+Vjs3+>#L+N&$-hfA#w>nE#dB8re zHu3F@d)1UoM-}XyoG|On4a}qt_%)vgzjXz;PhDotPp&yJwI9@LMrX2za$ke*2bs6X z&*jvU;W+I}&JXL7!2C9tu*DT$Z#W?ALmfOfcSZA12WYLUq3JTtNq6z{I$8r!{Ca!( zX{>W@hzaXlIR~bf;M}c-s}{MUQ-A|LZgMhwy_6ZY#At@E4KHt@a>b4Xj__L0q5Ogy zbCl?_V74So8~ok{t>c}Lu>GSpXqgKlJ5@c;?S=*m>&5ipFs-Vi*RI&BjJ@xR5xo0G zYaEp!V4_8?e^jYYt45Gi*NgL{6Yq}}3|K|&Iop+vvtCDxY2MhbM zPM+ed{A%d~Q|?8RBYTzo#@-l~?9Bdfo3ei=x%s@yGW}L6BgxsXf0%nfcee7Hxb)&o z)*;WwD)-tlXNUdH(5e3@Lv~OLNPYdi*w#w$Gk1h??@pOtSMl0SJT--S^`2jFx0^cx z);Xc}$wx4JL2WUyuhY6W(fJ^GI{Hp{6L=LasVeC3^}V=jm>;Tw&oC$Sym1T1sP$gX zwU`}Qj8W8M4x8fyJ{e7^U@S9uW>gjW`vch?J0{BHyy z`mrOHx&$e!N`jESg0q!Z!OCaqh`;iChTjcU>Q&IombF2HpJB@4Kh%1kWtQiSFy&~c z0PGyBM4xkaJawnT9%?xx`g>!SsZ>%HL2AT=?S*s}A*)@4g;b+K|0f);sjpcwjZTM@IVZ zvEI)E{rXc|6?EBfG<9RU_;>Ai^00CxKQGS#Ro7V>g(%50!jR9i!n$sll42c(kGib8 zVj`5Mc9NbCfimjj2(t2rd|} z#F9^bmRenV%>*SgRgEI@jfXrLtY|aT*hue)c{7G6V~D>xbH4^g=qqj!YQ$x8@1D|E zCIzVxSxkH^qNQRMN}a_y-b48x0A8TrrnV+Sm}be|M>j#g zi(_d@vrb_cyVMQuPNpl>PKDsk9XHOA)0EK`!8kZpg`LaxDQ9%(&Av^AMcZSP7TQ4k zwNgQEbFk9HBLJEyDnxJcQWkCZ=VwSihoer4tt;~#qIqZk+@b6|>WhCCx=>YBi;~Tp=>Aic91;4s9u(e^#N}P>N{LMn<+ys zd*d?i{+NB{%E1h8^j^%fqsT;ANiIpPiR=?=&Q`4Ayy38fyl4IK%7s{Zj+v;CGG)B- ziQ2>1rSv%2*o3u{D@fAf6t8?4ZW2Hm*e5gGr7dUTj_Bno--Ww zb-}($s#QFijB`e}djZPaQ*mh8+=U(YBi6m5D0e5rA(Y?P*~(hJAQ9n=S1Pgc69$N`{_%Z`@uN-)pF z4%eyED-KiALp1nIkBePP{FJkEf-q;DJ8B+PDT~LFhuGX58P%PX7;^KQv0qMg*{du| z_eaT76~brPDDRv5W3vwZG45L{E&TjY!^9nfR@*2o+Y+-+VW!$*TV+YEFXlG)!0mhs zC4#)jqnF+Bxcz2jOrkHEG~kT*vYBF>?@OORchst8uJj5g@2oa`s^6F>8FBP!{6a1e z*MAh}13PQd583w>H8TOY=i!A$T~gph?L`*3djDPLfsVVCJ8{YII!#Px*DmFde=-L0 zuBljLtyJ%jj27O`xM1R-SS{a&XwJK5e05Qb)+V9dM)tYpo{G-UMD#LsLwS&&VstSc zx-(SxQZGd5F)5p-vV^yDRt=d>=wIc)Ry!#AwCn>wsWEqor_ydu z6iRoiF=@ZE@-Qg^jpnPdBga}EPv~#otgNOM#FXEse=`du zoqEiF-;qO5*Fw2up+VQKp(nN=Y?+W zW{N>sAf`9-LjG_wC3+{ZdFn%3U7f9TC5LxaUoR+!XDdrM4^+?b!nen_FqfLnMT31Y z`jihA%@0O!q92R~Ez%av3WJ&+G4y888U=))*D+0%{aiMpi4r&?7k7WNr?^>9dDS%+ z$?P{DdDc~~_~sz4s|&ohG*G@|WW(La73GVYDG@GNXiDw&52Nw* zmUIlEw?L6HR$1bnii_lFysI-?(I>~|M-w#+eymV>bz^?(Pc>#gTBTg({tw>fg^2-6 z6|3-Ac-VVkxyM|kwr4a>nt4G#aHf)+8Hs~Km>t!AhEl731atkoFk{S2<#BWvJn3Wd z)r__MhEVo~UNHPTTbaHw1YY#osM&mu5)r|B`7+n)s)-W%mim;1ygNJ2Qd%w0pw@S9 zZ2U1n`5mW$F3;aZZWEN?IT{pEYu~=DzVenjw)e|@u>8BOa^!R{{-L+VfA{T+vVSXf zuhh_|IuO3caci&JZkk#?ciyFcu}wFd{Ff&5bgUGp+`$6tiNK9=KcC^p_ak+8g67J1IZGjMv7*!Hjw+4^twrw!JrUR`gaf7lotG zbZ`}C4J`W(wn=_Bs8WUMRFr*4&N=)&b11|^jaDe3hvv| z5VT0v;Ey$5)4xo4PEGxz8e$MN0xw!uUFVyRZdX_~FNITI*5U6GD_>nH;To`Jn|Qx6 zN52H~OI#2#=W}Jxb_Y<AJcm;dGX%AKu>kaE!-;ntTcMz$(|C%wqq z&zNNRwk#L*$?59fwl2yWX5$0-MNgBBP`z^oKRa*O=x&6@AQgA%@40rH2Rx?kgYI>2 z4DB6{FNp~#xa5sSNfl_!bAB}aTgFwt35Ovu*munvY3c9r#32fQ$shP!{}Y#PBBVMIrb3Y%{ikw>6D?0`5^kBXFbhM%4 z=zYju?1Otv8sm3-BC^Rlde&tb;wL8Hsfu3PtZ!~Nj>p*(KG@aS4PRfzB2V!}Dt$fc z+=;>UC-l=;W{EnlqA|484*@qeGh-ndyQvR4vU(d#21KFzN%CQwVhj&n4M!2BS5@7&)>qny{XBbWe%7Fm=qAGSz0i43 zFdX}i5EI*bAcFPlf9s7sbw`SO38naVGV5fUnWFuw5{!r^#(UOOIQ=QcC3^gs7_Ao; z4*M~YbLy>sH;Wr@$SHlU!V*tQVLY_}pBM9fueL#)56r_{!QO1;GVxBEgMtS1#PFFS zJP&2TrlU9FKlc+$qL|_HfEjW_nu)Jl(_p&LhuKvRwQ_R`BFHUY6%(&DPTq&X<;;e6 zovQuZHVKi}$?s}&v~t101O)u@VK&71is3%-s37<5%aM*1Q`f{{73-~;leHB)r^Vv= zFh9&*)2uRPdJM+=^utfx=9Q1uM#Je9vp1&Ht{m$T1$|~x{&(O0s`S)m(%0e0kw9E~ zcT+q2WDruX1|g}zPwn5-02Hj&;On&-!ss7=^t;K|6}lpBqz_ys2cuK8uK2i;USuV~ zC`z6sN;o%bWL0&YADwU)-#V0`>r~W0g-9D)P^}(A<4aF?m zB&4!ej}5+|UE41adzSkmBqT%o&%g258tcnU%24f0YBu%%`eMILsPd5;5#W= zYhw_N>eSTBg)!Ra`H?vG&L94>qP2VH&`071`HgQQwK0FfkWG!-Ee-c=ZYX^21ywn3 z&voe~&a)47>&iRNW2ksqOO1dW4W92a5;guI-=TgmHdam(`u1+Pxi%QB_02^16lZ+S zth&xC5(>nqh%$PQaQ2rW#Jz6JuB6vb?~bQLuTvweruF!f!9N5%vLSeXOOJ;ur+mar6}1*-|7%1>kK9>acpW6uxJucl!{8 z(|2{ntfutgzoMzKZ$}K>EauizL3Sp0I@C(6B{ndVXL991Cn1&-SG!(yozFJDFY;QK zQ%gz?Qir#~OjU~W>CV`d_e1=1@&In=xMB-utdHOBN84TGC^o1gO<9vPBd>jhUwt{| zc|N@#Jog_X=-@SZYUe9%f$3d)?KbO(!+v-=h8pk2X5zM)4}92r3~Oj64!8Hh%T52Q$;`yapUkvr6@;G+%tU{3cl(~A zuY|6du&CvRlkOV0b~Y2H)L8YJN}Yg#nYg;f38F~|%8N8&O(4(RhE?^j!&G(T%8+u@ zoK4MOZ5_G$Whrw=ol(zNSMF<8f?CvQC6?*Qrfrxt$8{dy*ip8tQG_#Bi4_KRmDv~b zk;b|3&+_gv#y6Mza8KOcVj%mCrv{TgW}61}ke?f6qKgZ?2<~-|-N&V){!(vv>o<{$ zAEsgfu~enOUol}{3P$AmFo*1+xVAeP8C+*E;iS+xnuN3jdN@8W5$o0Qu&z!n{@5&W zbrL<4s0r$qn<#2`iNp`BAO1dy;EqlXCt`cpLy_s6i?!J<4g5MjE^`ts3; zSF8;>MFwDcO^x^`$p`iN210c^NK9bOzU^cnhCU7wM#DXEa(fWE^F2Q~1AnWp!IFL& zv1uf|i0)~SYpM~AOvx>$=3KbIOZZ_;TQB!JcC~fX$U>N@fyB9;`eS>sd9pa7e@Ac)0=cyRO zzQA&&t{i_N1>?h6>kg|eU5b)1k~Qt0haW_ncKhfFPk;6))MeA>q&ablx}3dEFN$Hl zfgg10o)R}gBGLVuA8NKgEb^nmU}oWuE-SU-(sBBfJoiWC>T+?iZ4g{H2f#b0RP+z< z$Gl$w=zF6?4CBv92n<9$-x5*q$O{pJgK$(+B084Q=jLt@dY>#2$Ftlqms;<*Hl;$Z z#0`bR!2)kGJSU^UJb#O&1FJE{`q{{s_Q&-#SrNjT7h5li5+E) zk@t(s(2-scrr{H0T1p96(4&8#u^hLv7>nq$k(4`A_U&1OJLl+wbbXHOc03=dmc&xB z=1bibxi~xC6ZM$uvArJ8=hPL>~2VvVh3dei+*_Urk}JMcCA}0GbR;bFLnFR^ftoij`++smvO^}iQtvZFvsjjgrepqZFZlL1mU)}gFuc+m z35FwN=Z&fGvgCgL)>GcxmVz5Cs6%PlK~Da(4{h?8F|(zmG^Ib@xG{eCdZvk#>9IIY zkAe%y4dpaujV)$IT~ty%`7$;f%OClpz_X5Abv}f6Gy6FG+HyyC4YkjKh@MtUMn(r9 zJ}(emZq<}8Sp(i&$QedaP1&8A@>2GCb&k}OH4dvW=YR(BUu#N3dM&tZ52l}5EtykF z-&bN=e|@N(Cugef4{B!a)sh<$GPL*T~_k^lu}f7afRDlYkB!`@&BvpyyIg`yEm@wDq$CkgkVKkC0I40UV;?_ zS-lf2q_-)VOcLp3CQTxhR3TjmAtabfeTlX@t9MZs8};RP_UHX${q>CJGc)qJpL_26 zKIdH5_u!~sC??(T<9U~IysHkwI{N@#cvXgDk~3VfFM#zUB~K#k;EqT9S#7%oB|UXm zQ(w&q?!}n-lOD+h4qX1F5Fa1v@pG$r)Lt(@q3EUtjF`Y(xAJjR_M`)ohqB9a@gFr6 zR*Y$1nkhG7Lmgps9KCkP@R;J>w35bK;TT>3}o`$aC z1M1nW9Y4)UM!&slrFWGHjZ4-+xilW%4KrcAZsJX8l7R8Ij9Df=&Ak-~n0>;S&!w-2 zo8+NFYmDhRK`+eLL^LrsVROkNhTcnrX`l&rNRDA+zVNATn@}V9?<9|8G-}t1K|4ax zs&g{B<}~Nf^bmM@e>=|SCuzB?^M2t;1Y(wD5F3A}Lid9~sI3+aWQK5)ei08$VgysV zR^Uj0?1ND{cF!osVj1TxYxER=K5T_SSKM6B@T#qFHjPAHNd$jhzXjV(MTdMmnB%V$ z<8^&K&YEj@)u#xqlHa&tx0)@N7GmZGS)a@1aFRm-%!Dg#Z9S0ew()zi7orG z+wEk$5^l`*ZTm2Puz2ES4)4?T=9%Jn>{y-vE8E@-mGj7!w(Br;dT$1O5MS5%b?6h^ zo5?5i=$4R(#^>dAMI;QflQ3v#ANp5GuD4^d#NBEck#x%cfjYxYHQMgD$N+sV0PbquFD?8UXCLGXCGmN~V15MUmHGQV|f1Mi^ZhR*1TYyjb!m1uk`qhyZdEGo<9yVHjQP}@bzesD)ZTG3|}~=V4-+6 z8<$$qPuA4_4H8gcW5onvV;b#CKx{uNwyG9pm3AGRCtGp7f)H?lq?GU`_Y3Z%}PP@cy4t9wy-LRj|gGnhTS5*MYOn6o^KzU38I7!is_s%(xn z-HGpIeYX86n?@PiG5dqCzOQBQ==^PP_(9mJ+BEKUD#gksIvjeRz(IeO2y;S*$)EKs zNGnGCQ8`P82D4X85q^u482m>yPp1{4M11T4o{lWYEx?4fF|hw(IrV1waCs*F?qiFY z)nF5*7D=zllMDDoYCvK3!i+AP$8w1QmzxQbXXISEA6bu@Yise=W)3Ufq~J_yJiH9E z+0i-)o98AVD0DX8S0>8`Z+F?!9+5T^fitE?1c2t>!R7@>r3sNhl4O z!zH4RUOqe-bsNm(=c)+2Ya;zYBj++l&Rhqtr69L_E?*xFM~dX~TECsk8FF7C_y0Z4 zs(Cp)yUT!N`#_BCn8!0y_TivtKWY{fvTIo-)Z)>4YF*5~zTb`4QK4vYyqIlQ@5CfI zZ#>B^;>cIqaq7MFrVPku28A1AByso1jdZOkMeg@HEbFv^RW4gF?zs;BH3@XKEWvL_ z^e~CiGvn7{n9F>=UmMKap+%S=e$3O)e7VQ6Q2O@9z&1$5_S^EYLHaCizTnBq_)Rdq z5({@*civo@13RhX-iULh$AnB=wUb!R-i7squ@=)c9=l7OX(AqL^T+X+Gu@duorGbf z!j&5C%+q7mp__Ugx-W3%=8J1F%qkJtx#C%fkpD;6fcu-eu>0(2_*_d8PmT)%M(UAK zl8h!lxiWo(_@@Kp`DMD&Aew6j$vxfN>%cDKBQWGp3JxBZxgoW+M<(C;2V<{p;jdOi zqJ!una<eC4y6KH+D z81rO()_fPug_nc{;U;X8u@PKRU5IVdW3a|4REVSnI4Wn1$UlNPs?%niYbw9a71NR zaz%L=ZZ?fX=A#{)*k~K-G}6KSZ86;nOR-<_{NwX;xj%RdPXD17=D-HF_mOp5YRrpr zlX%6e7>)JP$59*4+C@bu*2vyh8_N#Dh8^c3JuhQpy&RuX3Ph-UV@7&uhO`N2J!V@E|nyH?hL%4inLTD`(a>Ix;1 z>_1wEolO&wUmMO6InVBRl?eA+8WzNbBXaGxOw1isPh&^td4 zHZRuFc7yaPm%8u2=lQ?q^F6Oq?AoCa?S-@bqVYMpU(LrCiCI#7E^w=39(s#rud3}u zE|z#I8_vQucNnsZFK=eyz%JpO?ki=-B4Pd2h*!d)fVZSRd+z5@6jtTZVTvMZ-`aK1A`-R%K@(?!B<`4rXw#)NP;JNKD!$gOS3X+LINAms``R?2>{bZ)Hsj zNN3njNidb)@O*VTYh~ZNRveCk=yWz25|3_15t6q_XMM*wG;of<@Q>*Rjoe&~7~kz7poQ_`H^d z#q)V~B$i68?cd{EvGpti`eZ;mDFEXJU*Z^TI`$_ApsnT#J7h>N@f+e>xqgLJ73)#Q zBoG;j%ba>I4YgK*_!$@IHaHD&^8;~b`WZU!k$p!zEI+v=?AEDOojh= z(Y3x3|9D6$l6r~;edBiS+?k39(X9VHzl6763K#To047K0b3nH=q>8>Y8k^X6avB;O z5{>1+jkLU)3hRRb=+G#K4JV|ar@SY7ayA!jNP?Zz>kr+?V)pBGi2f*A*1{}ylsIpU zXfK~MT`~uex(?4JK4vCjv$^qDVB>>euVQX|EA^t~8azqL{H{w zt!#c228_0`8m&{aI4DKu~Jqtj5bryLokM1e)Y3q4O`}g4jr` zGFBinu!#B)9fpK>BGrBqXN2lu_SzloBD0tg9)+>aZm1Q;!j@;zxU}CDbMn%dBV&~% zb@;y4soc{(7Rwbb_`yAev(jSl=7KZQUM6$;r)c!+>n!^AWLD0S_|D%62Xd2{QW}Mc zM;)<$Z!&lN5QY9mj;MZ}EM8PS`q?;0pW+mLxi7I)#A@_RP2ngz@iZS=g?1lPSa?r- zZ(r=;vN)9%;(_xYZjVA$66b%4#HKawu-=%&@M7^P+Pb6gega3uW!b=D1I-4 zdnwU%kw50OIlw~}N>~;7;_jaZIe(}MNgt)RT;M_0w@{Du&dv0~y;VhA92*RWKuuz|=o8 zSR~KF!^;EPDue}eU34@pJ@B$9k*5MB<}GnY_lkJ-xfz9r1KjcFjyPWZ5{=CDZpcu^ za^?IOJg?^_dbJpCk+FTCaD@kA_{c9BXRf>8ef=2by^g}jQ7%~YcQi9sMWG_u83~Pr z$#X*wK5@bX%NQmulsv|8C(Q7P;Va?&pN?>Z#jzOPanr%_yaRT0jAf;)$L)T0fP*5I zv73e4@3z|^G4Gq-dLk6q_w9OH#e)G z7`T~l#mBuyr4$c!HXBOZvuTY2jUKFLmZxZ1>4i~cNxUUFzgdI5a9!g1r}p7UtoB68 zV<<=bqQioIPFQ6h%F95Ef-$XNzUI(G~C|YbzG023Qs&gs^U;#%!Kvx#PU2P4KkiR z_IRM;p@JjEMWJ?t2QK<4`1+k5(YxHSYrcZsq93s|cgG?(1>4WnV@0YPhHO#rlGNlE z*LOoZBPEv{&|#*dE6RM7%wMB}$7vVb`Af->V|92r&;|Wgs<=eB;Gn+zSbsatY3IXP@1_a{gFj4_I^G(sLhWilJf5Iu!fqAD zH}i${B^^69^~S?0AM98aNo{K%ObwMad0;rl?C`}_4{vny3ZXm29~Y@c_>w?2jtE5E zGr|#A?#l#A$<2;Y!5J#XTnoX1%Sv=8ai{Gv(Zhx-G3uog@9qu9|Trt3IDSgMt zXZ5bKH`xiBPT0|Lga)xs>mohM{X7RnKx4RfK#+-WSd0ggZ(c8#jfQt>x_MuS8zxWDeV?6aAzTf7IHr<5rpfxeDp^Ys0i+ z@znHFV3ofOJ;kr#TJD8c!8RNqUYlvMc5TYD;ZmJ2IJbJ@@0&LC3y`tx>50o-CNoT< z!_`a=Sc})#SfxW~YvFekPG*|CHjQ$}f}xXn%wAqsyW`^g$!xG%@;9Nv_4sJRdL}v; z8{EGc=g*UE*!GSZcJ82K4{B1dV zk`}tRK3KMR3NMxV!Lh#&R3(#`)i(fb)@oo=V9mc10@10B1`l-OIO0tZ9#wivj}0u+=Bfjrehr?GP5k`VWGo~Kn1!Tv*0wTvn70yz5Bfdi(RB{<>Lhl^C9dK zCHaHDJrOc%2s=w`a?;%sh8Gsh>?F_Vh9^FJKZM84b@)Eh6BZ9F8TdRBz8Rk1jB|9| zUTiqu8*e&GpVUA4Q2ShsszLrpj{TKoIyqNN^h5t<{dncB29~bA2rT`TEstx_r$mdg zU47}((jO0-YB6J0A9kH6Uhr5SblPIhSFwTc9OQ$)?)Id2b&z=8HLz{lgHxZ2Z}^x7 z4Lp8f=}Ymx6=-m$VK*k9mRe1;2BV&Lp`%_rbgmkF?%IVf#c!$}ufhEdow;IjI5xG^ z;FLvYZumj^T%Ga8PZ!O2YDEP4ukpsbATvJS5`k1RZ}he?N1TpBZ;LN5V>ew^A`?w(tw%mZ{Kqz8TH#M56yg;S^}hcu$_i00$*ZQ_UD6Jk)wM z3N$P;qhF%*402N7;~X<;{bf9V62^zU8Dr$U+WJog?j7#Vy%Hndmb3T2L;GA=IkK;R=ba~=Y43-c9y>IvGc`|-YrTwfNMe1>1}F%TBMw#f{CmEkyFHw&GK5@J}5l2w}an_+j*qbVvg@xIrb_Q6<9Q?AGhL$4wqJhW`e zixOKqX?&3Mw-LRDhNH!B9~kX1Vu?pMn!nbde}WO?awVsdtHHYfBlZ@}{?XqxIOk`? zqje*2^qn{Agc{MRujtUzy-`ozKX`rw7LM}9^jstM6W!~8>+;(vH{z}`@e|AM=st}& z@|LV)CTh6q+c0>vXwti?@G`Ltt0gyc{<-jjayzo6@Z83aP<}Jco{i5MPFZLqm%j${ z4qY+Szv_)<;zb|U_NKwyUxQA@{#Yhjquf(IxF6<+vZx1!%yrTqyoDc}tsfi4X8Ysi z9@z_>o*2|Cq{p%Ni0?gqYIq=?uod>c__+O<;qGeDGc1(P{Q1oATD(&u7Wral>NCUH zH`2dvsV}tspBeO#A);Xuj?C$&hWNUnh*;)}#Q{$ZJM2PHcdjo&hdwnt5wFR$F}^r? z?}@?rUMQM&_C<2Q6GNkx($lF{_KrSJ40WX*9V&j~cb{tv;SzH#jnTs7X^kPrFAUi; zwdnPz#xNi~3@44XSpKZWaHKK}eJ}fqbB5;19>_J8Ua2VuS$oPK=Z^JT6$=x+q{coKAnblvt z^wXEBXRco9xzv5-%1&d)_N()@eVsbZyVt4nM}x1|yY;_b7dHEP-EQ*rTDR`kYd!g< zf8PI4Ui@>N-r?)DpYhl0&)%adG Dvh#e+ literal 0 HcmV?d00001 diff --git a/rtengine/camconst.json b/rtengine/camconst.json index ebe195c60..7a143e850 100644 --- a/rtengine/camconst.json +++ b/rtengine/camconst.json @@ -1586,6 +1586,12 @@ Camera constants: "raw_crop": [ 0, 5, 7752, 5184 ] }, + { // Quality C + "make_model": "FUJIFILM DBP for GX680", + "dcraw_matrix": [ 12741, -4916, -1420, -8510, 16791, 1715, -1767, 2302, 7771 ], // same as S2Pro as per LibRaw + "ranges": { "white": 4096, "black": 132 } + }, + { // Quality C, Leica C-Lux names can differ? "make_model" : [ "LEICA C-LUX", "LEICA CAM-DC25" ], "dcraw_matrix" : [7790, -2736, -755, -3452, 11870, 1769, -628, 1647, 4898] diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index 4ab1694b8..bdd92c7da 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -2464,6 +2464,30 @@ void CLASS unpacked_load_raw() } } +// RT - from LibRaw +void CLASS unpacked_load_raw_FujiDBP() +/* +for Fuji DBP for GX680, aka DX-2000 + DBP_tile_width = 688; + DBP_tile_height = 3856; + DBP_n_tiles = 8; +*/ +{ + int scan_line, tile_n; + int nTiles = 8; + tile_width = raw_width / nTiles; + ushort *tile; + tile = (ushort *) calloc(raw_height, tile_width * 2); + for (tile_n = 0; tile_n < nTiles; tile_n++) { + read_shorts(tile, tile_width * raw_height); + for (scan_line = 0; scan_line < raw_height; scan_line++) { + memcpy(&raw_image[scan_line * raw_width + tile_n * tile_width], + &tile[scan_line * tile_width], tile_width * 2); + } + } + free(tile); + fseek(ifp, -2, SEEK_CUR); // avoid EOF error +} // RT void CLASS sony_arq_load_raw() @@ -10067,6 +10091,9 @@ canon_a5: } else if (!strcmp(model, "X-Pro3") || !strcmp(model, "X-T3") || !strcmp(model, "X-T30") || !strcmp(model, "X-T4") || !strcmp(model, "X100V") || !strcmp(model, "X-S10")) { width = raw_width = 6384; height = raw_height = 4182; + } else if (!strcmp(model, "DBP for GX680")) { // Special case for #4204 + width = raw_width = 5504; + height = raw_height = 3856; } top_margin = (raw_height - height) >> 2 << 1; left_margin = (raw_width - width ) >> 2 << 1; @@ -10074,6 +10101,16 @@ canon_a5: if (width == 4032 || width == 4952 || width == 6032 || width == 8280) left_margin = 0; if (width == 3328 && (width -= 66)) left_margin = 34; if (width == 4936) left_margin = 4; + if (width == 5504) { // #4204, taken from LibRaw + left_margin = 32; + top_margin = 8; + width = raw_width - 2*left_margin; + height = raw_height - 2*top_margin; + load_raw = &CLASS unpacked_load_raw_FujiDBP; + filters = 0x16161616; + load_flags = 0; + flip = 6; + } if (!strcmp(model,"HS50EXR") || !strcmp(model,"F900EXR")) { width += 2; diff --git a/rtengine/dcraw.h b/rtengine/dcraw.h index 849012cb7..f78bd8aa6 100644 --- a/rtengine/dcraw.h +++ b/rtengine/dcraw.h @@ -432,6 +432,7 @@ void parse_hasselblad_gain(); void hasselblad_load_raw(); void leaf_hdr_load_raw(); void unpacked_load_raw(); +void unpacked_load_raw_FujiDBP(); void sinar_4shot_load_raw(); void imacon_full_load_raw(); void packed_load_raw(); From 2101b846c386035f8d1ca5f2d68fe9fc3227d43d Mon Sep 17 00:00:00 2001 From: Niklas Haas Date: Mon, 2 Jan 2023 21:27:12 +0100 Subject: [PATCH 168/170] Implement file sorting in thumbnail view (#6449) * Use mtime as fallback timestamp for files without EXIF data As suggested in #6449, with date-based sorting it can be useful to have at least *some* sort of time-relevant information for EXIF-less files, to prevent them from falling back to getting sorted alphabetically all the time. This commit simply defaults the file timestamp to the file's mtime as returned by g_stat. For annoying reasons, it doesn't suffice to merely forward the timestamp to the FileData structs - we also need to keep track of it inside FilesData to cover the case of a file with 0 frames in it. * Add DateTime to Thumbnail Putting it here facilitate easier sorting without having to re-construct the DateTime on every comparison. To simplify things moving forwards, use the Glib::DateTime struct right away. This struct also contains timezone information, but we don't currently care about timezone - so just use the local timezone as the best approximation. (Nothing currently depends on getting the timezone right, anyway) In addition to the above, this commit also changes the logic to allow generating datetime strings even for files with missing EXIF (which makes sense as a result of the previous commit allowing the use of mtime instead). * Implement file sorting in thumbnail view For simplicity, I decided to only implement the attributes that I could verily easily reach from the existing metadata exported by Thumbnail. Ideally, I would also like to be able to sort by "last modified" but I'm not sure of the best way to reach this from this place in the code. It's worth pointing out that, with the current implementation, the list will not dynamically re-sort itself until you re-select the sorting method - even if you make changes to the files that would otherwise affect the sorting (e.g. changing the rank while sorting by rank). One might even call this a feature, not a bug, since it prevents thumbnails from moving around while you're trying to re-label them. You can always re-select "sort by ..." from the context menu to force a re-sort. Fixes #3317 Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> --- rtdata/languages/default | 8 +++ rtengine/imagedata.cc | 39 +++++++++++---- rtengine/imagedata.h | 4 +- rtgui/batchqueueentry.cc | 2 +- rtgui/filebrowser.cc | 89 +++++++++++++++++++++++++-------- rtgui/filebrowser.h | 5 ++ rtgui/filebrowserentry.cc | 4 +- rtgui/options.cc | 17 +++++++ rtgui/options.h | 11 +++++ rtgui/thumbbrowserbase.cc | 44 ++++++++++++++++- rtgui/thumbbrowserbase.h | 3 +- rtgui/thumbbrowserentrybase.cc | 5 +- rtgui/thumbbrowserentrybase.h | 32 ++++++++++-- rtgui/thumbnail.cc | 90 ++++++++++++++++++++-------------- rtgui/thumbnail.h | 3 ++ 15 files changed, 275 insertions(+), 81 deletions(-) diff --git a/rtdata/languages/default b/rtdata/languages/default index e5e053655..a33b2a9cd 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -166,6 +166,7 @@ FILEBROWSER_POPUPREMOVE;Delete permanently FILEBROWSER_POPUPREMOVEINCLPROC;Delete permanently, including queue-processed version FILEBROWSER_POPUPRENAME;Rename FILEBROWSER_POPUPSELECTALL;Select all +FILEBROWSER_POPUPSORTBY;Sort Files FILEBROWSER_POPUPTRASH;Move to trash FILEBROWSER_POPUPUNRANK;Unrank FILEBROWSER_POPUPUNTRASH;Remove from trash @@ -2060,6 +2061,13 @@ SAVEDLG_WARNFILENAME;File will be named SHCSELECTOR_TOOLTIP;Click right mouse button to reset the position of those 3 sliders. SOFTPROOF_GAMUTCHECK_TOOLTIP;Highlight pixels with out-of-gamut colors with respect to:\n- the printer profile, if one is set and soft-proofing is enabled,\n- the output profile, if a printer profile is not set and soft-proofing is enabled,\n- the monitor profile, if soft-proofing is disabled. SOFTPROOF_TOOLTIP;Soft-proofing simulates the appearance of the image:\n- when printed, if a printer profile is set in Preferences > Color Management,\n- when viewed on a display that uses the current output profile, if a printer profile is not set. +SORT_ASCENDING;Ascending +SORT_BY_NAME;By Name +SORT_BY_DATE;By Date +SORT_BY_EXIF;By EXIF +SORT_BY_RANK;By Rank +SORT_BY_LABEL;By Color Label +SORT_DESCENDING;Descending TC_PRIM_BLUX;Bx TC_PRIM_BLUY;By TC_PRIM_GREX;Gx diff --git a/rtengine/imagedata.cc b/rtengine/imagedata.cc index 3c10e7dc0..fb2fcaf3a 100644 --- a/rtengine/imagedata.cc +++ b/rtengine/imagedata.cc @@ -19,6 +19,7 @@ #include #include +#include #include @@ -57,7 +58,8 @@ template T getFromFrame( const std::vector>& frames, std::size_t frame, - const std::function& function + const std::function& function, + T defval = {} ) { if (frame < frames.size()) { @@ -66,7 +68,7 @@ T getFromFrame( if (!frames.empty()) { return function(*frames[0]); } - return {}; + return defval; } const std::string& validateUft8(const std::string& str, const std::string& on_error = "???") @@ -85,11 +87,21 @@ FramesMetaData* FramesMetaData::fromFile(const Glib::ustring& fname, std::unique return new FramesData(fname, std::move(rml), firstFrameOnly); } -FrameData::FrameData(rtexif::TagDirectory* frameRootDir_, rtexif::TagDirectory* rootDir, rtexif::TagDirectory* firstRootDir) : +static struct tm timeFromTS(const time_t ts) +{ +#if !defined(WIN32) + struct tm tm; + return *gmtime_r(&ts, &tm); +#else + return *gmtime(&ts); +#endif +} + +FrameData::FrameData(rtexif::TagDirectory* frameRootDir_, rtexif::TagDirectory* rootDir, rtexif::TagDirectory* firstRootDir, time_t ts) : frameRootDir(frameRootDir_), iptc(nullptr), - time{}, - timeStamp{}, + time(timeFromTS(ts)), + timeStamp(ts), iso_speed(0), aperture(0.), focal_len(0.), @@ -1068,7 +1080,8 @@ tm FramesData::getDateTime(unsigned int frame) const [](const FrameData& frame_data) { return frame_data.getDateTime(); - } + }, + modTime ); } @@ -1080,7 +1093,8 @@ time_t FramesData::getDateTimeAsTS(unsigned int frame) const [](const FrameData& frame_data) { return frame_data.getDateTimeAsTS(); - } + }, + modTimeStamp ); } @@ -1366,6 +1380,11 @@ failure: FramesData::FramesData(const Glib::ustring& fname, std::unique_ptr rml, bool firstFrameOnly) : iptc(nullptr), dcrawFrameCount(0) { + GStatBuf statbuf = {}; + g_stat(fname.c_str(), &statbuf); + modTimeStamp = statbuf.st_mtime; + modTime = timeFromTS(modTimeStamp); + if (rml && (rml->exifBase >= 0 || rml->ciffBase >= 0)) { FILE* f = g_fopen(fname.c_str(), "rb"); @@ -1384,7 +1403,7 @@ FramesData::FramesData(const Glib::ustring& fname, std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0)))); + frames.push_back(std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0), modTimeStamp))); } for (auto currRoot : roots) { @@ -1410,7 +1429,7 @@ FramesData::FramesData(const Glib::ustring& fname, std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0)))); + frames.push_back(std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0), modTimeStamp))); } rewind(exifManager.f); // Not sure this is necessary @@ -1430,7 +1449,7 @@ FramesData::FramesData(const Glib::ustring& fname, std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0)))); + frames.push_back(std::unique_ptr(new FrameData(currFrame, currFrame->getRoot(), roots.at(0), modTimeStamp))); } for (auto currRoot : roots) { diff --git a/rtengine/imagedata.h b/rtengine/imagedata.h index 4bf9bdf5b..752fafab3 100644 --- a/rtengine/imagedata.h +++ b/rtengine/imagedata.h @@ -72,7 +72,7 @@ protected: public: - FrameData (rtexif::TagDirectory* frameRootDir, rtexif::TagDirectory* rootDir, rtexif::TagDirectory* firstRootDir); + FrameData (rtexif::TagDirectory* frameRootDir, rtexif::TagDirectory* rootDir, rtexif::TagDirectory* firstRootDir, time_t ts = 0); virtual ~FrameData (); bool getPixelShift () const; @@ -109,6 +109,8 @@ private: std::vector roots; IptcData* iptc; unsigned int dcrawFrameCount; + struct tm modTime; + time_t modTimeStamp; public: explicit FramesData (const Glib::ustring& fname, std::unique_ptr rml = nullptr, bool firstFrameOnly = false); diff --git a/rtgui/batchqueueentry.cc b/rtgui/batchqueueentry.cc index 31a6f40c7..9fe4dd605 100644 --- a/rtgui/batchqueueentry.cc +++ b/rtgui/batchqueueentry.cc @@ -34,7 +34,7 @@ bool BatchQueueEntry::iconsLoaded(false); Glib::RefPtr BatchQueueEntry::savedAsIcon; BatchQueueEntry::BatchQueueEntry (rtengine::ProcessingJob* pjob, const rtengine::procparams::ProcParams& pparams, Glib::ustring fname, int prevw, int prevh, Thumbnail* thm, bool overwrite) : - ThumbBrowserEntryBase(fname), + ThumbBrowserEntryBase(fname, thm), opreview(nullptr), origpw(prevw), origph(prevh), diff --git a/rtgui/filebrowser.cc b/rtgui/filebrowser.cc index 66c84d86e..ac4a27dec 100644 --- a/rtgui/filebrowser.cc +++ b/rtgui/filebrowser.cc @@ -167,6 +167,41 @@ FileBrowser::FileBrowser () : pmenu->attach (*Gtk::manage(selall = new Gtk::MenuItem (M("FILEBROWSER_POPUPSELECTALL"))), 0, 1, p, p + 1); p++; + /*********************** + * sort + ***********************/ + const std::array cnameSortOrders = { + M("SORT_ASCENDING"), + M("SORT_DESCENDING"), + }; + + const std::array cnameSortMethods = { + M("SORT_BY_NAME"), + M("SORT_BY_DATE"), + M("SORT_BY_EXIF"), + M("SORT_BY_RANK"), + M("SORT_BY_LABEL"), + }; + + pmenu->attach (*Gtk::manage(menuSort = new Gtk::MenuItem (M("FILEBROWSER_POPUPSORTBY"))), 0, 1, p, p + 1); + p++; + Gtk::Menu* submenuSort = Gtk::manage (new Gtk::Menu ()); + Gtk::RadioButtonGroup sortOrderGroup, sortMethodGroup; + for (size_t i = 0; i < cnameSortOrders.size(); i++) { + submenuSort->attach (*Gtk::manage(sortOrder[i] = new Gtk::RadioMenuItem (sortOrderGroup, cnameSortOrders[i])), 0, 1, p, p + 1); + p++; + sortOrder[i]->set_active (i == options.sortDescending); + } + submenuSort->attach (*Gtk::manage(new Gtk::SeparatorMenuItem ()), 0, 1, p, p + 1); + p++; + for (size_t i = 0; i < cnameSortMethods.size(); i++) { + submenuSort->attach (*Gtk::manage(sortMethod[i] = new Gtk::RadioMenuItem (sortMethodGroup, cnameSortMethods[i])), 0, 1, p, p + 1); + p++; + sortMethod[i]->set_active (i == options.sortMethod); + } + submenuSort->show_all (); + menuSort->set_submenu (*submenuSort); + /*********************** * rank ***********************/ @@ -427,6 +462,14 @@ FileBrowser::FileBrowser () : inspect->signal_activate().connect (sigc::bind(sigc::mem_fun(*this, &FileBrowser::menuItemActivated), inspect)); } + for (int i = 0; i < 2; i++) { + sortOrder[i]->signal_activate().connect (sigc::bind(sigc::mem_fun(*this, &FileBrowser::menuItemActivated), sortOrder[i])); + } + + for (int i = 0; i < Options::SORT_METHOD_COUNT; i++) { + sortMethod[i]->signal_activate().connect (sigc::bind(sigc::mem_fun(*this, &FileBrowser::menuItemActivated), sortMethod[i])); + } + for (int i = 0; i < 6; i++) { rank[i]->signal_activate().connect (sigc::bind(sigc::mem_fun(*this, &FileBrowser::menuItemActivated), rank[i])); } @@ -610,27 +653,7 @@ void FileBrowser::addEntry_ (FileBrowserEntry* entry) entry->getThumbButtonSet()->setButtonListener(this); entry->resize(getThumbnailHeight()); entry->filtered = !checkFilter(entry); - - // find place in abc order - { - MYWRITERLOCK(l, entryRW); - - fd.insert( - std::lower_bound( - fd.begin(), - fd.end(), - entry, - [](const ThumbBrowserEntryBase* a, const ThumbBrowserEntryBase* b) - { - return *a < *b; - } - ), - entry - ); - - initEntry(entry); - } - redraw(entry); + insertEntry(entry); } FileBrowserEntry* FileBrowser::delEntry (const Glib::ustring& fname) @@ -724,6 +747,18 @@ void FileBrowser::menuItemActivated (Gtk::MenuItem* m) return; } + for (int i = 0; i < 2; i++) + if (m == sortOrder[i]) { + sortOrderRequested (i); + return; + } + + for (int i = 0; i < Options::SORT_METHOD_COUNT; i++) + if (m == sortMethod[i]) { + sortMethodRequested (i); + return; + } + for (int i = 0; i < 6; i++) if (m == rank[i]) { rankingRequested (mselected, i); @@ -1632,6 +1667,18 @@ void FileBrowser::fromTrashRequested (std::vector tbe) applyFilter (filter); } +void FileBrowser::sortMethodRequested (int method) +{ + options.sortMethod = Options::SortMethod(method); + resort (); +} + +void FileBrowser::sortOrderRequested (int order) +{ + options.sortDescending = !!order; + resort (); +} + void FileBrowser::rankingRequested (std::vector tbe, int rank) { diff --git a/rtgui/filebrowser.h b/rtgui/filebrowser.h index 4602ba9bb..0df1cf9eb 100644 --- a/rtgui/filebrowser.h +++ b/rtgui/filebrowser.h @@ -83,9 +83,12 @@ protected: Gtk::MenuItem* open; Gtk::MenuItem* inspect; Gtk::MenuItem* selall; + Gtk::RadioMenuItem* sortMethod[Options::SORT_METHOD_COUNT]; + Gtk::RadioMenuItem* sortOrder[2]; Gtk::MenuItem* copyTo; Gtk::MenuItem* moveTo; + Gtk::MenuItem* menuSort; Gtk::MenuItem* menuRank; Gtk::MenuItem* menuLabel; Gtk::MenuItem* menuFileOperations; @@ -131,6 +134,8 @@ protected: void toTrashRequested (std::vector tbe); void fromTrashRequested (std::vector tbe); + void sortMethodRequested (int method); + void sortOrderRequested (int order); void rankingRequested (std::vector tbe, int rank); void colorlabelRequested (std::vector tbe, int colorlabel); void requestRanking (int rank); diff --git a/rtgui/filebrowserentry.cc b/rtgui/filebrowserentry.cc index bf3f11a79..b89fe340d 100644 --- a/rtgui/filebrowserentry.cc +++ b/rtgui/filebrowserentry.cc @@ -45,10 +45,8 @@ Glib::RefPtr FileBrowserEntry::hdr; Glib::RefPtr FileBrowserEntry::ps; FileBrowserEntry::FileBrowserEntry (Thumbnail* thm, const Glib::ustring& fname) - : ThumbBrowserEntryBase (fname), wasInside(false), iatlistener(nullptr), press_x(0), press_y(0), action_x(0), action_y(0), rot_deg(0.0), landscape(true), cropParams(new rtengine::procparams::CropParams), cropgl(nullptr), state(SNormal), crop_custom_ratio(0.f) + : ThumbBrowserEntryBase (fname, thm), wasInside(false), iatlistener(nullptr), press_x(0), press_y(0), action_x(0), action_y(0), rot_deg(0.0), landscape(true), cropParams(new rtengine::procparams::CropParams), cropgl(nullptr), state(SNormal), crop_custom_ratio(0.f) { - thumbnail = thm; - feih = new FileBrowserEntryIdleHelper; feih->fbentry = this; feih->destroyed = false; diff --git a/rtgui/options.cc b/rtgui/options.cc index a1cc88c03..b2ef17d77 100644 --- a/rtgui/options.cc +++ b/rtgui/options.cc @@ -685,6 +685,8 @@ void Options::setDefaults() lastICCProfCreatorDir = ""; gimpPluginShowInfoDialog = true; maxRecentFolders = 15; + sortMethod = SORT_BY_NAME; + sortDescending = false; rtSettings.lensfunDbDirectory = ""; // set also in main.cc and main-cli.cc cropGuides = CROP_GUIDE_FULL; cropAutoFit = false; @@ -1150,6 +1152,19 @@ void Options::readFromFile(Glib::ustring fname) if (keyFile.has_key("File Browser", "RecentFolders")) { recentFolders = keyFile.get_string_list("File Browser", "RecentFolders"); } + + if (keyFile.has_key("File Browser", "SortMethod")) { + int v = keyFile.get_integer("File Browser", "SortMethod"); + if (v < int(0) || v >= int(SORT_METHOD_COUNT)) { + sortMethod = SORT_BY_NAME; + } else { + sortMethod = SortMethod(v); + } + } + + if (keyFile.has_key("File Browser", "SortDescending")) { + sortDescending = keyFile.get_boolean("File Browser", "SortDescending"); + } } if (keyFile.has_group("Clipping Indication")) { @@ -2217,6 +2232,8 @@ void Options::saveToFile(Glib::ustring fname) keyFile.set_string_list("File Browser", "RecentFolders", temp); } + keyFile.set_integer("File Browser", "SortMethod", sortMethod); + keyFile.set_boolean("File Browser", "SortDescending", sortDescending); keyFile.set_integer("Clipping Indication", "HighlightThreshold", highlightThreshold); keyFile.set_integer("Clipping Indication", "ShadowThreshold", shadowThreshold); keyFile.set_boolean("Clipping Indication", "BlinkClipped", blinkClipped); diff --git a/rtgui/options.h b/rtgui/options.h index bc5e41c91..d7523e699 100644 --- a/rtgui/options.h +++ b/rtgui/options.h @@ -452,6 +452,17 @@ public: size_t maxRecentFolders; // max. number of recent folders stored in options file std::vector recentFolders; // List containing all recent folders + enum SortMethod { + SORT_BY_NAME, + SORT_BY_DATE, + SORT_BY_EXIF, + SORT_BY_RANK, + SORT_BY_LABEL, + SORT_METHOD_COUNT, + }; + SortMethod sortMethod; // remembers current state of file browser + bool sortDescending; + Options (); diff --git a/rtgui/thumbbrowserbase.cc b/rtgui/thumbbrowserbase.cc index 06c662e51..8f3499c2a 100644 --- a/rtgui/thumbbrowserbase.cc +++ b/rtgui/thumbbrowserbase.cc @@ -1091,6 +1091,25 @@ bool ThumbBrowserBase::Internal::on_scroll_event (GdkEventScroll* event) } +void ThumbBrowserBase::resort () +{ + { + MYWRITERLOCK(l, entryRW); + + std::sort( + fd.begin(), + fd.end(), + [](const ThumbBrowserEntryBase* a, const ThumbBrowserEntryBase* b) + { + bool lt = a->compare(*b, options.sortMethod); + return options.sortDescending ? !lt : lt; + } + ); + } + + redraw (); +} + void ThumbBrowserBase::redraw (ThumbBrowserEntryBase* entry) { @@ -1218,9 +1237,30 @@ void ThumbBrowserBase::enableTabMode(bool enable) } } -void ThumbBrowserBase::initEntry (ThumbBrowserEntryBase* entry) +void ThumbBrowserBase::insertEntry (ThumbBrowserEntryBase* entry) { - entry->setOffset ((int)(hscroll.get_value()), (int)(vscroll.get_value())); + // find place in sort order + { + MYWRITERLOCK(l, entryRW); + + fd.insert( + std::lower_bound( + fd.begin(), + fd.end(), + entry, + [](const ThumbBrowserEntryBase* a, const ThumbBrowserEntryBase* b) + { + bool lt = a->compare(*b, options.sortMethod); + return options.sortDescending ? !lt : lt; + } + ), + entry + ); + + entry->setOffset ((int)(hscroll.get_value()), (int)(vscroll.get_value())); + } + + redraw (); } void ThumbBrowserBase::getScrollPosition (double& h, double& v) diff --git a/rtgui/thumbbrowserbase.h b/rtgui/thumbbrowserbase.h index 2d41cdfab..8c1ec49c8 100644 --- a/rtgui/thumbbrowserbase.h +++ b/rtgui/thumbbrowserbase.h @@ -208,12 +208,13 @@ public: return fd; } void on_style_updated () override; + void resort (); // re-apply sort method void redraw (ThumbBrowserEntryBase* entry = nullptr); // arrange files and draw area void refreshThumbImages (); // refresh thumbnail sizes, re-generate thumbnail images, arrange and draw void refreshQuickThumbImages (); // refresh thumbnail sizes, re-generate thumbnail images, arrange and draw void refreshEditedState (const std::set& efiles); - void initEntry (ThumbBrowserEntryBase* entry); + void insertEntry (ThumbBrowserEntryBase* entry); void getScrollPosition (double& h, double& v); void setScrollPosition (double h, double v); diff --git a/rtgui/thumbbrowserentrybase.cc b/rtgui/thumbbrowserentrybase.cc index 306b491be..3d1e6bdc4 100644 --- a/rtgui/thumbbrowserentrybase.cc +++ b/rtgui/thumbbrowserentrybase.cc @@ -119,7 +119,7 @@ Glib::ustring getPaddedName(const Glib::ustring& name) } -ThumbBrowserEntryBase::ThumbBrowserEntryBase (const Glib::ustring& fname) : +ThumbBrowserEntryBase::ThumbBrowserEntryBase (const Glib::ustring& fname, Thumbnail *thm) : fnlabw(0), fnlabh(0), dtlabw(0), @@ -153,7 +153,8 @@ ThumbBrowserEntryBase::ThumbBrowserEntryBase (const Glib::ustring& fname) : bbPreview(nullptr), cursor_type(CSUndefined), collate_name(getPaddedName(dispname).casefold_collate_key()), - thumbnail(nullptr), + collate_exif(getPaddedName(thm->getExifString()).casefold_collate_key()), + thumbnail(thm), filename(fname), selected(false), drawable(false), diff --git a/rtgui/thumbbrowserentrybase.h b/rtgui/thumbbrowserentrybase.h index 764f806fd..3db03a96e 100644 --- a/rtgui/thumbbrowserentrybase.h +++ b/rtgui/thumbbrowserentrybase.h @@ -26,6 +26,8 @@ #include "guiutils.h" #include "lwbuttonset.h" #include "threadutils.h" +#include "options.h" +#include "thumbnail.h" #include "../rtengine/coord2d.h" @@ -95,6 +97,7 @@ protected: private: const std::string collate_name; + const std::string collate_exif; public: @@ -117,7 +120,7 @@ public: bool updatepriority; eWithFilename withFilename; - explicit ThumbBrowserEntryBase (const Glib::ustring& fname); + explicit ThumbBrowserEntryBase (const Glib::ustring& fname, Thumbnail *thm); virtual ~ThumbBrowserEntryBase (); void setParent (ThumbBrowserBase* l) @@ -174,9 +177,32 @@ public: void setPosition (int x, int y, int w, int h); void setOffset (int x, int y); - bool operator <(const ThumbBrowserEntryBase& other) const + bool compare (const ThumbBrowserEntryBase& other, Options::SortMethod method) const { - return collate_name < other.collate_name; + int cmp = 0; + switch (method){ + case Options::SORT_BY_NAME: + return collate_name < other.collate_name; + case Options::SORT_BY_DATE: + cmp = thumbnail->getDateTime().compare(other.thumbnail->getDateTime()); + break; + case Options::SORT_BY_EXIF: + cmp = collate_exif.compare(other.collate_exif); + break; + case Options::SORT_BY_RANK: + cmp = thumbnail->getRank() - other.thumbnail->getRank(); + break; + case Options::SORT_BY_LABEL: + cmp = thumbnail->getColorLabel() - other.thumbnail->getColorLabel(); + break; + case Options::SORT_METHOD_COUNT: abort(); + } + + // Always fall back to sorting by name + if (!cmp) + cmp = collate_name.compare(other.collate_name); + + return cmp < 0; } virtual void refreshThumbnailImage () = 0; diff --git a/rtgui/thumbnail.cc b/rtgui/thumbnail.cc index 2baf03247..30766ebc9 100644 --- a/rtgui/thumbnail.cc +++ b/rtgui/thumbnail.cc @@ -31,6 +31,7 @@ #include "../rtengine/procparams.h" #include "../rtengine/rtthumbnail.h" #include +#include #include "../rtengine/dynamicprofile.h" #include "../rtengine/profilestore.h" @@ -718,11 +719,44 @@ rtengine::IImage8* Thumbnail::upgradeThumbImage (const rtengine::procparams::Pro void Thumbnail::generateExifDateTimeStrings () { + if (cfs.timeValid) { + std::string dateFormat = options.dateFormat; + std::ostringstream ostr; + bool spec = false; - exifString = ""; - dateTimeString = ""; + for (size_t i = 0; i < dateFormat.size(); i++) + if (spec && dateFormat[i] == 'y') { + ostr << cfs.year; + spec = false; + } else if (spec && dateFormat[i] == 'm') { + ostr << (int)cfs.month; + spec = false; + } else if (spec && dateFormat[i] == 'd') { + ostr << (int)cfs.day; + spec = false; + } else if (dateFormat[i] == '%') { + spec = true; + } else { + ostr << (char)dateFormat[i]; + spec = false; + } + + ostr << " " << (int)cfs.hour; + ostr << ":" << std::setw(2) << std::setfill('0') << (int)cfs.min; + ostr << ":" << std::setw(2) << std::setfill('0') << (int)cfs.sec; + + dateTimeString = ostr.str (); + dateTime = Glib::DateTime::create_local(cfs.year, cfs.month, cfs.day, + cfs.hour, cfs.min, cfs.sec); + } + + if (!dateTime.gobj() || !cfs.timeValid) { + dateTimeString = ""; + dateTime = Glib::DateTime::create_now_utc(0); + } if (!cfs.exifValid) { + exifString = ""; return; } @@ -731,33 +765,6 @@ void Thumbnail::generateExifDateTimeStrings () if (options.fbShowExpComp && cfs.expcomp != "0.00" && !cfs.expcomp.empty()) { // don't show exposure compensation if it is 0.00EV;old cache files do not have ExpComp, so value will not be displayed. exifString = Glib::ustring::compose ("%1 %2EV", exifString, cfs.expcomp); // append exposure compensation to exifString } - - std::string dateFormat = options.dateFormat; - std::ostringstream ostr; - bool spec = false; - - for (size_t i = 0; i < dateFormat.size(); i++) - if (spec && dateFormat[i] == 'y') { - ostr << cfs.year; - spec = false; - } else if (spec && dateFormat[i] == 'm') { - ostr << (int)cfs.month; - spec = false; - } else if (spec && dateFormat[i] == 'd') { - ostr << (int)cfs.day; - spec = false; - } else if (dateFormat[i] == '%') { - spec = true; - } else { - ostr << (char)dateFormat[i]; - spec = false; - } - - ostr << " " << (int)cfs.hour; - ostr << ":" << std::setw(2) << std::setfill('0') << (int)cfs.min; - ostr << ":" << std::setw(2) << std::setfill('0') << (int)cfs.sec; - - dateTimeString = ostr.str (); } const Glib::ustring& Thumbnail::getExifString () const @@ -772,6 +779,12 @@ const Glib::ustring& Thumbnail::getDateTimeString () const return dateTimeString; } +const Glib::DateTime& Thumbnail::getDateTime () const +{ + + return dateTime; +} + void Thumbnail::getAutoWB (double& temp, double& green, double equal, double tempBias) { if (cfs.redAWBMul != -1.0) { @@ -802,6 +815,16 @@ int Thumbnail::infoFromImage (const Glib::ustring& fname, std::unique_ptrgetDateTimeAsTS() > 0) { + cfs.year = 1900 + idata->getDateTime().tm_year; + cfs.month = idata->getDateTime().tm_mon + 1; + cfs.day = idata->getDateTime().tm_mday; + cfs.hour = idata->getDateTime().tm_hour; + cfs.min = idata->getDateTime().tm_min; + cfs.sec = idata->getDateTime().tm_sec; + cfs.timeValid = true; + } + if (idata->hasExif()) { cfs.shutter = idata->getShutterSpeed (); cfs.fnumber = idata->getFNumber (); @@ -814,18 +837,11 @@ int Thumbnail::infoFromImage (const Glib::ustring& fname, std::unique_ptrgetPixelShift (); cfs.frameCount = idata->getFrameCount (); cfs.sampleFormat = idata->getSampleFormat (); - cfs.year = 1900 + idata->getDateTime().tm_year; - cfs.month = idata->getDateTime().tm_mon + 1; - cfs.day = idata->getDateTime().tm_mday; - cfs.hour = idata->getDateTime().tm_hour; - cfs.min = idata->getDateTime().tm_min; - cfs.sec = idata->getDateTime().tm_sec; - cfs.timeValid = true; - cfs.exifValid = true; cfs.lens = idata->getLens(); cfs.camMake = idata->getMake(); cfs.camModel = idata->getModel(); cfs.rating = idata->getRating(); + cfs.exifValid = true; if (idata->getOrientation() == "Rotate 90 CW") { deg = 90; diff --git a/rtgui/thumbnail.h b/rtgui/thumbnail.h index cda69f030..491151028 100644 --- a/rtgui/thumbnail.h +++ b/rtgui/thumbnail.h @@ -22,6 +22,7 @@ #include #include +#include #include "cacheimagedata.h" #include "threadutils.h" @@ -73,6 +74,7 @@ class Thumbnail // exif & date/time strings Glib::ustring exifString; Glib::ustring dateTimeString; + Glib::DateTime dateTime; bool initial_; @@ -124,6 +126,7 @@ public: const Glib::ustring& getExifString () const; const Glib::ustring& getDateTimeString () const; + const Glib::DateTime& getDateTime () const; void getCamWB (double& temp, double& green) const; void getAutoWB (double& temp, double& green, double equal, double tempBias); void getSpotWB (int x, int y, int rect, double& temp, double& green); From 8d29d361a84b21d6c248e581f81d2ce4c1cf54e2 Mon Sep 17 00:00:00 2001 From: Ingo Weyrich Date: Mon, 2 Jan 2023 21:30:06 +0100 Subject: [PATCH 169/170] Support dnggainmap (embedded correction) for Bayer files (#6382) * dng gainmap support, #6379 * dng GainMap: control sensitivity of checkbox, #6379 * dng GainMap: partial paste * dng GainMap: moved isGainMapSupported() from dcraw.h to dcraw.cc * RawImageSource::applyDngGainMap: small speedup * Change GUI to separate gainmap from other flat-field; also reorder checkbox Co-authored-by: Thanatomanic <6567747+Thanatomanic@users.noreply.github.com> --- rtdata/languages/default | 3 + rtengine/array2D.h | 8 +++ rtengine/dcraw.cc | 109 +++++++++++++++++++++++++++++++++- rtengine/dcraw.h | 20 ++++++- rtengine/dnggainmap.h | 43 ++++++++++++++ rtengine/imagesource.h | 1 + rtengine/improccoordinator.cc | 2 +- rtengine/procparams.cc | 4 ++ rtengine/procparams.h | 1 + rtengine/rawimage.h | 5 -- rtengine/rawimagesource.cc | 35 ++++++++++- rtengine/rawimagesource.h | 4 ++ rtengine/rtengine.h | 2 +- rtengine/stdimagesource.h | 5 ++ rtgui/flatfield.cc | 36 ++++++++++- rtgui/flatfield.h | 8 ++- rtgui/paramsedited.cc | 8 ++- rtgui/paramsedited.h | 1 + rtgui/partialpastedlg.cc | 9 +++ rtgui/partialpastedlg.h | 3 +- rtgui/toolpanelcoord.cc | 11 ++-- rtgui/toolpanelcoord.h | 2 +- 22 files changed, 299 insertions(+), 21 deletions(-) create mode 100644 rtengine/dnggainmap.h diff --git a/rtdata/languages/default b/rtdata/languages/default index a33b2a9cd..82216f18f 100644 --- a/rtdata/languages/default +++ b/rtdata/languages/default @@ -1406,6 +1406,7 @@ HISTORY_MSG_DEHAZE_STRENGTH;Dehaze - Strength HISTORY_MSG_DUALDEMOSAIC_AUTO_CONTRAST;Dual demosaic - Auto threshold HISTORY_MSG_DUALDEMOSAIC_CONTRAST;Dual demosaic - Contrast threshold HISTORY_MSG_EDGEFFECT;Edge Attenuation response +HISTORY_MSG_FF_FROMMETADATA;Flat-Field - From Metadata HISTORY_MSG_FILMNEGATIVE_BALANCE;FN - Reference output HISTORY_MSG_FILMNEGATIVE_COLORSPACE;Film negative color space HISTORY_MSG_FILMNEGATIVE_ENABLED;Film Negative @@ -1736,6 +1737,7 @@ PARTIALPASTE_EXPOSURE;Exposure PARTIALPASTE_FILMNEGATIVE;Film negative PARTIALPASTE_FILMSIMULATION;Film simulation PARTIALPASTE_FLATFIELDAUTOSELECT;Flat-field auto-selection +PARTIALPASTE_FLATFIELDFROMMETADATA;Flat-field from Metadata PARTIALPASTE_FLATFIELDBLURRADIUS;Flat-field blur radius PARTIALPASTE_FLATFIELDBLURTYPE;Flat-field blur type PARTIALPASTE_FLATFIELDCLIPCONTROL;Flat-field clip control @@ -2481,6 +2483,7 @@ TP_FLATFIELD_BT_VERTHORIZ;Vertical + Horizontal TP_FLATFIELD_BT_VERTICAL;Vertical TP_FLATFIELD_CLIPCONTROL;Clip control TP_FLATFIELD_CLIPCONTROL_TOOLTIP;Clip control avoids clipped highlights caused by applying the flat field. If there are already clipped highlights before applying the flat field, value 0 is used. +TP_FLATFIELD_FROMMETADATA;From Metadata TP_FLATFIELD_LABEL;Flat-Field TP_GENERAL_11SCALE_TOOLTIP;The effects of this tool are only visible or only accurate at a preview scale of 1:1. TP_GRADIENT_CENTER;Center diff --git a/rtengine/array2D.h b/rtengine/array2D.h index 10d797999..eee6c3210 100644 --- a/rtengine/array2D.h +++ b/rtengine/array2D.h @@ -248,6 +248,14 @@ public: return *this; } + // import from flat data + void operator()(std::size_t w, std::size_t h, const T* const copy) + { + ar_realloc(w, h); + for (std::size_t y = 0; y < h; ++y) { + std::copy(copy + y * w, copy + y * w + w, rows.data()[y]); + } + } int getWidth() const { diff --git a/rtengine/dcraw.cc b/rtengine/dcraw.cc index bdd92c7da..8eca727b4 100644 --- a/rtengine/dcraw.cc +++ b/rtengine/dcraw.cc @@ -6938,7 +6938,6 @@ it under the terms of the one of two licenses as you choose: unsigned oldOrder = order; order = 0x4d4d; // always big endian per definition in https://www.adobe.com/content/dam/acom/en/products/photoshop/pdfs/dng_spec_1.4.0.0.pdf chapter 7 unsigned ntags = get4(); // read the number of opcodes - if (ntags < ifp->size / 12) { // rough check for wrong value (happens for example with DNG files from DJI FC6310) while (ntags-- && !ifp->eof) { unsigned opcode = get4(); @@ -6957,8 +6956,48 @@ it under the terms of the one of two licenses as you choose: break; } case 51009: /* OpcodeList2 */ - meta_offset = ftell(ifp); - break; + { + meta_offset = ftell(ifp); + const unsigned oldOrder = order; + order = 0x4d4d; // always big endian per definition in https://www.adobe.com/content/dam/acom/en/products/photoshop/pdfs/dng_spec_1.4.0.0.pdf chapter 7 + unsigned ntags = get4(); // read the number of opcodes + if (ntags < ifp->size / 12) { // rough check for wrong value (happens for example with DNG files from DJI FC6310) + while (ntags-- && !ifp->eof) { + unsigned opcode = get4(); + if (opcode == 9 && gainMaps.size() < 4) { + fseek(ifp, 4, SEEK_CUR); // skip 4 bytes as we know that the opcode 4 takes 4 byte + fseek(ifp, 8, SEEK_CUR); // skip 8 bytes as they don't interest us currently + GainMap gainMap; + gainMap.Top = get4(); + gainMap.Left = get4(); + gainMap.Bottom = get4(); + gainMap.Right = get4(); + gainMap.Plane = get4(); + gainMap.Planes = get4(); + gainMap.RowPitch = get4(); + gainMap.ColPitch = get4(); + gainMap.MapPointsV = get4(); + gainMap.MapPointsH = get4(); + gainMap.MapSpacingV = getreal(12); + gainMap.MapSpacingH = getreal(12); + gainMap.MapOriginV = getreal(12); + gainMap.MapOriginH = getreal(12); + gainMap.MapPlanes = get4(); + const std::size_t n = static_cast(gainMap.MapPointsV) * static_cast(gainMap.MapPointsH) * static_cast(gainMap.MapPlanes); + gainMap.MapGain.reserve(n); + for (std::size_t i = 0; i < n; ++i) { + gainMap.MapGain.push_back(getreal(11)); + } + gainMaps.push_back(std::move(gainMap)); + } else { + fseek(ifp, 8, SEEK_CUR); // skip 8 bytes as they don't interest us currently + fseek(ifp, get4(), SEEK_CUR); + } + } + } + order = oldOrder; + break; + } case 64772: /* Kodak P-series */ if (len < 13) break; fseek (ifp, 16, SEEK_CUR); @@ -11079,6 +11118,70 @@ void CLASS nikon_14bit_load_raw() free(buf); } +bool CLASS isGainMapSupported() const { + if (!(dng_version && isBayer())) { + return false; + } + const auto n = gainMaps.size(); + if (n != 4) { // we need 4 gainmaps for bayer files + if (rtengine::settings->verbose) { + std::cout << "GainMap has " << n << " maps, but 4 are needed" << std::endl; + } + return false; + } + unsigned int check = 0; + bool noOp = true; + for (const auto &m : gainMaps) { + if (m.MapGain.size() < 1) { + if (rtengine::settings->verbose) { + std::cout << "GainMap has invalid size of " << m.MapGain.size() << std::endl; + } + return false; + } + if (m.MapGain.size() != static_cast(m.MapPointsV) * static_cast(m.MapPointsH) * static_cast(m.MapPlanes)) { + if (rtengine::settings->verbose) { + std::cout << "GainMap has size of " << m.MapGain.size() << ", but needs " << m.MapPointsV * m.MapPointsH * m.MapPlanes << std::endl; + } + return false; + } + if (m.RowPitch != 2 || m.ColPitch != 2) { + if (rtengine::settings->verbose) { + std::cout << "GainMap needs Row/ColPitch of 2/2, but has " << m.RowPitch << "/" << m.ColPitch << std::endl; + } + return false; + } + if (m.Top == 0){ + if (m.Left == 0) { + check += 1; + } else if (m.Left == 1) { + check += 2; + } + } else if (m.Top == 1) { + if (m.Left == 0) { + check += 4; + } else if (m.Left == 1) { + check += 8; + } + } + for (size_t i = 0; noOp && i < m.MapGain.size(); ++i) { + if (m.MapGain[i] != 1.f) { // we have at least one value != 1.f => map is not a nop + noOp = false; + } + } + } + if (noOp || check != 15) { // all maps are nops or the structure of the combination of 4 maps is not correct + if (rtengine::settings->verbose) { + if (noOp) { + std::cout << "GainMap is a nop" << std::endl; + } else { + std::cout << "GainMap has unsupported type : " << check << std::endl; + } + } + return false; + } + return true; +} + /* RT: Delete from here */ /*RT*/#undef SQR /*RT*/#undef MAX diff --git a/rtengine/dcraw.h b/rtengine/dcraw.h index f78bd8aa6..e0a6cda92 100644 --- a/rtengine/dcraw.h +++ b/rtengine/dcraw.h @@ -19,9 +19,12 @@ #pragma once +#include + #include "myfile.h" #include - +#include "dnggainmap.h" +#include "settings.h" class DCraw { @@ -165,6 +168,8 @@ protected: PanasonicRW2Info(): bpp(0), encoding(0) {} }; PanasonicRW2Info RT_pana_info; + std::vector gainMaps; + public: struct CanonCR3Data { // contents of tag CMP1 for relevant track in CR3 file @@ -193,6 +198,18 @@ public: int crx_track_selected; short CR3_CTMDtag; }; + + bool isBayer() const + { + return (filters != 0 && filters != 9); + } + + const std::vector& getGainMaps() const { + return gainMaps; + } + + bool isGainMapSupported() const; + struct CanonLevelsData { unsigned cblack[4]; unsigned white; @@ -200,6 +217,7 @@ public: bool white_ok; CanonLevelsData(): cblack{0}, white{0}, black_ok(false), white_ok(false) {} }; + protected: CanonCR3Data RT_canon_CR3_data; diff --git a/rtengine/dnggainmap.h b/rtengine/dnggainmap.h new file mode 100644 index 000000000..25a01fd0f --- /dev/null +++ b/rtengine/dnggainmap.h @@ -0,0 +1,43 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Ingo Weyrich + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ + +#pragma once + +#include +#include + +struct GainMap +{ + std::uint32_t Top; + std::uint32_t Left; + std::uint32_t Bottom; + std::uint32_t Right; + std::uint32_t Plane; + std::uint32_t Planes; + std::uint32_t RowPitch; + std::uint32_t ColPitch; + std::uint32_t MapPointsV; + std::uint32_t MapPointsH; + double MapSpacingV; + double MapSpacingH; + double MapOriginV; + double MapOriginH; + std::uint32_t MapPlanes; + std::vector MapGain; +}; diff --git a/rtengine/imagesource.h b/rtengine/imagesource.h index 6cb279efc..a8ea8f851 100644 --- a/rtengine/imagesource.h +++ b/rtengine/imagesource.h @@ -137,6 +137,7 @@ public: virtual ImageMatrices* getImageMatrices () = 0; virtual bool isRAW () const = 0; + virtual bool isGainMapSupported () const = 0; virtual DCPProfile* getDCP (const procparams::ColorManagementParams &cmp, DCPProfileApplyState &as) { return nullptr; diff --git a/rtengine/improccoordinator.cc b/rtengine/improccoordinator.cc index 8d377d30c..df354bfd8 100644 --- a/rtengine/improccoordinator.cc +++ b/rtengine/improccoordinator.cc @@ -407,7 +407,7 @@ void ImProcCoordinator::updatePreviewImage(int todo, bool panningRelatedChange) // If high detail (=100%) is newly selected, do a demosaic update, since the last was just with FAST if (imageTypeListener) { - imageTypeListener->imageTypeChanged(imgsrc->isRAW(), imgsrc->getSensorType() == ST_BAYER, imgsrc->getSensorType() == ST_FUJI_XTRANS, imgsrc->isMono()); + imageTypeListener->imageTypeChanged(imgsrc->isRAW(), imgsrc->getSensorType() == ST_BAYER, imgsrc->getSensorType() == ST_FUJI_XTRANS, imgsrc->isMono(), imgsrc->isGainMapSupported()); } if ((todo & M_RAW) diff --git a/rtengine/procparams.cc b/rtengine/procparams.cc index 04ece8bc3..c9c420b44 100644 --- a/rtengine/procparams.cc +++ b/rtengine/procparams.cc @@ -5633,6 +5633,7 @@ bool RAWParams::PreprocessWB::operator !=(const PreprocessWB& other) const RAWParams::RAWParams() : df_autoselect(false), ff_AutoSelect(false), + ff_FromMetaData(false), ff_BlurRadius(32), ff_BlurType(getFlatFieldBlurTypeString(FlatFieldBlurType::AREA)), ff_AutoClipControl(false), @@ -5658,6 +5659,7 @@ bool RAWParams::operator ==(const RAWParams& other) const && df_autoselect == other.df_autoselect && ff_file == other.ff_file && ff_AutoSelect == other.ff_AutoSelect + && ff_FromMetaData == other.ff_FromMetaData && ff_BlurRadius == other.ff_BlurRadius && ff_BlurType == other.ff_BlurType && ff_AutoClipControl == other.ff_AutoClipControl @@ -7484,6 +7486,7 @@ int ProcParams::save(const Glib::ustring& fname, const Glib::ustring& fname2, bo saveToKeyfile(!pedited || pedited->raw.df_autoselect, "RAW", "DarkFrameAuto", raw.df_autoselect, keyFile); saveToKeyfile(!pedited || pedited->raw.ff_file, "RAW", "FlatFieldFile", relativePathIfInside(fname, fnameAbsolute, raw.ff_file), keyFile); saveToKeyfile(!pedited || pedited->raw.ff_AutoSelect, "RAW", "FlatFieldAutoSelect", raw.ff_AutoSelect, keyFile); + saveToKeyfile(!pedited || pedited->raw.ff_FromMetaData, "RAW", "FlatFieldFromMetaData", raw.ff_FromMetaData, keyFile); saveToKeyfile(!pedited || pedited->raw.ff_BlurRadius, "RAW", "FlatFieldBlurRadius", raw.ff_BlurRadius, keyFile); saveToKeyfile(!pedited || pedited->raw.ff_BlurType, "RAW", "FlatFieldBlurType", raw.ff_BlurType, keyFile); saveToKeyfile(!pedited || pedited->raw.ff_AutoClipControl, "RAW", "FlatFieldAutoClipControl", raw.ff_AutoClipControl, keyFile); @@ -10130,6 +10133,7 @@ int ProcParams::load(const Glib::ustring& fname, ParamsEdited* pedited) } assignFromKeyfile(keyFile, "RAW", "FlatFieldAutoSelect", pedited, raw.ff_AutoSelect, pedited->raw.ff_AutoSelect); + assignFromKeyfile(keyFile, "RAW", "FlatFieldFromMetaData", pedited, raw.ff_FromMetaData, pedited->raw.ff_FromMetaData); assignFromKeyfile(keyFile, "RAW", "FlatFieldBlurRadius", pedited, raw.ff_BlurRadius, pedited->raw.ff_BlurRadius); assignFromKeyfile(keyFile, "RAW", "FlatFieldBlurType", pedited, raw.ff_BlurType, pedited->raw.ff_BlurType); assignFromKeyfile(keyFile, "RAW", "FlatFieldAutoClipControl", pedited, raw.ff_AutoClipControl, pedited->raw.ff_AutoClipControl); diff --git a/rtengine/procparams.h b/rtengine/procparams.h index d730316e2..309bcb2ab 100644 --- a/rtengine/procparams.h +++ b/rtengine/procparams.h @@ -2440,6 +2440,7 @@ struct RAWParams { Glib::ustring ff_file; bool ff_AutoSelect; + bool ff_FromMetaData; int ff_BlurRadius; Glib::ustring ff_BlurType; bool ff_AutoClipControl; diff --git a/rtengine/rawimage.h b/rtengine/rawimage.h index 871267dac..2b1cd2156 100644 --- a/rtengine/rawimage.h +++ b/rtengine/rawimage.h @@ -245,11 +245,6 @@ public: return zero_is_bad == 1; } - bool isBayer() const - { - return (filters != 0 && filters != 9); - } - bool isXtrans() const { return filters == 9; diff --git a/rtengine/rawimagesource.cc b/rtengine/rawimagesource.cc index 48d7b0904..550c59e9c 100644 --- a/rtengine/rawimagesource.cc +++ b/rtengine/rawimagesource.cc @@ -39,6 +39,7 @@ #include "rawimage.h" #include "rawimagesource_i.h" #include "rawimagesource.h" +#include "rescale.h" #include "rt_math.h" #include "rtengine.h" #include "rtlensfun.h" @@ -1347,7 +1348,6 @@ void RawImageSource::preprocess (const RAWParams &raw, const LensProfParams &le rif = ffm.searchFlatField(idata->getMake(), idata->getModel(), idata->getLens(), idata->getFocalLen(), idata->getFNumber(), idata->getDateTimeAsTS()); } - bool hasFlatField = (rif != nullptr); if (hasFlatField && settings->verbose) { @@ -1387,6 +1387,9 @@ void RawImageSource::preprocess (const RAWParams &raw, const LensProfParams &le } //FLATFIELD end + if (raw.ff_FromMetaData && isGainMapSupported()) { + applyDngGainMap(c_black, ri->getGainMaps()); + } // Always correct camera badpixels from .badpixels file const std::vector *bp = DFManager::getInstance().getBadPixels(ri->get_maker(), ri->get_model(), idata->getSerialNumber()); @@ -6259,6 +6262,36 @@ void RawImageSource::getRawValues(int x, int y, int rotate, int &R, int &G, int } } +bool RawImageSource::isGainMapSupported() const { + return ri->isGainMapSupported(); +} + +void RawImageSource::applyDngGainMap(const float black[4], const std::vector &gainMaps) { + // now we can apply each gain map to raw_data + array2D mvals[2][2]; + for (auto &m : gainMaps) { + mvals[m.Top & 1][m.Left & 1](m.MapPointsH, m.MapPointsV, m.MapGain.data()); + } + + // now we assume, col_scale and row scale is the same for all maps + const float col_scale = float(gainMaps[0].MapPointsH-1) / float(W); + const float row_scale = float(gainMaps[0].MapPointsV-1) / float(H); + +#ifdef _OPENMP + #pragma omp parallel for schedule(dynamic, 16) +#endif + for (std::size_t y = 0; y < static_cast(H); ++y) { + const float rowBlack[2] = {black[FC(y,0)], black[FC(y,1)]}; + const float ys = y * row_scale; + float xs = 0.f; + for (std::size_t x = 0; x < static_cast(W); ++x, xs += col_scale) { + const float f = getBilinearValue(mvals[y & 1][x & 1], xs, ys); + const float b = rowBlack[x & 1]; + rawData[y][x] = rtengine::max((rawData[y][x] - b) * f + b, 0.f); + } + } +} + void RawImageSource::cleanup () { delete phaseOneIccCurve; diff --git a/rtengine/rawimagesource.h b/rtengine/rawimagesource.h index 41a400dd9..d7549fe71 100644 --- a/rtengine/rawimagesource.h +++ b/rtengine/rawimagesource.h @@ -24,6 +24,7 @@ #include "array2D.h" #include "colortemp.h" +#include "dnggainmap.h" #include "iimage.h" #include "imagesource.h" #include "procparams.h" @@ -177,6 +178,8 @@ public: return true; } + bool isGainMapSupported() const override; + void setProgressListener (ProgressListener* pl) override { plistener = pl; @@ -304,6 +307,7 @@ protected: void vflip (Imagefloat* im); void getRawValues(int x, int y, int rotate, int &R, int &G, int &B) override; void captureSharpening(const procparams::CaptureSharpeningParams &sharpeningParams, bool showMask, double &conrastThreshold, double &radius) override; + void applyDngGainMap(const float black[4], const std::vector &gainMaps); }; } diff --git a/rtengine/rtengine.h b/rtengine/rtengine.h index b9fc916f6..989ca3354 100644 --- a/rtengine/rtengine.h +++ b/rtengine/rtengine.h @@ -493,7 +493,7 @@ class ImageTypeListener { public: virtual ~ImageTypeListener() = default; - virtual void imageTypeChanged(bool isRaw, bool isBayer, bool isXtrans, bool is_Mono = false) = 0; + virtual void imageTypeChanged(bool isRaw, bool isBayer, bool isXtrans, bool is_Mono = false, bool isGainMapSupported = false) = 0; }; class AutoContrastListener diff --git a/rtengine/stdimagesource.h b/rtengine/stdimagesource.h index 9b95fe34e..f83c58a04 100644 --- a/rtengine/stdimagesource.h +++ b/rtengine/stdimagesource.h @@ -100,6 +100,11 @@ public: return false; } + bool isGainMapSupported() const override + { + return false; + } + void setProgressListener (ProgressListener* pl) override { plistener = pl; diff --git a/rtgui/flatfield.cc b/rtgui/flatfield.cc index 71fa0aab6..f493ba0b9 100644 --- a/rtgui/flatfield.cc +++ b/rtgui/flatfield.cc @@ -18,6 +18,7 @@ */ #include +#include "eventmapper.h" #include "flatfield.h" #include "guiutils.h" @@ -32,6 +33,9 @@ using namespace rtengine::procparams; FlatField::FlatField () : FoldableToolPanel(this, "flatfield", M("TP_FLATFIELD_LABEL")) { + auto m = ProcEventMapper::getInstance(); + EvFlatFieldFromMetaData = m->newEvent(DARKFRAME, "HISTORY_MSG_FF_FROMMETADATA"); + hbff = Gtk::manage(new Gtk::Box()); flatFieldFile = Gtk::manage(new MyFileChooserButton(M("TP_FLATFIELD_LABEL"), Gtk::FILE_CHOOSER_ACTION_OPEN)); bindCurrentFolder (*flatFieldFile, options.lastFlatfieldDir); @@ -42,6 +46,8 @@ FlatField::FlatField () : FoldableToolPanel(this, "flatfield", M("TP_FLATFIELD_L hbff->pack_start(*flatFieldFile); hbff->pack_start(*flatFieldFileReset, Gtk::PACK_SHRINK); flatFieldAutoSelect = Gtk::manage(new Gtk::CheckButton((M("TP_FLATFIELD_AUTOSELECT")))); + flatFieldFromMetaData = Gtk::manage(new CheckBox((M("TP_FLATFIELD_FROMMETADATA")), multiImage)); + flatFieldFromMetaData->setCheckBoxListener (this); ffInfo = Gtk::manage(new Gtk::Label("-")); setExpandAlignProperties(ffInfo, true, false, Gtk::ALIGN_CENTER, Gtk::ALIGN_CENTER); flatFieldBlurRadius = Gtk::manage(new Adjuster (M("TP_FLATFIELD_BLURRADIUS"), 0, 200, 2, 32)); @@ -70,8 +76,10 @@ FlatField::FlatField () : FoldableToolPanel(this, "flatfield", M("TP_FLATFIELD_L flatFieldClipControl->show(); flatFieldClipControl->set_tooltip_markup (M("TP_FLATFIELD_CLIPCONTROL_TOOLTIP")); - pack_start( *hbff, Gtk::PACK_SHRINK); + pack_start( *flatFieldFromMetaData, Gtk::PACK_SHRINK); + pack_start( *Gtk::manage( new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)), Gtk::PACK_SHRINK, 0 ); pack_start( *flatFieldAutoSelect, Gtk::PACK_SHRINK); + pack_start( *hbff, Gtk::PACK_SHRINK); pack_start( *ffInfo, Gtk::PACK_SHRINK); pack_start( *hbffbt, Gtk::PACK_SHRINK); pack_start( *flatFieldBlurRadius, Gtk::PACK_SHRINK); @@ -128,12 +136,14 @@ void FlatField::read(const rtengine::procparams::ProcParams* pp, const ParamsEdi } flatFieldAutoSelect->set_active (pp->raw.ff_AutoSelect); + flatFieldFromMetaData->set_active (pp->raw.ff_FromMetaData); flatFieldBlurRadius->setValue (pp->raw.ff_BlurRadius); flatFieldClipControl->setValue (pp->raw.ff_clipControl); flatFieldClipControl->setAutoValue (pp->raw.ff_AutoClipControl); if(pedited ) { flatFieldAutoSelect->set_inconsistent (!pedited->raw.ff_AutoSelect); + flatFieldFromMetaData->set_inconsistent (!pedited->raw.ff_FromMetaData); flatFieldBlurRadius->setEditedState( pedited->raw.ff_BlurRadius ? Edited : UnEdited ); flatFieldClipControl->setEditedState( pedited->raw.ff_clipControl ? Edited : UnEdited ); flatFieldClipControl->setAutoInconsistent(multiImage && !pedited->raw.ff_AutoClipControl); @@ -214,6 +224,7 @@ void FlatField::write( rtengine::procparams::ProcParams* pp, ParamsEdited* pedit { pp->raw.ff_file = flatFieldFile->get_filename(); pp->raw.ff_AutoSelect = flatFieldAutoSelect->get_active(); + pp->raw.ff_FromMetaData = flatFieldFromMetaData->get_active(); pp->raw.ff_BlurRadius = flatFieldBlurRadius->getIntValue(); pp->raw.ff_clipControl = flatFieldClipControl->getIntValue(); pp->raw.ff_AutoClipControl = flatFieldClipControl->getAutoValue(); @@ -227,6 +238,7 @@ void FlatField::write( rtengine::procparams::ProcParams* pp, ParamsEdited* pedit if (pedited) { pedited->raw.ff_file = ffChanged; pedited->raw.ff_AutoSelect = !flatFieldAutoSelect->get_inconsistent(); + pedited->raw.ff_FromMetaData = !flatFieldFromMetaData->get_inconsistent(); pedited->raw.ff_BlurRadius = flatFieldBlurRadius->getEditedState (); pedited->raw.ff_clipControl = flatFieldClipControl->getEditedState (); pedited->raw.ff_AutoClipControl = !flatFieldClipControl->getAutoInconsistent(); @@ -352,6 +364,13 @@ void FlatField::flatFieldBlurTypeChanged () } } +void FlatField::checkBoxToggled (CheckBox* c, CheckValue newval) +{ + if (listener && c == flatFieldFromMetaData) { + listener->panelChanged (EvFlatFieldFromMetaData, flatFieldFromMetaData->getLastActive() ? M("GENERAL_ENABLED") : M("GENERAL_DISABLED")); + } +} + void FlatField::flatFieldAutoSelectChanged() { if (batchMode) { @@ -419,3 +438,18 @@ void FlatField::flatFieldAutoClipValueChanged(int n) } ); } + +void FlatField::setGainMap(bool enabled) { + flatFieldFromMetaData->set_sensitive(enabled); + if (!enabled) { + idle_register.add( + [this, enabled]() -> bool + { + disableListener(); + flatFieldFromMetaData->setValue(false); + enableListener(); + return false; + } + ); + } +} diff --git a/rtgui/flatfield.h b/rtgui/flatfield.h index 0d6f167e1..be46d5a1d 100644 --- a/rtgui/flatfield.h +++ b/rtgui/flatfield.h @@ -23,6 +23,7 @@ #include #include "adjuster.h" +#include "checkbox.h" #include "guiutils.h" #include "toolpanel.h" @@ -42,7 +43,7 @@ public: // add other info here }; -class FlatField final : public ToolParamBlock, public AdjusterListener, public FoldableToolPanel, public rtengine::FlatFieldAutoClipListener +class FlatField final : public ToolParamBlock, public AdjusterListener, public CheckBoxListener, public FoldableToolPanel, public rtengine::FlatFieldAutoClipListener { protected: @@ -52,6 +53,7 @@ protected: Gtk::Label *ffInfo; Gtk::Button *flatFieldFileReset; Gtk::CheckButton* flatFieldAutoSelect; + CheckBox* flatFieldFromMetaData; Adjuster* flatFieldClipControl; Adjuster* flatFieldBlurRadius; MyComboBoxText* flatFieldBlurType; @@ -64,8 +66,10 @@ protected: Glib::ustring lastShortcutPath; bool b_filter_asCurrent; bool israw; + rtengine::ProcEvent EvFlatFieldFromMetaData; IdleRegister idle_register; + public: FlatField (); @@ -90,4 +94,6 @@ public: ffp = p; }; void flatFieldAutoClipValueChanged(int n = 0) override; + void checkBoxToggled(CheckBox* c, CheckValue newval) override; + void setGainMap(bool enabled); }; diff --git a/rtgui/paramsedited.cc b/rtgui/paramsedited.cc index a7963b7dc..9c7a92f39 100644 --- a/rtgui/paramsedited.cc +++ b/rtgui/paramsedited.cc @@ -519,6 +519,7 @@ void ParamsEdited::set(bool v) raw.df_autoselect = v; raw.ff_file = v; raw.ff_AutoSelect = v; + raw.ff_FromMetaData = v; raw.ff_BlurRadius = v; raw.ff_BlurType = v; raw.ff_AutoClipControl = v; @@ -1930,6 +1931,7 @@ void ParamsEdited::initFrom(const std::vector& raw.df_autoselect = raw.df_autoselect && p.raw.df_autoselect == other.raw.df_autoselect; raw.ff_file = raw.ff_file && p.raw.ff_file == other.raw.ff_file; raw.ff_AutoSelect = raw.ff_AutoSelect && p.raw.ff_AutoSelect == other.raw.ff_AutoSelect; + raw.ff_FromMetaData = raw.ff_FromMetaData && p.raw.ff_FromMetaData == other.raw.ff_FromMetaData; raw.ff_BlurRadius = raw.ff_BlurRadius && p.raw.ff_BlurRadius == other.raw.ff_BlurRadius; raw.ff_BlurType = raw.ff_BlurType && p.raw.ff_BlurType == other.raw.ff_BlurType; raw.ff_AutoClipControl = raw.ff_AutoClipControl && p.raw.ff_AutoClipControl == other.raw.ff_AutoClipControl; @@ -6644,6 +6646,10 @@ void ParamsEdited::combine(rtengine::procparams::ProcParams& toEdit, const rteng toEdit.raw.ff_AutoSelect = mods.raw.ff_AutoSelect; } + if (raw.ff_FromMetaData) { + toEdit.raw.ff_FromMetaData = mods.raw.ff_FromMetaData; + } + if (raw.ff_BlurRadius) { toEdit.raw.ff_BlurRadius = mods.raw.ff_BlurRadius; } @@ -7375,7 +7381,7 @@ bool RAWParamsEdited::XTransSensor::isUnchanged() const bool RAWParamsEdited::isUnchanged() const { return bayersensor.isUnchanged() && xtranssensor.isUnchanged() && ca_autocorrect && ca_avoidcolourshift && caautoiterations && cared && cablue && hotPixelFilter && deadPixelFilter && hotdeadpix_thresh && darkFrame - && df_autoselect && ff_file && ff_AutoSelect && ff_BlurRadius && ff_BlurType && exPos && ff_AutoClipControl && ff_clipControl; + && df_autoselect && ff_file && ff_AutoSelect && ff_FromMetaData && ff_BlurRadius && ff_BlurType && exPos && ff_AutoClipControl && ff_clipControl; } bool LensProfParamsEdited::isUnchanged() const diff --git a/rtgui/paramsedited.h b/rtgui/paramsedited.h index 0c0c79f7c..3c108f33d 100644 --- a/rtgui/paramsedited.h +++ b/rtgui/paramsedited.h @@ -1489,6 +1489,7 @@ struct RAWParamsEdited { bool df_autoselect; bool ff_file; bool ff_AutoSelect; + bool ff_FromMetaData; bool ff_BlurRadius; bool ff_BlurType; bool ff_AutoClipControl; diff --git a/rtgui/partialpastedlg.cc b/rtgui/partialpastedlg.cc index a9f79d854..81847adc0 100644 --- a/rtgui/partialpastedlg.cc +++ b/rtgui/partialpastedlg.cc @@ -301,6 +301,7 @@ PartialPasteDlg::PartialPasteDlg (const Glib::ustring &title, Gtk::Window* paren //--- ff_file = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDFILE"))); ff_AutoSelect = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDAUTOSELECT"))); + ff_FromMetaData = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDFROMMETADATA"))); ff_BlurType = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDBLURTYPE"))); ff_BlurRadius = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDBLURRADIUS"))); ff_ClipControl = Gtk::manage (new Gtk::CheckButton (M("PARTIALPASTE_FLATFIELDCLIPCONTROL"))); @@ -423,6 +424,7 @@ PartialPasteDlg::PartialPasteDlg (const Glib::ustring &title, Gtk::Window* paren vboxes[8]->pack_start (*Gtk::manage (new Gtk::Separator(Gtk::ORIENTATION_HORIZONTAL)), Gtk::PACK_SHRINK, 0); vboxes[8]->pack_start (*ff_file, Gtk::PACK_SHRINK, 2); vboxes[8]->pack_start (*ff_AutoSelect, Gtk::PACK_SHRINK, 2); + vboxes[8]->pack_start (*ff_FromMetaData, Gtk::PACK_SHRINK, 2); vboxes[8]->pack_start (*ff_BlurType, Gtk::PACK_SHRINK, 2); vboxes[8]->pack_start (*ff_BlurRadius, Gtk::PACK_SHRINK, 2); vboxes[8]->pack_start (*ff_ClipControl, Gtk::PACK_SHRINK, 2); @@ -574,6 +576,7 @@ PartialPasteDlg::PartialPasteDlg (const Glib::ustring &title, Gtk::Window* paren //--- ff_fileConn = ff_file->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); ff_AutoSelectConn = ff_AutoSelect->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); + ff_FromMetaDataConn = ff_FromMetaData->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); ff_BlurTypeConn = ff_BlurType->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); ff_BlurRadiusConn = ff_BlurRadius->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); ff_ClipControlConn = ff_ClipControl->signal_toggled().connect (sigc::bind (sigc::mem_fun(*raw, &Gtk::CheckButton::set_inconsistent), true)); @@ -655,6 +658,7 @@ void PartialPasteDlg::rawToggled () ConnectionBlocker df_AutoSelectBlocker(df_AutoSelectConn); ConnectionBlocker ff_fileBlocker(ff_fileConn); ConnectionBlocker ff_AutoSelectBlocker(ff_AutoSelectConn); + ConnectionBlocker ff_FromMetaDataBlocker(ff_FromMetaDataConn); ConnectionBlocker ff_BlurTypeBlocker(ff_BlurTypeConn); ConnectionBlocker ff_BlurRadiusBlocker(ff_BlurRadiusConn); ConnectionBlocker ff_ClipControlBlocker(ff_ClipControlConn); @@ -685,6 +689,7 @@ void PartialPasteDlg::rawToggled () df_AutoSelect->set_active (raw->get_active ()); ff_file->set_active (raw->get_active ()); ff_AutoSelect->set_active (raw->get_active ()); + ff_FromMetaData->set_active (raw->get_active ()); ff_BlurType->set_active (raw->get_active ()); ff_BlurRadius->set_active (raw->get_active ()); ff_ClipControl->set_active (raw->get_active ()); @@ -1173,6 +1178,10 @@ void PartialPasteDlg::applyPaste (rtengine::procparams::ProcParams* dstPP, Param filterPE.raw.ff_AutoSelect = falsePE.raw.ff_AutoSelect; } + if (!ff_FromMetaData->get_active ()) { + filterPE.raw.ff_FromMetaData = falsePE.raw.ff_FromMetaData; + } + if (!ff_BlurRadius->get_active ()) { filterPE.raw.ff_BlurRadius = falsePE.raw.ff_BlurRadius; } diff --git a/rtgui/partialpastedlg.h b/rtgui/partialpastedlg.h index 19e1eb462..dcf44bb72 100644 --- a/rtgui/partialpastedlg.h +++ b/rtgui/partialpastedlg.h @@ -214,6 +214,7 @@ public: Gtk::CheckButton* df_AutoSelect; Gtk::CheckButton* ff_file; Gtk::CheckButton* ff_AutoSelect; + Gtk::CheckButton* ff_FromMetaData; Gtk::CheckButton* ff_BlurRadius; Gtk::CheckButton* ff_BlurType; Gtk::CheckButton* ff_ClipControl; @@ -230,7 +231,7 @@ public: sigc::connection distortionConn, cacorrConn, vignettingConn, lcpConn; sigc::connection coarserotConn, finerotConn, cropConn, resizeConn, prsharpeningConn, perspectiveConn, commonTransConn; sigc::connection metadataConn, exifchConn, iptcConn, icmConn; - sigc::connection df_fileConn, df_AutoSelectConn, ff_fileConn, ff_AutoSelectConn, ff_BlurRadiusConn, ff_BlurTypeConn, ff_ClipControlConn; + sigc::connection df_fileConn, df_AutoSelectConn, ff_fileConn, ff_AutoSelectConn, ff_FromMetaDataConn, ff_BlurRadiusConn, ff_BlurTypeConn, ff_ClipControlConn; sigc::connection raw_caredblueConn, raw_ca_autocorrectConn, raw_ca_avoid_colourshiftconn, raw_hotpix_filtConn, raw_deadpix_filtConn, raw_pdaf_lines_filterConn, raw_linenoiseConn, raw_greenthreshConn, raw_ccStepsConn, raw_methodConn, raw_borderConn, raw_imagenumConn, raw_dcb_iterationsConn, raw_lmmse_iterationsConn, raw_pixelshiftConn, raw_dcb_enhanceConn, raw_exposConn, raw_blackConn; sigc::connection filmNegativeConn; sigc::connection captureSharpeningConn; diff --git a/rtgui/toolpanelcoord.cc b/rtgui/toolpanelcoord.cc index 9c14aeb6e..fe8b4f1bf 100644 --- a/rtgui/toolpanelcoord.cc +++ b/rtgui/toolpanelcoord.cc @@ -343,12 +343,12 @@ ToolPanelCoordinator::~ToolPanelCoordinator () delete toolBar; } -void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtrans, bool isMono) +void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtrans, bool isMono, bool isGainMapSupported) { if (isRaw) { if (isBayer) { idle_register.add( - [this]() -> bool + [this, isGainMapSupported]() -> bool { rawPanelSW->set_sensitive(true); sensorxtrans->FoldableToolPanel::hide(); @@ -362,6 +362,7 @@ void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtr preprocessWB->FoldableToolPanel::show(); preprocess->FoldableToolPanel::show(); flatfield->FoldableToolPanel::show(); + flatfield->setGainMap(isGainMapSupported); pdSharpening->FoldableToolPanel::show(); retinex->FoldableToolPanel::setGrayedOut(false); return false; @@ -369,7 +370,7 @@ void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtr ); } else if (isXtrans) { idle_register.add( - [this]() -> bool + [this, isGainMapSupported]() -> bool { rawPanelSW->set_sensitive(true); sensorxtrans->FoldableToolPanel::show(); @@ -383,6 +384,7 @@ void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtr preprocessWB->FoldableToolPanel::show(); preprocess->FoldableToolPanel::show(); flatfield->FoldableToolPanel::show(); + flatfield->setGainMap(isGainMapSupported); pdSharpening->FoldableToolPanel::show(); retinex->FoldableToolPanel::setGrayedOut(false); return false; @@ -390,7 +392,7 @@ void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtr ); } else if (isMono) { idle_register.add( - [this]() -> bool + [this, isGainMapSupported]() -> bool { rawPanelSW->set_sensitive(true); sensorbayer->FoldableToolPanel::hide(); @@ -403,6 +405,7 @@ void ToolPanelCoordinator::imageTypeChanged(bool isRaw, bool isBayer, bool isXtr preprocessWB->FoldableToolPanel::hide(); preprocess->FoldableToolPanel::hide(); flatfield->FoldableToolPanel::show(); + flatfield->setGainMap(isGainMapSupported); pdSharpening->FoldableToolPanel::show(); retinex->FoldableToolPanel::setGrayedOut(false); return false; diff --git a/rtgui/toolpanelcoord.h b/rtgui/toolpanelcoord.h index 65e2f1e8f..cd4131ff4 100644 --- a/rtgui/toolpanelcoord.h +++ b/rtgui/toolpanelcoord.h @@ -260,7 +260,7 @@ public: void unsetTweakOperator (rtengine::TweakOperator *tOperator) override; // FilmNegProvider interface - void imageTypeChanged (bool isRaw, bool isBayer, bool isXtrans, bool isMono = false) override; + void imageTypeChanged (bool isRaw, bool isBayer, bool isXtrans, bool isMono = false, bool isGainMapSupported = false) override; // profilechangelistener interface void profileChange( From 57c1822b2c60c42b9b38caab6ade1c7f50201b16 Mon Sep 17 00:00:00 2001 From: Lawrence37 <45837045+Lawrence37@users.noreply.github.com> Date: Mon, 2 Jan 2023 12:32:15 -0800 Subject: [PATCH 170/170] Strict temporary image file permissions (#6358) * Write temp images to private tmp directory (Linux) The directory is in /tmp with 700 permissions. * Reduce temp image file permissions in Linux Set temporary image file permissions to read/write for the user only. * Use private tmp directory for temp images in MacOS * Use private tmp directory for temp images Windows * Use GLib to create temporary directories * Reuse temp directory if possible --- rtengine/winutils.h | 124 +++++++++++++++++++++++ rtgui/editorpanel.cc | 235 ++++++++++++++++++++++++++++++++++++++++++- 2 files changed, 358 insertions(+), 1 deletion(-) create mode 100644 rtengine/winutils.h diff --git a/rtengine/winutils.h b/rtengine/winutils.h new file mode 100644 index 000000000..757849dd1 --- /dev/null +++ b/rtengine/winutils.h @@ -0,0 +1,124 @@ +/* + * This file is part of RawTherapee. + * + * Copyright (c) 2021 Lawrence Lee + * + * RawTherapee 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. + * + * RawTherapee 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 RawTherapee. If not, see . + */ +#pragma once + +#ifdef WIN32 + +#include +#include + +#include "noncopyable.h" + + +/** + * Wrapper for pointers to memory allocated by HeapAlloc. + * + * Memory is automatically freed when the object goes out of scope. + */ +template +class WinHeapPtr : public rtengine::NonCopyable +{ +private: + const T ptr; + +public: + WinHeapPtr() = delete; + + /** Allocates the specified number of bytes in the process heap. */ + explicit WinHeapPtr(SIZE_T bytes): ptr(static_cast(HeapAlloc(GetProcessHeap(), 0, bytes))) {}; + + ~WinHeapPtr() + { + // HeapFree does a null check. + HeapFree(GetProcessHeap(), 0, static_cast(ptr)); + } + + T operator ->() const + { + return ptr; + } + + operator T() const + { + return ptr; + } +}; + +/** + * Wrapper for HLOCAL pointers to memory allocated by LocalAlloc. + * + * Memory is automatically freed when the object goes out of scope. + */ +template +class WinLocalPtr : public rtengine::NonCopyable +{ +private: + const T ptr; + +public: + WinLocalPtr() = delete; + + /** Wraps a raw pointer. */ + WinLocalPtr(T pointer): ptr(pointer) {}; + + ~WinLocalPtr() + { + // LocalFree does a null check. + LocalFree(static_cast(ptr)); + } + + T operator ->() const + { + return ptr; + } + + operator T() const + { + return ptr; + } +}; + +/** + * Wrapper for HANDLEs. + * + * Handles are automatically closed when the object goes out of scope. + */ +class WinHandle : public rtengine::NonCopyable +{ +private: + const HANDLE handle; + +public: + WinHandle() = delete; + + /** Wraps a HANDLE. */ + WinHandle(HANDLE handle): handle(handle) {}; + + ~WinHandle() + { + CloseHandle(handle); + } + + operator HANDLE() const + { + return handle; + } +}; + +#endif diff --git a/rtgui/editorpanel.cc b/rtgui/editorpanel.cc index 78a07ddd6..190897c89 100644 --- a/rtgui/editorpanel.cc +++ b/rtgui/editorpanel.cc @@ -44,6 +44,8 @@ #ifdef WIN32 #include "windows.h" + +#include "../rtengine/winutils.h" #endif using namespace rtengine::procparams; @@ -134,6 +136,235 @@ bool find_default_monitor_profile (GdkWindow *rootwin, Glib::ustring &defprof, G } #endif +bool hasUserOnlyPermission(const Glib::ustring &dirname) +{ +#if defined(__linux__) || defined(__APPLE__) + const Glib::RefPtr file = Gio::File::create_for_path(dirname); + const Glib::RefPtr file_info = file->query_info("owner::user,unix::mode"); + + if (!file_info) { + return false; + } + + const Glib::ustring owner = file_info->get_attribute_string("owner::user"); + const guint32 mode = file_info->get_attribute_uint32("unix::mode"); + + return (mode & 0777) == 0700 && owner == Glib::get_user_name(); +#elif defined(WIN32) + const Glib::RefPtr file = Gio::File::create_for_path(dirname); + const Glib::RefPtr file_info = file->query_info("owner::user"); + if (!file_info) { + return false; + } + + // Current user must be the owner. + const Glib::ustring user_name = Glib::get_user_name(); + const Glib::ustring owner = file_info->get_attribute_string("owner::user"); + if (user_name != owner) { + return false; + } + + // Get security descriptor and discretionary access control list. + PACL dacl = nullptr; + PSECURITY_DESCRIPTOR sec_desc_raw_ptr = nullptr; + auto win_error = GetNamedSecurityInfo( + dirname.c_str(), + SE_FILE_OBJECT, + DACL_SECURITY_INFORMATION, + nullptr, + nullptr, + &dacl, + nullptr, + &sec_desc_raw_ptr + ); + const WinLocalPtr sec_desc_ptr(sec_desc_raw_ptr); + if (win_error != ERROR_SUCCESS) { + return false; + } + + // Must not inherit permissions. + SECURITY_DESCRIPTOR_CONTROL sec_desc_control; + DWORD revision; + if (!( + GetSecurityDescriptorControl(sec_desc_ptr, &sec_desc_control, &revision) + && sec_desc_control & SE_DACL_PROTECTED + )) { + return false; + } + + // Check that there is one entry allowing full access. + ULONG acl_entry_count; + PEXPLICIT_ACCESS acl_entry_list_raw = nullptr; + win_error = GetExplicitEntriesFromAcl(dacl, &acl_entry_count, &acl_entry_list_raw); + const WinLocalPtr acl_entry_list(acl_entry_list_raw); + if (win_error != ERROR_SUCCESS || acl_entry_count != 1) { + return false; + } + const EXPLICIT_ACCESS &ace = acl_entry_list[0]; + if ( + ace.grfAccessMode != GRANT_ACCESS + || (ace.grfAccessPermissions & FILE_ALL_ACCESS) != FILE_ALL_ACCESS + || ace.Trustee.TrusteeForm != TRUSTEE_IS_SID // Should already be SID, but double check. + ) { + return false; + } + + // ACE must be for the current user. + HANDLE process_token_raw; + if (!OpenProcessToken(GetCurrentProcess(), TOKEN_READ, &process_token_raw)) { + return false; + } + const WinHandle process_token(process_token_raw); + DWORD actual_token_info_size = 0; + GetTokenInformation(process_token, TokenUser, nullptr, 0, &actual_token_info_size); + if (!actual_token_info_size) { + return false; + } + const WinHeapPtr user_token_ptr(actual_token_info_size); + if (!user_token_ptr || !GetTokenInformation( + process_token, + TokenUser, + user_token_ptr, + actual_token_info_size, + &actual_token_info_size + )) { + return false; + } + return EqualSid(ace.Trustee.ptstrName, user_token_ptr->User.Sid); +#endif + return false; +} + +/** + * Sets read and write permissions, and optionally the execute permission, for + * the user and no permissions for others. + */ +void setUserOnlyPermission(const Glib::RefPtr file, bool execute) +{ +#if defined(__linux__) || defined(__APPLE__) + const Glib::RefPtr file_info = file->query_info("unix::mode"); + if (!file_info) { + return; + } + + guint32 mode = file_info->get_attribute_uint32("unix::mode"); + mode = (mode & ~0777) | (execute ? 0700 : 0600); + try { + file->set_attribute_uint32("unix::mode", mode, Gio::FILE_QUERY_INFO_NONE); + } catch (Gio::Error &) { + } +#elif defined(WIN32) + // Get the current user's SID. + HANDLE process_token_raw; + if (!OpenProcessToken(GetCurrentProcess(), TOKEN_READ, &process_token_raw)) { + return; + } + const WinHandle process_token(process_token_raw); + DWORD actual_token_info_size = 0; + GetTokenInformation(process_token, TokenUser, nullptr, 0, &actual_token_info_size); + if (!actual_token_info_size) { + return; + } + const WinHeapPtr user_token_ptr(actual_token_info_size); + if (!user_token_ptr || !GetTokenInformation( + process_token, + TokenUser, + user_token_ptr, + actual_token_info_size, + &actual_token_info_size + )) { + return; + } + const PSID user_sid = user_token_ptr->User.Sid; + + // Get a handle to the file. + const Glib::ustring filename = file->get_path(); + const HANDLE file_handle_raw = CreateFile( + filename.c_str(), + READ_CONTROL | WRITE_DAC, + 0, + nullptr, + OPEN_EXISTING, + execute ? FILE_FLAG_BACKUP_SEMANTICS : FILE_ATTRIBUTE_NORMAL, + nullptr + ); + if (file_handle_raw == INVALID_HANDLE_VALUE) { + return; + } + const WinHandle file_handle(file_handle_raw); + + // Create the user-only permission and set it. + EXPLICIT_ACCESS ea = { + .grfAccessPermissions = FILE_ALL_ACCESS, + .grfAccessMode = GRANT_ACCESS, + .grfInheritance = NO_INHERITANCE, + }; + BuildTrusteeWithSid(&(ea.Trustee), user_sid); + PACL new_dacl_raw = nullptr; + auto win_error = SetEntriesInAcl(1, &ea, nullptr, &new_dacl_raw); + if (win_error != ERROR_SUCCESS) { + return; + } + const WinLocalPtr new_dacl(new_dacl_raw); + SetSecurityInfo( + file_handle, + SE_FILE_OBJECT, + DACL_SECURITY_INFORMATION | PROTECTED_DACL_SECURITY_INFORMATION, + nullptr, + nullptr, + new_dacl, + nullptr + ); +#endif +} + +/** + * Gets the path to the temp directory, creating it if necessary. + */ +Glib::ustring getTmpDirectory() +{ +#if defined(__linux__) || defined(__APPLE__) || defined(WIN32) + static Glib::ustring recent_dir = ""; + const Glib::ustring tmp_dir_root = Glib::get_tmp_dir(); + const Glib::ustring subdir_base = + Glib::ustring::compose("rawtherapee-%1", Glib::get_user_name()); + Glib::ustring dir = Glib::build_filename(tmp_dir_root, subdir_base); + + // Returns true if the directory doesn't exist or has the right permissions. + auto is_usable_dir = [](const Glib::ustring &dir_path) { + return !Glib::file_test(dir_path, Glib::FILE_TEST_EXISTS) || (Glib::file_test(dir_path, Glib::FILE_TEST_IS_DIR) && hasUserOnlyPermission(dir_path)); + }; + + if (!(is_usable_dir(dir) || recent_dir.empty())) { + // Try to reuse the random suffix directory. + dir = recent_dir; + } + + if (!is_usable_dir(dir)) { + // Create new directory with random suffix. + gchar *const rand_dir = g_dir_make_tmp((subdir_base + "-XXXXXX").c_str(), nullptr); + if (!rand_dir) { + return tmp_dir_root; + } + dir = recent_dir = rand_dir; + g_free(rand_dir); + Glib::RefPtr file = Gio::File::create_for_path(dir); + setUserOnlyPermission(file, true); + } else if (!Glib::file_test(dir, Glib::FILE_TEST_EXISTS)) { + // Create the directory. + Glib::RefPtr file = Gio::File::create_for_path(dir); + bool dir_created = file->make_directory(); + if (!dir_created) { + return tmp_dir_root; + } + setUserOnlyPermission(file, true); + } + + return dir; +#else + return Glib::get_tmp_dir(); +#endif +} } class EditorPanel::ColorManagementToolbar @@ -2058,7 +2289,7 @@ bool EditorPanel::idle_sendToGimp ( ProgressConnector *p dirname = options.editor_custom_out_dir; break; default: // Options::EDITOR_OUT_DIR_TEMP - dirname = Glib::get_tmp_dir(); + dirname = getTmpDirectory(); break; } Glib::ustring fullFileName = Glib::build_filename(dirname, shortname); @@ -2119,6 +2350,8 @@ bool EditorPanel::idle_sentToGimp (ProgressConnector *pc, rtengine::IImagef parent->setProgress (0.); bool success = false; + setUserOnlyPermission(Gio::File::create_for_path(filename), false); + if (options.editorToSendTo == 1) { success = ExtProgStore::openInGimp (filename); } else if (options.editorToSendTo == 2) {